-
Notifications
You must be signed in to change notification settings - Fork 1
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
Showing
1 changed file
with
46 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,46 @@ | ||
from collections import deque | ||
|
||
# 노드의 개수와 간선의 개수 입력받기 | ||
v, e = map(int, input().split()) | ||
# 모든 노드에 대한 진입차수는 0으로 초기화 | ||
indegree = [0] * (v + 1) | ||
# 각 노드에 연결된 간선 정보를 담기 위한 연결리스트(그래프) 초기화 | ||
graph = [[] for i in range(v + 1)] | ||
|
||
# 방향 그래프의 모든 간선 정보를 입력받기 | ||
for _ in range(e): | ||
a, b = map(int, input().split()) | ||
graph[a].append(b) # 정점 A에서 B로 이동 가능 | ||
# 진입 차수를 1 증가 | ||
indegree[b] += 1 | ||
|
||
|
||
# 위상 정렬 함수 | ||
def topology_sort(): | ||
result = [] # 알고리즘 수행 결과를 담을 리스트 | ||
q = deque() # 큐 기능을 위한 deque 라이브러리 사용 | ||
|
||
# 처음 시작할 때는 진입차수가 0인 노드를 큐에 삽입 | ||
for i in range(1, v + 1): | ||
if indegree[i] == 0: | ||
q.append(i) | ||
|
||
# 큐가 빌때 까지 반복 | ||
while q: | ||
# 큐에서 원소 꺼내기 | ||
now = q.popleft() | ||
result.append(now) | ||
# 해당 원소와 연결된 노드들의 진입차수에서 1 빼기 | ||
for i in graph[now]: | ||
indegree[i] -= 1 | ||
|
||
# 새롭게 진입 차수가 0이 되는 노드를 큐에 삽입 | ||
if indegree[i] == 0: | ||
q.append(i) | ||
|
||
# 위상 정렬을 수행한 결과 출력 | ||
for i in result: | ||
print(i, end=' ') | ||
|
||
|
||
topology_sort() |