728x90
반응형
생각보다 쉽지 않은 BFS 문제이다. 우선 'X'를 '1'과 '2'로 각각 채워주고, 1에서 2로 가는 최소 거리를 찾아주면 된다.
1이 1안에 갇혀서 2로 갈 수도 없는 경우가 있으므로 이 경우는 따로 잘 처리해줘야 한다.
from collections import deque
from copy import deepcopy
def bfs(y, x, n):
q = deque()
q.append((y, x))
graph[y][x] = n
while q:
y, x = q.popleft()
for dy, dx in d:
Y, X = y+dy, x+dx
if (0 <= Y < N) and (0 <= X < M) and graph[Y][X] == 'X':
q.append((Y, X))
graph[Y][X] = n
def bfs2(y, x):
q = deque()
q.append((y, x))
a[y][x] = 0
while q:
y, x = q.popleft()
for dy, dx in d:
Y, X = y+dy, x+dx
if (0 <= Y < N) and (0 <= X < M):
if a[Y][X] == '2':
return a[y][x]
if a[Y][X] == '.':
q.append((Y, X))
a[Y][X] = a[y][x]+1
return -1
N, M = map(int, input().split())
graph = [list(input()) for _ in range(N)]
d = [(-1, 0), (1, 0), (0, -1), (0, 1)]
cnt = 1
for i in range(N):
for j in range(M):
if graph[i][j] == 'X':
bfs(i, j, str(cnt))
cnt += 1
res = N*M
for i in range(N):
for j in range(M):
if graph[i][j] == '1':
a = deepcopy(graph)
t = bfs2(i, j)
if t > -1:
res = min(res, t)
print(res)
728x90
반응형
'Agorithm > 백준 알고리즘' 카테고리의 다른 글
백준 알고리즘 6031번 Feeding Time(python) (0) | 2021.03.14 |
---|---|
백준 알고리즘 10917번 Your life(python) (0) | 2021.03.14 |
백준 알고리즘 5938번 Daisy Chains in the Field(python) (0) | 2021.03.14 |
백준 알고리즘 15092번 Sheba’s Amoebas(python) (0) | 2021.03.14 |
백준 알고리즘 14248번 점프 점프(python) (0) | 2021.03.14 |