본문 바로가기
Problem Solving/BOJ

[DFS] python 2644 촌수계산

by Bokoo14 2023. 1. 23.

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

 

2644번: 촌수계산

사람들은 1, 2, 3, …, n (1 ≤ n ≤ 100)의 연속된 번호로 각각 표시된다. 입력 파일의 첫째 줄에는 전체 사람의 수 n이 주어지고, 둘째 줄에는 촌수를 계산해야 하는 서로 다른 두 사람의 번호가 주어

www.acmicpc.net

# 2023.01.23
import sys
input = sys.stdin.readline

n = int(input())
a, b = map(int, input().split()) # start, end
m = int(input())

graph = [[] for _ in range(n+1)] # n명의 사람들
for _ in range(m):
    x, y = map(int, input().split())
    graph[x].append(y)
    graph[y].append(x)


visited=[False]*(n+1)
def dfs(current,depth):
    visited[current]=True # 방문 check
    if current == b: # 목표에 도달하였으면 깊이를 return
        print(depth)
        exit(0)

    # 모든 연결된 노드 & 방문하지 않은 노드를 check해줌
    for i in graph[current]:
        if not visited[i]:
            dfs(i, depth+1)
    
dfs(a, 0)
print(-1)