방향그래프가 주어지면 주어진 시작점에서 다른 모든 정점으로의 최단 경로를 구하는 프로그램을 작성하시오. 단, 모든 간선의 가중치는 10 이하의 자연수이다.
Input | Output |
---|---|
5 6 1 5 1 1 1 2 2 1 3 3 2 3 4 2 4 5 3 4 6 | 0 2 3 7 INF |
# 코드
import heapq
# 시간 초과 해결을 위해 사용
# import sys
# input = sys.stdin.readline
v, e = map(int, input().split(' '))
k = int(input())
edges = {i : [] for i in range(1, v+1)}
for _ in range(e):
v1, v2, w = map(int, input().split(' '))
edges[v1].append((v2, w))
result = [1e6] * (v + 1)
result[k] = 0
heap_data = []
heapq.heappush(heap_data, (0, k))
while heap_data:
w_, v_ = heapq.heappop(heap_data)
if result[v_] < w_:
continue
for i in edges[v_]:
cost = w_ + i[1]
if result[i[0]] > cost:
result[i[0]] = cost
heapq.heappush(heap_data, (cost, i[0]))
for w_ in result[1:]:
if w_ == 1e6:
print("INF")
else:
print(w_)