-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsledding.go
87 lines (68 loc) · 1.51 KB
/
sledding.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
package day3
type tree bool
type treeMap struct {
grid [][]tree
currentX int
currentY int
simulatedX int
}
func makeTree(j rune) tree {
if j == '#' {
return tree(true)
}
return tree(false)
}
func buildTreeMap(input []string) *treeMap {
var unfinishedMap [][]tree
newRow := make([]tree, len(input[0]))
unfinishedMap = make([][]tree, len(input))
for irow, row := range input {
for icol, column := range row {
newRow[icol] = makeTree(column)
}
unfinishedMap[irow] = newRow
newRow = make([]tree, len(row))
}
return &treeMap{unfinishedMap, 0, 0, 0}
}
func moveX(slope *treeMap, dx int) {
slope.simulatedX += dx
if (slope.currentX + dx) < len(slope.grid[0]) {
slope.currentX += dx
return
}
modifiedX := (slope.currentX + dx) % len(slope.grid[0])
slope.currentX = modifiedX
}
func moveY(slope *treeMap, dy int) {
if (slope.currentY + dy) < len(slope.grid) {
slope.currentY += dy
return
}
slope.currentY = len(slope.grid) - 1
}
func sledDown(slope *treeMap, dx int, dy int) {
moveX(slope, dx)
moveY(slope, dy)
}
func onTree(slope *treeMap) bool {
return slope.grid[slope.currentY][slope.currentX] == tree(true)
}
func hitBottom(slope *treeMap) bool {
return slope.currentY >= (len(slope.grid) - 1)
}
func resetSlope(slope *treeMap) {
slope.currentX = 0
slope.currentY = 0
slope.simulatedX = 0
}
func findTreesOnPath(slope *treeMap, dx int, dy int) int {
treesHit := 0
for !hitBottom(slope) {
sledDown(slope, dx, dy)
if onTree(slope) {
treesHit++
}
}
return treesHit
}