-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathminimum-fuel-cost-to-report-to-the-capital.go
78 lines (68 loc) · 1.43 KB
/
minimum-fuel-cost-to-report-to-the-capital.go
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
package main
import (
"fmt"
"math"
)
// source: https://leetcode.com/problems/minimum-fuel-cost-to-report-to-the-capital/
func minimumFuelCost(roads [][]int, seats int) int64 {
n := len(roads) + 1
var ans int64
graph := make([][]int, n)
for _, r := range roads {
graph[r[0]] = append(graph[r[0]], r[1])
graph[r[1]] = append(graph[r[1]], r[0])
}
var dfs func(node, prev int) int64
dfs = func(node, prev int) int64 {
var cnt int64 = 1
for _, edge := range graph[node] {
if edge != prev {
cnt += dfs(edge, node)
}
}
if node != 0 {
ans += int64(math.Ceil(float64(cnt) / float64(seats)))
}
return cnt
}
dfs(0, -1)
return ans
}
func main() {
testCases := []struct {
roads [][]int
seats int
want int64
}{
{
roads: [][]int{{0, 1}, {0, 2}, {0, 3}},
seats: 5,
want: 3,
},
{
roads: [][]int{{3, 1}, {3, 2}, {1, 0}, {0, 4}, {0, 5}, {4, 6}},
seats: 2,
want: 7,
},
{
roads: [][]int{},
seats: 1,
want: 0,
},
}
successes := 0
for _, tc := range testCases {
x := minimumFuelCost(tc.roads, tc.seats)
status := "ERROR"
if fmt.Sprint(x) == fmt.Sprint(tc.want) {
status = "OK"
successes++
}
fmt.Println(status, " Expected: ", tc.want, " Actual: ", x)
}
if l := len(testCases); successes == len(testCases) {
fmt.Printf("===\nSUCCESS: %d of %d tests ended successfully\n", successes, l)
} else {
fmt.Printf("===\nFAIL: %d tests failed\n", l-successes)
}
}