-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathgraph.js
122 lines (108 loc) · 2.43 KB
/
graph.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
class Graph {
constructor(N) {
this.V = N;
this.adjs = []
for (let i = 0; i < N; i++)
this.adjs.push([])
}
insert(u, v) {
this.adjs[u[0]].push(new Edge(v[0], u[1], u[2], v[1], v[2]))
this.adjs[v[0]].push(new Edge(u[0], v[1], v[2], u[1], u[2]))
}
getEdges(u) {
return this.adjs[u]
}
}
class Edge {
constructor(id, xi, yi, xf, yf) {
this.weigth = [xi, yi, xf, yf]
this.id = id;
}
getXi() {
return this.weigth[0];
}
getXf() {
return this.weigth[2];
}
getYi() {
return this.weigth[1];
}
getYf() {
return this.weigth[3];
}
getId() {
return this.id;
}
calculateDistance() {
return Math.sqrt(Math.pow(this.getXf() - this.getXi(), 2) + Math.pow(this.getYf() - this.getYi(), 2));
}
}
function doTraceback(parents, source, target){
j = target;
pathArray = [];
pathArray.push(target);
while(j != source){
j = parents[j];
pathArray.unshift(j);
}
return pathArray;
}
function Dijkstra(graph, source, target) {
let dist = new Array(graph.V).fill(Number.MAX_SAFE_INTEGER)
let parent = new Array(graph.V).fill(-1)
let queue = new Array(graph.V)
for (let i = 0; i < graph.V; i++)
queue[i] = i
dist[source] = 0
while (queue.length !== 0) {
let smallestVal = Number.MAX_SAFE_INTEGER
let u = -1
for (let i of queue) {
if (dist[i] < smallestVal) {
u = i
smallestVal = dist[i]
}
}
queue.splice(queue.indexOf(u), 1)
for (let v of graph.getEdges(u)) {
let alt = dist[u] + v.calculateDistance()
if (alt < dist[v.getId()]) {
dist[v.getId()] = alt
parent[v.getId()] = u
}
if (v.getId() === target)
return [parent, dist]
}
}
}
/*let g = new Graph(11)
let pins = []
pins.push([0, 3957, 3225])
pins.push([1, 3950, 3183])
pins.push([2, 3965, 3261])
pins.push([3, 3971, 3300])
pins.push([4, 4024, 3292])
pins.push([5, 4015, 3254])
pins.push([6, 4009, 3212])
pins.push([7, 4003, 3176])
pins.push([8, 3996, 3138])
pins.push([9, 4043, 3129])
pins.push([10, 4063, 3244])
g.insert(pins[0], pins[1])
g.insert(pins[0], pins[2])
g.insert(pins[2], pins[3])
g.insert(pins[2], pins[5])
g.insert(pins[3], pins[4])
g.insert(pins[0], pins[6])
g.insert(pins[1], pins[7])
g.insert(pins[4], pins[5])
g.insert(pins[5], pins[6])
g.insert(pins[6], pins[7])
g.insert(pins[7], pins[8])
g.insert(pins[8], pins[9])
g.insert(pins[5], pins[10])
g.insert(pins[9], pins[10])
let vals = Dijkstra(g, 3, 9)
console.log(vals[0].map(el => el +1))
list = doTraceback(vals[0],3,9)
console.log(list.map(el => el +1)) */