다익스트라(Dijkstra) 알고리즘
- 다익스트라 알고리즘은 그래프의 두 개의 정점 간에 최단 경로를 찾는 알고리즘이다.
우선순위 큐
를 활용하여 그래프의 두 정점 사이에 존재하는 최단 경로를 찾는다.
기본 로직
- 루프를 돌면서, 새로운 노드를 방문할 때마다 기록된 거리가 가장 짧은 노드부터 먼저 확인한다.
- 방문할 노드로 이동한 후 각 노드에 인접한 이웃 노드들을 차례로 확인한다.
각 이웃 노드에 대해 시작 노드에서부터 현재 보고 있는 노드까지 이어지는 전체 거리를 합산한다.
- 현재 보고 있는 노드까지의 새로운 거리가 기존에 최단거리로 기록된 값보다 작으면, 새로운 최단거리로 업데이트 한다.
우선순위 큐
- 우선순위 큐를 성능에 관계없이 간단하게 작성만 하였다.(이진 힙 사용x)
class PriorityQueue{
constructor(){
this.value = [];
}
enqueue(val,priority){
this.value.push({val,priority});
this.sort();
}
dequeue(){
return this.value.shift();
}
sort(){
this.value.sort((a,b)=> a.priority - b.priority);
}
}
가중 그래프
- 다익스트라 알고리즘는 가중 그래프를 기반으로 한다. 예를 들어, A 장소(vertex1)와 B 장소(vertex2) 사이의
거리
를 weight로서 간선에 추가해줘야 한다.
class WeightGraph{
constructor(){
this.List = {};
}
addVertex(vertex){
if(!this.List[vertex]) this.List[vertex] = [];
}
addEdge(vertex1,vertex2,weight){
this.List[vertex1].push({node : vertex2, weight})
this.List[vertex2].push({node : vertex1, weight})
}
}
다익스트라 구현
Dijkstra(start, finish) {
const nodes = new PriorityQueue();
nodes.enqueue(start, 0);
const distances = {};
const previous = {};
const path = [];
let smallest;
for (const vertex in this.List) {
if (vertex === start) {
distances[vertex] = 0;
} else {
distances[vertex] = Infinity;
}
previous[vertex] = null;
}
while (true) {
smallest = nodes.dequeue().val;
if (smallest === finish) {
while (previous[smallest]) {
path.push(smallest);
smallest = previous[smallest];
}
break;
}
else {
for (const neighbor in this.List[smallest]) {
const nextNode = this.List[smallest][neighbor];
const candidate = distances[smallest] + nextNode.weight;
const nextNeighbor = nextNode.node;
if (candidate < distances[nextNeighbor]) {
distances[nextNeighbor] = candidate;
previous[nextNeighbor] = smallest;
nodes.enqueue(nextNeighbor, candidate);
}
}
}
}
return path.concat(smallest).reverse();
}
}
var graph = new WeightGraph();
graph.addVertex("A");
graph.addVertex("B");
graph.addVertex("C");
graph.addVertex("D");
graph.addVertex("E");
graph.addVertex("F");
graph.addEdge("A","B", 4);
graph.addEdge("A","C", 2);
graph.addEdge("B","E", 3);
graph.addEdge("C","D", 2);
graph.addEdge("C","F", 4);
graph.addEdge("D","E", 3);
graph.addEdge("D","F", 1);
graph.addEdge("E","F", 1);
- 반복문에서 매 턴 마다 distances 객체에 기록된 값
{ A: 0, B: Infinity, C: Infinity, D: Infinity, E: Infinity, F: Infinity}
{ A: 0, B: 4, C: 2, D: Infinity, E: Infinity, F: Infinity }
{ A: 0, B: 4, C: 2, D: 4, E: Infinity, F: 6 }
{ A: 0, B: 4, C: 2, D: 4, E: 7, F: 6 }
{ A: 0, B: 4, C: 2, D: 4, E: 7, F: 5 }
{ A: 0, B: 4, C: 2, D: 4, E: 6, F: 5 }
{ A: 0, B: 4, C: 2, D: 4, E: 6, F: 5 }
- 반복문에서 매 턴 마다 previous 객체에 기록된 값
{ A: null, B: null, C: null, D: null, E: null, F: null }
{ A: null, B: 'A', C: 'A', D: null, E: null, F: null }
{ A: null, B: 'A', C: 'A', D: 'C', E: null, F: 'C' }
{ A: null, B: 'A', C: 'A', D: 'C', E: 'B', F: 'C' }
{ A: null, B: 'A', C: 'A', D: 'C', E: 'B', F: 'D' }
{ A: null, B: 'A', C: 'A', D: 'C', E: 'F', F: 'D' }
{ A: null, B: 'A', C: 'A', D: 'C', E: 'F', F: 'D' }
- 반복문에서 매 턴 마다 nodes에 enqueue, dequeue되는 과정 표시
@nodes : PriorityQueue { values: [ Node { val: 'A', priority: 0 } ] }
@dequeue되는 smallest : A
@nodes에 추가한 nextNeighbor : B , candidate(priority) : 4
@nodes에 추가한 nextNeighbor : C , candidate(priority) : 2
@nodes : PriorityQueue {
values: [ Node { val: 'C', priority: 2 }, Node { val: 'B', priority: 4 } ]
}
@dequeue되는 smallest : C
@nodes에 추가한 nextNeighbor : D , candidate(priority) : 4
@nodes에 추가한 nextNeighbor : F , candidate(priority) : 6
@nodes : PriorityQueue {
values: [
Node { val: 'B', priority: 4 },
Node { val: 'D', priority: 4 },
Node { val: 'F', priority: 6 }
]
}
@dequeue되는 smallest : B
@nodes에 추가한 nextNeighbor : E , candidate(priority) : 7
@nodes : PriorityQueue {
values: [
Node { val: 'D', priority: 4 },
Node { val: 'F', priority: 6 },
Node { val: 'E', priority: 7 }
]
}
@dequeue되는 smallest : D
@nodes에 추가한 nextNeighbor : F , candidate(priority) : 5
@nodes : PriorityQueue {
values: [
Node { val: 'F', priority: 5 },
Node { val: 'E', priority: 7 },
Node { val: 'F', priority: 6 }
]
}
@dequeue되는 smallest : F
@nodes에 추가한 nextNeighbor : E , candidate(priority) : 6
@nodes : PriorityQueue {
values: [
Node { val: 'F', priority: 6 },
Node { val: 'E', priority: 7 },
Node { val: 'E', priority: 6 }
]
}
@dequeue되는 smallest : F
@nodes : PriorityQueue {
values: [ Node { val: 'E', priority: 6 }, Node { val: 'E', priority: 7 } ]
}
@dequeue되는 smallest : E