최단 경로 문제
- 가장 짧은 경로를 찾는 알고리즘
- 각 지점은 그래프에서 노드로 표현
- 지점 간 연결된 도로는 그래프에서 간선으로 표현
data:image/s3,"s3://crabby-images/7f4eb/7f4eb03ad7130b99e38b8f1a12a8b4a06ed47031" alt=""
다익스트라 알고리즘
data:image/s3,"s3://crabby-images/64a73/64a734a736494dac3ead8562460e28505eec1745" alt=""
- 특정한 노드에서 출발하여 다른 모든 노드로 가는 최단 경로 계산
- 음의 간선이 없을 때 정상적으로 작당
- 다익스트라 알고리즘은 그리디 알고리즘으로 분류
- 매 상황에서 가장 비용이 적은 노드를 선택해 임의의 과정을 반복
다익스트라 알고리즘 동작 과정
data:image/s3,"s3://crabby-images/6bdeb/6bdeb557b42fcded5a38c08ac8759f0444ca7b41" alt=""
data:image/s3,"s3://crabby-images/64fac/64facfb9422d2aff45f8f9532d104e798d066c6e" alt=""
data:image/s3,"s3://crabby-images/c29bf/c29bf2c7cfd52ec231698940ebe24c93c96be884" alt=""
다익스트라 알고리즘 동작 과정 살펴보기
data:image/s3,"s3://crabby-images/e822b/e822b59f18be2dc9027c5bd35335fbff552a8bf5" alt=""
data:image/s3,"s3://crabby-images/cf973/cf9732a6185121351d163090df3524560d6703fa" alt=""
data:image/s3,"s3://crabby-images/b70d1/b70d1fd807a5ed410caf80360ab036c0d7a96aff" alt=""
data:image/s3,"s3://crabby-images/d3b7c/d3b7c59a339e629519bb092d47b875a48f13877c" alt=""
data:image/s3,"s3://crabby-images/bddb2/bddb2c9d6bd1207bbedca759fce5222620a69e0f" alt=""
data:image/s3,"s3://crabby-images/d894e/d894e058657e1f78f6896910db1968c39191421b" alt=""
data:image/s3,"s3://crabby-images/6efc2/6efc2e9722fb7b9cae0b0597d72eeb6ceca2b29e" alt=""
다익스트라 알고리즘 특징
- 그리디 알고리즘: 매 상황에서 방문하지 않은 가장 비용이 적은 노드를 선택
- 단계를 거치며 한 번 처리된 노드의 최단 거리는 고정되어 더 이상 바뀌지 않음
- 한 단계당 하나의 노드에 대한 최단 거리를 확실히 찾는 것으로 이해할 수 있음
- 다익스트라 알고리즘을 수행한 뒤 테이블에 각 노드까지의 최단 거리 정보가 저장
- 완벽한 형태의 최단 경로를 구하려면 소스코드에 추가적인 기능을 더 넣어야 함
다익스트라 알고리즘 간단한 구현 방법
- 단계마다 방문하지 않은 노드 중에서 최단 거리가 가장 짧은 노드를 선택하기 위해 매 단계마다 1차원 테이블의 모든 원소를 확인(순차 탐색)합니다.
import sys
input = sys.stdin.readline
INF = int(1e9)
n,m = map(int,input().split())
start = int(input())
graph = [[] for i in range(n+1)]
visit = [False] * (n+1)
distance = [INF] * (n+1)
for _ in range(m):
a,b,c = map(int,input().split())
graph[a].append((b,c))
def get_smallest_node():
min_value = INF
idx = 0
for i in range(1,n+1):
if distance[i] < min_value and not visit[i]:
min_value = distance[i]
idx = i
return idx
def dijkstra(start):
distance[start] = 0
visit[start] = True
for j in graph[start]:
distance[j[0]] = j[1]
for i in range(n-1):
now = get_smallest_node
visit[now] = True
for j in graph[now]:
cost = distance[now] + j[i]
if cost < distance[j[0]]:
distance[j[0]] = cost
dijkstra(start)
for i in range(1,n+1):
if distance[i] == INF:
print("INFINITY")
else:
print(distance[i])
다익스트라 알고리즘 성능 분석
data:image/s3,"s3://crabby-images/6580d/6580d757ec79fe53951c346aa9181a3b2db510ec" alt=""
우선순위 큐(Prioriy Queue)
- 우선 순위가 가장 높은 데이터를 가장 먼저 삭제하는 자료구조
- 여러 개의 물건 데이터를 자료구조에 넣었다가 가치가 높은 물건 데이터부터 꺼내서 확인해야 하는 경우에 우선순위 큐를 이용
data:image/s3,"s3://crabby-images/d038a/d038a9ddfdcb35e0d5baeaaf85d5614b701943df" alt=""
힙(Heap)
- 우선순위 큐를 구현하기 위해 사용하는 자료구조 중 하나
- 최소 힙(Min Heap)과 최대 힙(Max Heap)
- 다익스트라 최단 경로 알고리즘을 포함해 다양한 알고리즘에서 사용
data:image/s3,"s3://crabby-images/cbc88/cbc88c20c5af212b32078dc701c408ba7e1f42fc" alt=""
힙 라이브러리 사용 예제: 최소 힙
import heapq
def heapsort(iterable):
h = []
result = []
for value in iterable:
heapq.heappush(h,value)
for i in range(len(h)):
result.append(heapq.heappop(h))
return result
result = heapsort([1,3,5,7,9,2,4,6,8,0])
print(result)
data:image/s3,"s3://crabby-images/3a4fd/3a4fd652dabde08436e893c978d4c47480a46de6" alt=""
힙 라이브러리 사용 예제: 최대 힙
import heapq
def heapsort(iterable):
h = []
result = []
for value in iterable:
heapq.heappush(h,-value)
for i in range(len(h)):
result.append(-heapq.heappop(h))
return result
result = heapsort([1,3,5,7,9,2,4,6,8,0])
print(result)
data:image/s3,"s3://crabby-images/04017/040175f3eb0caad5d19d22960cc11da2264ebbcf" alt=""
다익스트라 알고리즘 - 개선된 구현 방법
- 단계마다 방문하지 않은 노드 중에서 최단 거리가 가장 짧은 노드를 선택하기 위해 힙(Heap) 자료구조 이용
- 다익스트라 알고리즘이 동작하는 기본 원리는 동일
- 현재 가장 가까운 노드를 저장해 놓기 위해서 힙 자료구조를 추가적으로 이용
- 현재의 최단 거리가 가장 짧은 노드를 선택해야 하므로 최소 힙을 사용
다익스트라 알고리즘 동작 과정 살펴보기(우선순위 큐)
data:image/s3,"s3://crabby-images/5dd14/5dd148f464ea04d3858a07b5b63390640041a7e7" alt=""
data:image/s3,"s3://crabby-images/7f5ea/7f5ea65ad5412e3ed28a61b5745578ed4c32f362" alt=""
data:image/s3,"s3://crabby-images/62b8b/62b8b7be8b6268baf976e6f3f3637e4c7937cb9a" alt=""
data:image/s3,"s3://crabby-images/a9fd9/a9fd916389d853b903a3be08ea7dc4a7ed32623f" alt=""
data:image/s3,"s3://crabby-images/66dea/66dea5df66662ea9e6cf075ac8105bd2381386ec" alt=""
data:image/s3,"s3://crabby-images/5194d/5194dc19cdc1e2c6e1d969bc99229950c138b86e" alt=""
data:image/s3,"s3://crabby-images/dc200/dc200df59ae3d5dbb126d5fc9dbea0a637815ff1" alt=""
data:image/s3,"s3://crabby-images/6bc77/6bc77ce67a93f922aedac6c68960c4c5cad61514" alt=""
data:image/s3,"s3://crabby-images/1c751/1c751f1a755aeb15448ff3a9dfe0697756f24070" alt=""
import heapq,sys
input = sys.stdin.readline
INF = int(1e9)
n,m = map(int,input().split())
start = int(input())
graph = [[] for i in range(n+1)]
distance = [INF] * (n+1)
for _ in range(m):
a,b,c = map(int,input().split())
graph[a].append((b,c))
def dijkstra(start):
q = []
heapq.heappush(q,(0,start))
distance[start] = 0
while q:
dist, now = heapq.heappop(q)
if distance[now] < dist:
continue
for i in graph[now]:
cost = dist + i[1]
if cost < distance[i[0]]:
distance[i[0]] = cost
heapq.heappush(q,(cost,i[0]))
dijkstra(start)
for i in range(1,n+1):
if distance[i] == INF:
print("INFINITY")
else:
print(distance[i])
다익스트라 알고리즘(우선순위 큐) 성능 분석
data:image/s3,"s3://crabby-images/3f4d2/3f4d28a76eea14584d8f82afcb0dcd72cfee7ffa" alt=""
문제 1: 전보
data:image/s3,"s3://crabby-images/a32fc/a32fcdc98a58af521f28c6a1f2c53b7b74795ed1" alt=""
data:image/s3,"s3://crabby-images/928ca/928caae3f753bf4b237f5917b1146278fbdd2c9e" alt=""
data:image/s3,"s3://crabby-images/e5b94/e5b94d3ac1118f900d134fcf6f1ff3246e8fa2f8" alt=""
문제 풀이
import heapq,sys
input = sys.stdin.readline
INF = int(1e9)
def dijkstra(start):
q = []
heapq.heappush(q,(0,start))
distance[start] = 0
while q:
dist, now = heapq.heappop(q)
if distance[now] < dist:
continue
for i in graph[now]:
cost = dist + i[1]
if cost < distance[i[0]]:
distance[i[0]] = cost
heapq.heappush(q,(cost,i[0]))
n,m,start = map(int,input().split())
graph = [[] for _ in range(n+1)]
distance = [INF] * (n+1)
for _ in range(m):
x,y,z = map(int,input().split())
graph[x].append((y,z))
dijkstra(start)
cnt = 0
max_distance = 0
for d in distance:
if d != 1e9:
cnt += 1
max_distance = max(max_distance,d)
print(cnt - 1,max_distance)