도시에서 면접장까지 걸리는 최단 거리를 다익스트라 알고리즘을 통해 구한 뒤, 최댓값 및 도시 번호를 구한다.
면접장에서 가장 가까운 도시까지 걸리는 거리 중 최댓값
이기 때문이다.import sys
import heapq
from collections import deque
INF = sys.maxsize
n, m, k = map(int, sys.stdin.readline().rstrip().split())
nodes = [[] for _ in range(n+1)]
for _ in range(m):
a, b, c = map(int, sys.stdin.readline().rstrip().split())
nodes[b].append([a, c])
interviews = list(map(int, sys.stdin.readline().rstrip().split()))
def Dijkstra():
distances = [INF for _ in range(n+1)]
pq = []
for interview in interviews:
heapq.heappush(pq, [0, interview])
distances[interview] = 0
while pq:
cur_cost, cur_node = heapq.heappop(pq)
if distances[cur_node] < cur_cost: continue
for next_node, next_cost in nodes[cur_node]:
if distances[next_node] > cur_cost + next_cost:
distances[next_node] = cur_cost + next_cost
heapq.heappush(pq, [cur_cost + next_cost, next_node])
return distances
distances = Dijkstra()
dist = max(distances[1:])
print(distances.index(dist))
print(dist)