-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsolution.js
55 lines (43 loc) · 1.26 KB
/
solution.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
/**
* @param {number[][]} times
* @param {number} n
* @param {number} k
* @return {number}
*/
var networkDelayTime = function (times, n, k) {
let
visited = Array.from({ length: n + 1 }, () => false),
outdegree = Array.from({ length: n + 1 }, () => []),
indegree = Array.from({ length: n + 1 }, () => []),
timeMatrix = Array.from({ length: n + 1 }, () => Array.from({ length: n + 1 }, () => 0)),
edges
console.log(timeMatrix);
console.log(outdegree);
// [u, v, w]
// construct outdegree
for (let i = 0; i < times.length; i++) {
outdegree[times[i][0]].push(times[i][1]);
timeMatrix[times[i][0]][times[i][1]] = times[i][2]
}
for (let i = 0; i < times.length; i++) {
indegree[times[i][1]].push(times[i][0]);
}
if (outdegree[k].length === 0) return -1;
// dfs
let idx = 0, queue = [k], max = 0, toDeduct = 0
while (queue.length > 0) {
let curr = queue.shift();
visited[curr] = true;
let tmpMax = 0
let child = outdegree[curr];
while (child.length > 0) {
let childIdx = child.shift();
if (visited[childIdx]) break;
visited[childIdx] = true;
tmpMax = Math.max(tmpMax, timeMatrix[curr][childIdx])
queue.push(childIdx)
}
max += tmpMax;
}
return max - toDeduct;
};