(전공복습) 데이터과학 4. 시각화
차례
처음엔 입력 크기를 생각 못하고 플로이드-워셜로 접근했다.
TLE를 받고 보니 v=1000
이라서 안 되겠구나 싶어서 다익스트라로 재도전했다.
핵심 아이디어는 어떻게 단일 출발점을 지니는 다익스트라 알고리즘을 이용해서 단일 도착점을 지니는 경로들의 거리를 계산하느냐이다.
방법은 간단한데, 그냥 그래프를 하나 더 저장하되, 그래프의 간선을 원래 그래프의 역으로 하면 된다.
쉽게 말해 뒷걸음질로 가는 그래프인 셈이다.
그러면 총 두 번의 다익스트라로 오가는 거리를 계산할 수 있다.
from sys import stdin
from heapq import *
input = stdin.readline
INF = float('inf')
n, m, x = map(int, input().split())
graph = [[] for _ in range(n+1)]
inversedGraph = [[] for _ in range(n+1)]
for _ in range(m):
u, v, t = map(int, input().split())
graph[u].append((t, v))
inversedGraph[v].append((t, u))
distance = [INF] * (n+1)
inversedDistance = [INF] * (n+1)
distance[x] = inversedDistance[x] = 0
def djk(distance, graph):
q = []
heappush(q, (0, x))
while q:
cost, node = heappop(q)
if distance[node] < cost:
continue
for nextCost, nextNode in graph[node]:
if distance[node] + nextCost < distance[nextNode]:
distance[nextNode] = distance[node] + nextCost
heappush(q, (distance[nextNode], nextNode))
djk(distance, graph)
djk(inversedDistance, inversedGraph)
print(max(distance[i] + inversedDistance[i] for i in range(1, n+1)))
문제 링크 문제 링크
개요 선형적인 자료구조에서는 값에 접근하는 데에 \(O(1)\)이면 충분하지만, 대신 부분합을 구하는 데에는 \(O(N)\)이 필요하다. 그렇다면 이 자료구조를 이진 트리로 구성하면 어떨까? 값에 접근하는 데에 걸리는 시간이 \(O(\lg N)\)으로 늘어나지만 대신 부분합을 구하...
개요 다익스트라 알고리즘과 함께 Single Sourse Shortest Path(SSSP) 문제를 푸는 알고리즘이다. 즉, 한 노드에서 다른 모든 노드로 가는 최단 경로를 구하는 알고리즘이다. 다익스트라 알고리즘보다 느리지만, 음수 가중치 간선이 있어도 작동하며, 음수 가중치 사...
개요 다익스트라 알고리즘은 Single Sourse Shortest Path(SSSP) 문제를 푸는 알고리즘 중 하나이다. 즉, 한 노드에서 다른 모든 노드로 가는 최단 경로를 구하는 알고리즘이다. 단, 다익스트라 알고리즘은 음수 가중치 엣지를 허용하지 않는다. 이 경우에는 벨만-...