Spicy Tuna Sushi
본문 바로가기
문제를 풀자

[백준 #1260] DFS와 BFS(Python)

by 말린malin 2023. 3. 7.

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

 

1260번: DFS와 BFS

첫째 줄에 정점의 개수 N(1 ≤ N ≤ 1,000), 간선의 개수 M(1 ≤ M ≤ 10,000), 탐색을 시작할 정점의 번호 V가 주어진다. 다음 M개의 줄에는 간선이 연결하는 두 정점의 번호가 주어진다. 어떤 두 정점 사

www.acmicpc.net

 

dfs는 재귀, bfs는 큐(deque 모듈 활용)를 이용했다.

from collections import deque
N, M, V = map(int, input().split())

graph = [[0] * (N+1) for _ in range(N+1)] #그래프

for _ in range(M):
    i, j = map(int, input().split())
    graph[i][j] = 1
    graph[j][i] = 1

visited = [0] * (N+1) #방문 체크

def dfs(V):
    visited[V] = 1
    print(V, end = ' ')
    for i in range(1, N+1):
        if(visited[i] == 0 and graph[V][i] == 1):
            dfs(i)

def bfs(V):
    queue = deque()
    queue.append(V)

    visited[V] = 1 #방문 표시
    while queue:
        V = queue.popleft()
        print(V, end = ' ')
        for i in range(1, N+1):
            if(visited[i] == 0 and graph[V][i] == 1):
                queue.append(i)
                visited[i] = 1


dfs(V)
visited = [0] * (N+1) #방문 초기화
print()
bfs(V)

댓글