[파이썬] 백준 2606 : 바이러스

728x90

[파이썬] 백준 2606 : 바이러스

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

 

2606번: 바이러스

첫째 줄에는 컴퓨터의 수가 주어진다. 컴퓨터의 수는 100 이하이고 각 컴퓨터에는 1번 부터 차례대로 번호가 매겨진다. 둘째 줄에는 네트워크 상에서 직접 연결되어 있는 컴퓨터 쌍의 수가 주어

www.acmicpc.net

실버 3

그래프, BFS, DFS


그래프 이론을 그대로 적용하면 풀 수 있는 문제.

리스트보다 덱을 쓰는게 더 효율적이고 빠르다.

 

BFS 코드[96ms]

from collections import deque

def bfs(graph, start, visited):
    global cnt
    queue = deque([start])
    visited[start] = True
    while queue:
        v = queue.popleft()
        for i in graph[v]:
            if not visited[i]:
                queue.append(i)
                visited[i] = True
                cnt += 1

n = int(input())
m = int(input())

graph = [[] for _ in range(n+1)]
for _ in range(m):
    x, y = map(int, input().split())
    graph[x].append(y)
    graph[y].append(x)
    
visited = [False] * (n+1)
cnt = 0
bfs(graph, 1, visited)
print(cnt)

 

DFS 풀이(76ms)

def dfs(graph, v, visited):
    global cnt
    visited[v] = True
    for i in graph[v]:
        if not visited[i]:
            cnt += 1
            dfs(graph, i, visited)

N = int(input())
M = int(input())
graph = [[] for _ in range(N+1)]
for _ in range(M):
    x, y = map(int, input().split())
    graph[x].append(y)
    graph[y].append(x)
visited = [False] * (N+1)
cnt = 0
dfs(graph, 1, visited)
print(cnt)

 

728x90