-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path2467-profitable-path-tree.dart
114 lines (98 loc) · 2.37 KB
/
2467-profitable-path-tree.dart
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
import 'dart:collection';
class Solution {
int mostProfitablePath(List<List<int>> edges, int bob, List<int> amount) {
Map<int, List<int>> graph = {};
for (var edge in edges) {
int u = edge[0], v = edge[1];
graph.putIfAbsent(u, () => []).add(v);
graph.putIfAbsent(v, () => []).add(u);
}
Map<int, int> parent = {};
Queue<int> q = Queue();
q.add(0);
parent[0] = -1;
while (q.isNotEmpty) {
int u = q.removeFirst();
for (int v in graph[u]!) {
if (!parent.containsKey(v) && v != parent[u]) {
parent[v] = u;
q.add(v);
}
}
}
List<int> bobPath = [];
int current = bob;
while (current != -1) {
bobPath.add(current);
current = parent[current]!;
}
Map<int, int> bobTime = {};
for (int i = 0; i < bobPath.length; i++) {
bobTime[bobPath[i]] = i;
}
int maxIncome = -0x3f3f3f3f; // Initialize small
List<List<int>> stack = [];
stack.add([0, -1, 0, 0]);
while (stack.isNotEmpty) {
var current = stack.removeLast();
int node = current[0];
int parentNode = current[1];
int time = current[2];
int income = current[3];
if (bobTime.containsKey(node)) {
int bobT = bobTime[node]!;
if (time < bobT) {
income += amount[node];
} else if (time == bobT) {
income += amount[node] ~/ 2;
}
// Bob arrived earlier
} else {
income += amount[node];
}
bool isLeaf =
(graph[node]!.length == 1 && node != 0) || (graph[node]!.isEmpty);
if (isLeaf) {
if (income > maxIncome) {
maxIncome = income;
}
continue;
}
for (int neighbor in graph[node]!) {
if (neighbor != parentNode) {
stack.add([neighbor, node, time + 1, income]);
}
}
}
return maxIncome;
}
}
void main() {
final solution = Solution();
// Test Case 1
print(solution.mostProfitablePath(
[
[0, 1],
[1, 2],
[1, 3],
[3, 4]
],
3,
[-2, 4, 2, -4, 6])); // 6
// Test Case 2
print(solution.mostProfitablePath(
[
[0, 1]
],
1,
[-7280, 2350])); // -7280
// Test Case 3
print(solution.mostProfitablePath(
[
[0, 1],
[1, 2],
[2, 3]
],
2,
[1, 2, 3, 4])); // 7
}