generated from Jadarma/advent-of-code-kotlin-template
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathY2016D02.kt
66 lines (58 loc) · 2.65 KB
/
Y2016D02.kt
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
package aockt.y2016
import io.github.jadarma.aockt.core.Solution
object Y2016D02 : Solution {
/** Parses the input and returns the list of instructions for obtaining the bathroom passcode. */
private fun parseInput(input: String): List<List<Direction>> =
input.lines().map { line -> line.map { Direction.valueOf(it.toString()) } }
/** The directions and their effect on grid movement. */
private enum class Direction(val xOffset: Int, val yOffset: Int) {
U(-1, 0), D(1, 0), L(0, -1), R(0, 1)
}
/** Move one unit in the given [direction], but only if that point is one of the given [validPoints]. */
private fun Pair<Int, Int>.move(direction: Direction, validPoints: Set<Pair<Int, Int>>): Pair<Int, Int> {
val point = (first + direction.xOffset) to (second + direction.yOffset)
return point.takeIf { it in validPoints } ?: this
}
/**
* Finds the passcode for a given keypad by following instructions.
*
* @param instructions The list of instructions for each button press, split by lines.
* @param startFrom The keypad button to start from when reading the first set of instructions.
* @param keypad A map from a button's coordinates on the grid to the character it represents. Coordinates have the
* origin in the top right corner.
*/
private fun passcodeFor(
instructions: List<List<Direction>>,
startFrom: Pair<Int, Int>,
keypad: Map<Pair<Int, Int>, Char>,
): String {
require(startFrom in keypad.keys) { "Cannot start from this button because it's not on the keypad." }
return instructions
.runningFold(startFrom) { start, dirs -> dirs.fold(start) { pos, dir -> pos.move(dir, keypad.keys) } }
.drop(1)
.map(keypad::getValue)
.joinToString("")
}
override fun partOne(input: String) =
passcodeFor(
instructions = parseInput(input),
startFrom = 1 to 1,
keypad = mapOf(
0 to 0 to '1', 0 to 1 to '2', 0 to 2 to '3',
1 to 0 to '4', 1 to 1 to '5', 1 to 2 to '6',
2 to 0 to '7', 2 to 1 to '8', 2 to 2 to '9',
),
)
override fun partTwo(input: String): Any =
passcodeFor(
instructions = parseInput(input),
startFrom = 2 to 0,
keypad = mapOf(
0 to 2 to '1',
1 to 1 to '2', 1 to 2 to '3', 1 to 3 to '4',
2 to 0 to '5', 2 to 1 to '6', 2 to 2 to '7', 2 to 3 to '8', 2 to 4 to '9',
3 to 1 to 'A', 3 to 2 to 'B', 3 to 3 to 'C',
4 to 2 to 'D',
),
)
}