개발/algorithm
[백준 17086번] 아기 상어2 - python
zzi_on2
2022. 6. 19. 13:12
문제 링크
17086번: 아기 상어 2
첫째 줄에 공간의 크기 N과 M(2 ≤ N, M ≤ 50)이 주어진다. 둘째 줄부터 N개의 줄에 공간의 상태가 주어지며, 0은 빈 칸, 1은 아기 상어가 있는 칸이다. 빈 칸과 상어의 수가 각각 한 개 이상인 입력만
www.acmicpc.net
문제 풀이
- bfs 풀이
아기 상어가 아닌 위치마다 bfs로 가장 가까운 아기 상어까지 거리를 구한 후 최댓값을 갱신해주었다.
# https://www.acmicpc.net/problem/17086
import sys
from collections import deque
# 8방향
nx = [1,-1,0,0, 1, 1, -1 ,-1]
ny = [0,0,1,-1,1,-1,-1,1]
def bfs(i,j):
q = deque()
# 방문 표시
visited = [[False] * m for _ in range(n)]
visited[i][j] = True
q.append((i,j,0))
while q :
x, y, cnt = q.popleft()
# 아기상어를 만났으면
if graph[x][y] == 1 :
return cnt
for i in range(8):
dx = x + nx[i]
dy = y + ny[i]
if 0<=dx<n and 0<=dy< m and not visited[dx][dy]:
q.append((dx,dy, cnt+ 1))
visited[dx][dy] = True
input = sys.stdin.readline
n, m = map(int,input().split())
graph = []
for _ in range(n) :
graph.append(list(map(int,input().split())))
answer = 0
for i in range(n):
for j in range(m):
# 가장 가까운 아기상어 거리 중 최댓값 구하기
if graph[i][j] != 1 :
answer = max(answer,bfs(i,j))
print(answer)