반응형
지난 시간의 다익스트라(Dijkstra) 알고리즘에 대해서 공부하였습니다. 하지만 지난 시간의 다익스트라(Dijkstra) 알고리즘은 거리가 최소값인 노드를 찾기위해서 순차 탐색으로 찾아야 해서 시간 복잡도가 O(N^2) 이었습니다. 이것을 우리는 힙(heap) 자료구조를 이용해서 시간 복잡도를 줄일수 있습니다.
1. 힙(heap) 자료구조
힙(heap) 자료구조는 완전이진트리(Complete binary tree)로 되어 있고, heapify 연산을 통해서 최소값 또는 최대값으로 정렬을 시킬수 있습니다. 또한 heapify 연산 시 시간 복잡도는 O(logN)의 시간 복잡도가 소요 됩니다. 따라서 기존의 다익스트라 알고리즘을 heapify로 구현하면 시간 복잡도는 O(NlogN)이 됩니다.
2. Java에서 힙(heap) 자료구조
Java에서는 힙(heap) 자료구조를 지원하는 Collection이 있습니다. 바로 java.util.PriorityQueue 입니다. PriorityQueue는 내부적으로 heapify 연산을 통해서 데이터가 들어오면 우선순위 별로 정렬 하여 데이터를 출력 시킵니다. PriorityQueue의 내부 구현을 보시면 heapify 함수 호출문을 찾아 보실 수 있습니다.
3. Java의 PriorityQueue(힙 구조)를 이용한 다익스트라 소스 코드
import java.util.ArrayList;
import java.util.List;
import java.util.PriorityQueue;
import java.util.Queue;
public class ShortestPathProblem {
public static void main(String[] args) {
int nodeNum = 5;
List<int[]>[] edge = new ArrayList[nodeNum + 1];
// 전체 그래프를 초기화 합니다.
edge[1] = new ArrayList<>();
edge[1].add(new int[]{2, 3});
edge[1].add(new int[]{3, 1});
edge[1].add(new int[]{4, 3});
edge[2] = new ArrayList<>();
edge[2].add(new int[]{1, 3});
edge[2].add(new int[]{3, 1});
edge[2].add(new int[]{4, 2});
edge[3] = new ArrayList<>();
edge[3].add(new int[]{1, 1});
edge[3].add(new int[]{2, 1});
edge[3].add(new int[]{5, 3});
edge[4] = new ArrayList<>();
edge[4].add(new int[]{1, 3});
edge[4].add(new int[]{2, 2});
edge[4].add(new int[]{5, 2});
edge[5] = new ArrayList<>();
edge[5].add(new int[]{3, 3});
edge[5].add(new int[]{4, 2});
edge[5].add(new int[]{5, 0});
new DijkstraByHeap(edge, nodeNum).start(1);
}
}
class DijkstraByHeap {
// 엣지 정보 입니다.
private List<int[]>[] edge;
// 결과로 출력할 최소 거리 배열 입니다.
private int[] shortestDistance;
// 노드의 갯수 입니다.
private int nodeNum;
// 정수형 최대값으로 무한값을 대체 합니다.
private final int INF = Integer.MAX_VALUE;
DijkstraByHeap(List<int[]>[] edge, int nodeNum) {
this.edge = edge;
this.nodeNum = nodeNum;
this.shortestDistance = new int[nodeNum + 1];
for (int i = 1; i <= nodeNum; i++) {
this.shortestDistance[i] = INF;
}
}
void start(int start) {
shortestDistance[start] = 0;
// PriorityQueue 는 최소 힙 구조 입니다.(heapify 시간 복잡도 : O(logN))
// 거리값이 가장 적은 노드를 출력 하기 위해 최소힙을 사용 합니다.
Queue<int[]> priorityQueue = new PriorityQueue<>((o1, o2) -> o1[1] - o2[1]);
priorityQueue.add(new int[]{start, 0});
// 가까운 순서대로 처리하므로 큐를 사용 합니다.
while (!priorityQueue.isEmpty()) {
int[] top = priorityQueue.poll();
final int current = top[0];
final int distance = top[1];
// 최단 거리가 아닌 경우 스킵 합니다.
if (shortestDistance[current] < distance) continue;
for (int i = 0; i < edge[current].size(); i++) {
// 선택된 노드의 인접 노드
int next = edge[current].get(i)[0];
// 선택된 노드를 인접 노드로 거쳐서 가는 비용
// 시작노드 부터 선택된노드(current) 까지의 최단 거리 : distance
// 선택된노드(current) 부터 인접노드(i) 까지 거리 : edge[current].get(i)[1
int nextDistance = distance + edge[current].get(i)[1];
// 기존의 최소 비용보다 더 저렴하다면 교체 합니다.
if (nextDistance < shortestDistance[next]) {
shortestDistance[next] = nextDistance;
priorityQueue.add(new int[]{next, nextDistance});
}
}
}
// 최단 거리 출력 하기
for (int i = 1; i <= nodeNum; i++) {
System.out.printf("%d ", shortestDistance[i]);
}
}
}
반응형
'Algorithm' 카테고리의 다른 글
미로 탈출 문제 (0) | 2020.08.29 |
---|---|
카카오 가사 검색 문제(Trie 트리) (0) | 2020.08.28 |
이진 탐색(Binary Search) (0) | 2020.08.27 |
플로이드 와샬(Floyd Warshall) 알고리즘 (0) | 2020.08.25 |
다익스트라(Dijkstra) 알고리즘 (0) | 2020.08.11 |