1260: DFS와 BFS

풀이

# DFS와 BFS

import sys
from collections import deque

def dfs(graph, start, visited):
  visited[start] = True
  print(start, end=' ')

  for i in graph[start]:
    if not visited[i]:
      dfs(graph, i, visited)

def bfs(graph, start, visited):
  queue = deque()
  queue.append(start)
  # 위 두 줄 합쳐서 queue = deque([start]) 가능
  visited[start] = True

  while queue:
    curr = queue.popleft()
    print(curr, end=' ')
    
    for i in graph[curr]:
      if visited[i] == False:
        queue.append(i)
        visited[i] = True

input = sys.stdin.readline

n, m, v = map(int, input().split())
graph = [[] for _ in range(n + 1)]

for _ in range(m):
  e1, e2 = map(int, input().split())
  graph[e1].append(e2)
  graph[e2].append(e1)

for i in range(n + 1):  # 정렬을 안해주면 '방문할 수 있는 정점이 여러 개인 경우에는 정점 번호가 작은 것을 먼저 방문한다'는 조건에 맞지 않게됨!
  graph[i].sort()

visited = [False] * (n + 1)
dfs(graph, v, visited)

print()
visited = [False] * (n + 1)
bfs(graph, v, visited)
print()

2178: 미로탐색

풀이

# 미로 탐색 - 나동빈 이코테 5-4. 미로 탈출과 같은 문제

from collections import deque

def bfs(x, y):
  queue = deque()
  queue.append((x, y))
  while queue:
    x, y = queue.popleft()

    for i in range(4):
      nx = x + dx[i]
      ny = y + dy[i]

      if nx < 0 or nx >= n or ny < 0 or ny >= m:
        continue
      if graph[nx][ny] == 0:
        continue
      if graph[nx][ny] == 1:
        queue.append((nx, ny))
        graph[nx][ny] = graph[x][y] + 1 # graph는 원소가 0, 1뿐인 2차원 배열이지만 이렇게 1씩 더해주어 다시 저장해 1, 2, 3, ... 이런식으로 경로가 찍히도록 최단거리의 길이 찾기
    
  return graph[n-1][m-1]

n, m = map(int,input().split())

graph = []
for i in range(n):
    graph.append(list(map(int,input())))

dx = [-1, 1, 0, 0]
dy = [0, 0, -1, 1]

# bfs 호출!
# visited 배열 따로 만들 필요 없이, 1을 0으로 바꿔주면 될 것 같다.
print(bfs(0,0))

2667: 단지번호붙이기