https://www.acmicpc.net/problem/1238
1. Preview
시간 복잡도: O(NlogM*N)
N : 현재 노드와 연결된 간선 수 (최대 N)
logM : 간선 heap 추출
N : N번의 다익스트라
공간 복잡도: O(M)
참고 : -
유형: 다익스트라
2. 초기 접근 방법
'i에서 X까지의 소요시간' 과 'X에서 i까지의 소요시간' 을 구한 뒤 가장 오래 걸리는 소요시간을 구하면 된다.
# x에서 i까지의 소요시간
xToi_Distance = dijkstra(X)
result = 0 # 가장 오래 걸리는 학생의 소요시간
for i in range(1, N+1):
if i == X:
continue
# i에서 x까지의 소요시간
iTox_Distance = dijkstra(i)
result = max(result, iTox_Distance[X] + xToi_Distance[i])
3. 생각
-
4. 코드
import heapq
import sys
input = sys.stdin.readline
def dijkstra(i):
pq = []
heapq.heappush(pq, (0, i))
distance = [float('inf')] * (N + 1)
distance[i] = 0
while pq:
cost, now = heapq.heappop(pq)
# 기존에 저장(갱신)된 있는 cost가, heap에 저장된 cost보다 더 작으면 고려할 필요가 없다.
if distance[now] < cost:
continue
for next_cost, next_node in graph[now]:
# 현재 테이블에 저장된 비용 vs now까지 오는 비용 + now에서 next_node까지 가는 비용
if distance[next_node] > distance[now] + next_cost:
distance[next_node] = distance[now] + next_cost
heapq.heappush(pq, (distance[now] + next_cost, next_node))
return distance
N, M, X = map(int, input().split())
graph = [[] for _ in range(N+1)]
# 단방향 그래프 그리기
for _ in range(M):
s, e, t = map(int, input().split())
graph[s].append((t, e))
# x에서 i까지의 소요시간
xToi_Distance = dijkstra(X)
result = 0 # 가장 오래 걸리는 학생의 소요시간
for i in range(1, N+1):
if i == X:
continue
# i에서 x까지의 소요시간
iTox_Distance = dijkstra(i)
result = max(result, iTox_Distance[X] + xToi_Distance[i])
print(result)
'Algorithm > Shortest path' 카테고리의 다른 글
[백준] 9370번 미확인 도착지 _ Python (0) | 2024.03.25 |
---|---|
[백준] 11562번 백양로 브레이크 _ Python (0) | 2024.02.23 |
[백준] 1719번 택배 _ Python (1) | 2024.01.21 |
[백준] 1865번 웜홀 _ Python (1) | 2024.01.09 |
[백준] 11657번 타임머신 _ Python (1) | 2024.01.08 |