728x90
2022.01.10
백준 2178 미로 탐색
# 2178
from collections import deque
N, M = map(int, input().split())
arr = [list(map(int, input())) for i in range(N)]
def BFS(x,y):
dx = [0,-1, 1, 0]
dy = [1, 0, 0, -1]
queue = deque()
queue.append((x,y))
while queue:
a, b = queue.popleft()
for i in range(4):
nx = a + dx[i]
ny = b + dy[i]
if 0<=nx<N and 0<=ny<M:
if arr[nx][ny] == 1:
queue.append((nx,ny))
arr[nx][ny] = arr[a][b] + 1
BFS(0,0)
print(arr[N-1][M-1])
칸을 지나면 그다음 칸을 +1 해주는 아이디어로 풀었다.
방문처리를 안해서 중복 방문하기 때문에 다른 좌표들은 문제가 있지만
끝 좌표는 더이상 진행할 곳이 없어서 문제없다.
# 2178 방문처리 한 코드
from collections import deque
N, M = map(int, input().split())
arr = [list(map(int, input())) for i in range(N)]
visited = [[False]*M for i in range(N)]
def BFS(x,y):
dx = [0,-1, 1, 0]
dy = [1, 0, 0, -1]
queue = deque()
queue.append((x,y))
while queue:
a, b = queue.popleft()
for i in range(4):
nx = a + dx[i]
ny = b + dy[i]
if 0<=nx<N and 0<=ny<M:
if arr[nx][ny] == 1 and visited[nx][ny] == False:
queue.append((nx,ny))
visited[nx][ny] = True
arr[nx][ny] = arr[a][b] + 1
BFS(0,0)
print(arr[N-1][M-1])
방문처리 코드를 넣어도 시간이나 메모리에서 그다지 차이는 보이지 않았다.
728x90
'Algorithm' 카테고리의 다른 글
백준 10871 파이썬 (0) | 2022.01.10 |
---|---|
백준 10818 파이썬 (0) | 2022.01.10 |
백준 10809 파이썬 (0) | 2022.01.09 |
백준 8958 파이썬 (0) | 2022.01.09 |
백준 3052 파이썬 (0) | 2022.01.09 |