-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path07_tree_balance.go
136 lines (119 loc) · 2.35 KB
/
07_tree_balance.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
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
123
124
125
126
127
128
129
130
131
132
133
134
135
136
package main
import (
"fmt"
"metalim/advent/2017/lib/source"
"strconv"
. "github.com/logrusorgru/aurora"
)
var test1 = `pbga (66)
xhth (57)
ebii (61)
havc (66)
ktlj (57)
fwft (72) -> ktlj, cntj, xhth
qoyq (66)
padx (45) -> pbga, havc, qoyq
tknk (41) -> ugml, padx, fwft
jptl (61)
ugml (68) -> gyxo, ebii, jptl
gyxo (61)
cntj (57)`
type node struct {
name string
weight, weightTotal int
unbalanced bool
kidNames []string
kids []*node
}
func calc(n *node) int {
n.weightTotal = n.weight
if len(n.kids) > 0 {
for _, k := range n.kids {
n.weightTotal += calc(k)
}
w := n.kids[0].weightTotal
for _, k := range n.kids[1:] {
if w != k.weightTotal {
n.unbalanced = true
break
}
}
}
return n.weightTotal
}
func main() {
var ins source.Inputs
ins = ins.Test(1, test1, `tknk`)
ins = ins.Test(2, test1, `60`)
for p := range ins.Advent(2017, 7) {
fmt.Println(Brown("\n" + p.Name))
ssw := p.Lines().WordsTrim("()->, ")
fmt.Println(len(ssw), Black(ssw[0]).Bold())
// parse flat.
nodes := map[string]*node{}
kidParents := map[string]*node{} // map kid names to parents.
for _, l := range ssw {
w, _ := strconv.Atoi(l[1])
kids := []string{}
if len(l) > 3 {
kids = l[3:]
}
n := &node{name: l[0], weight: w, kidNames: kids}
nodes[n.name] = n
for _, c := range kids {
kidParents[c] = n
}
}
// grow tree.
for k, p := range kidParents {
p.kids = append(p.kids, nodes[k])
delete(nodes, k)
}
// select root.
var root *node
for _, n := range nodes {
root = n
}
if p.Part(1) {
p.Submit(1, root.name)
}
if p.Part(2) {
// calculate weights and balances
calc(root)
// find last unbalanced node
un := root
LOOP:
for {
for _, k := range un.kids {
if k.unbalanced {
un = k
continue LOOP
}
}
// all kids are balanced, but node is not, so it's one of kids.
break
}
// kids weight counts
ws := map[int]int{}
for _, k := range un.kids {
ws[k.weightTotal]++
}
// incorrect and correct weight
var w1, w2 int
for w, count := range ws {
if count == 1 {
w1 = w
} else {
w2 = w
}
}
// and finally, select incorrect
for _, n := range un.kids {
if n.weightTotal == w1 {
p.SubmitInt(2, n.weight-w1+w2)
break
}
}
}
}
}