-
Notifications
You must be signed in to change notification settings - Fork 20
/
Copy pathDay19.java
86 lines (73 loc) · 2.38 KB
/
Day19.java
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
package com.sbaars.adventofcode.year17.days;
import com.sbaars.adventofcode.year17.Day2017;
public class Day19 extends Day2017 {
private static final int DOWN = 0;
private static final int UP = 1;
private static final int RIGHT = 2;
private static final int LEFT = 3;
public Day19() {
super(19);
}
public static void main(String[] args) {
new Day19().printParts();
}
private static class PathResult {
final String letters;
final int steps;
PathResult(String letters, int steps) {
this.letters = letters;
this.steps = steps;
}
}
private PathResult followPath(String[] grid) {
int x = grid[0].indexOf('|'); // Starting position
int y = 0;
int direction = DOWN;
StringBuilder letters = new StringBuilder();
int steps = 0;
while (true) {
// Move in current direction
switch (direction) {
case DOWN -> y++;
case UP -> y--;
case RIGHT -> x++;
case LEFT -> x--;
}
steps++;
// Check if we're out of bounds or hit a space
if (y < 0 || y >= grid.length || x < 0 || x >= grid[y].length() || grid[y].charAt(x) == ' ') {
break;
}
char current = grid[y].charAt(x);
if (Character.isLetter(current)) {
letters.append(current);
} else if (current == '+') {
// Change direction
if (direction == DOWN || direction == UP) {
// Check left and right
if (x > 0 && grid[y].charAt(x - 1) != ' ') {
direction = LEFT;
} else {
direction = RIGHT;
}
} else {
// Check up and down
if (y > 0 && grid[y - 1].charAt(x) != ' ') {
direction = UP;
} else {
direction = DOWN;
}
}
}
}
return new PathResult(letters.toString(), steps);
}
@Override
public Object part1() {
return followPath(dayStrings()).letters;
}
@Override
public Object part2() {
return followPath(dayStrings()).steps;
}
}