AdventOfCode2021/day13/13a/main.go

106 lines
2.1 KiB
Go
Raw Normal View History

package main
import (
2021-12-16 21:11:39 +00:00
"AdventOfCode2021/shared"
"bufio"
"fmt"
"os"
"strconv"
2021-12-14 21:20:27 +00:00
"strings"
)
func main() {
content := returnContent("../input")
2021-12-16 19:55:49 +00:00
//content := returnContent("../testInput")
2021-12-16 21:11:39 +00:00
sheet := make(map[shared.Coordinate]bool)
2021-12-14 21:20:27 +00:00
answer := 0
for _, line := range *content {
if strings.HasPrefix(line, "fold") {
//Fold instructions
instruction := strings.Split(line, "=")
if strings.Contains(instruction[0], "x") {
foldPoint, _ := strconv.Atoi(instruction[1])
sheet = FoldX(sheet, foldPoint)
}
if strings.Contains(instruction[0], "y") {
foldPoint, _ := strconv.Atoi(instruction[1])
sheet = FoldY(sheet, foldPoint)
}
//Only want to consider the first instruction
//Break means that we don't end up processing the further folds
break
} else if line != "" {
//mapping instructions
coordinates := strings.Split(line, ",")
x, _ := strconv.Atoi(coordinates[0])
y, _ := strconv.Atoi(coordinates[1])
2021-12-16 21:11:39 +00:00
sheet[shared.Coordinate{X: x, Y: y}] = true
2021-12-14 21:20:27 +00:00
}
}
for range sheet {
answer++
}
fmt.Println(answer)
}
2021-12-16 21:11:39 +00:00
func FoldX(sheet map[shared.Coordinate]bool, foldPoint int) (folded map[shared.Coordinate]bool) {
folded = make(map[shared.Coordinate]bool)
2021-12-14 21:20:27 +00:00
for mark := range sheet {
x := mark.X
if x > foldPoint {
//If the value is in the region that gets folded
x = 2*foldPoint - x
}
2021-12-16 21:11:39 +00:00
folded[shared.Coordinate{X: x, Y: mark.Y}] = true
2021-12-14 21:20:27 +00:00
}
return
}
2021-12-16 21:11:39 +00:00
func FoldY(sheet map[shared.Coordinate]bool, foldPoint int) (folded map[shared.Coordinate]bool) {
folded = make(map[shared.Coordinate]bool)
2021-12-14 21:20:27 +00:00
for mark := range sheet {
y := mark.Y
2021-12-14 21:20:27 +00:00
if y > foldPoint {
//If the value is in the region that gets folded
y = 2*foldPoint - y
}
2021-12-16 21:11:39 +00:00
folded[shared.Coordinate{X: mark.X, Y: y}] = true
2021-12-14 21:20:27 +00:00
}
return
}
func returnContent(path string) *[]string {
//read file and return it as an array of integers
file, err := os.Open(path)
2021-12-14 21:20:27 +00:00
var content []string
if err != nil {
fmt.Println("Unlucky, the file didn't open")
return &content
}
defer file.Close()
scanner := bufio.NewScanner(file)
for scanner.Scan() {
2021-12-14 21:20:27 +00:00
content = append(content, scanner.Text())
}
return &content
}