코딩테스트

BFS&DFS_심화17) 경쟁적 전염 _ python

728x90

문제링크

https://www.acmicpc.net/problem/18405

 

18405번: 경쟁적 전염

첫째 줄에 자연수 N, K가 공백을 기준으로 구분되어 주어진다. (1 ≤ N ≤ 200, 1 ≤ K ≤ 1,000) 둘째 줄부터 N개의 줄에 걸쳐서 시험관의 정보가 주어진다. 각 행은 N개의 원소로 구성되며, 해당 위치

www.acmicpc.net

코드

# 경쟁적 전염 - bfs
from collections import deque

N, K = map(int, input().split())
graph = []
virus = []
for i in range(N):
    graph.append(list(map(int, input().split())))
    for j in range(N):
        if graph[i][j] != 0:
            virus.append(((graph[i][j], i, j)))

S, X, Y = map(int, input().split())
dx = [-1, 1, 0, 0]
dy = [0, 0, -1, 1]

def bfs(s, X, Y):
    que = deque(virus)
    count = 0 
    while que:
        if count == s:
            break
        for _ in range(len(que)):
            prev, x, y = que.popleft()
            for i in range(4):
                nx = x + dx[i]
                ny = y + dy[i]
                if 0 <= nx < N and 0 <= ny < N:
                    if graph[nx][ny] == 0:
                        graph[nx][ny] = graph[x][y]
                        que.append((graph[nx][ny], nx, ny))
        count += 1
    return graph[X-1][Y-1]
virus.sort()
print(bfs(S, X, Y))
728x90