summaryrefslogtreecommitdiffstats
path: root/16.py
blob: aaf6d0c1a835ba000d1133307ca53d585a7c08b8 (plain)
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
from collections import deque
from enum import Enum, auto
from sys import stdin


class Dir(Enum):
    NORTH = auto()
    EAST = auto()
    SOUTH = auto()
    WEST = auto()


def step(direction: Dir, pos: tuple[int, int]) -> tuple[int, int]:
    match direction:
        case Dir.NORTH:
            return pos[0], pos[1] - 1
        case Dir.EAST:
            return pos[0] + 1, pos[1]
        case Dir.SOUTH:
            return pos[0], pos[1] + 1
        case Dir.WEST:
            return pos[0] - 1, pos[1]


inp = [line.rstrip("\n") for line in stdin]


def solve(inp: list[str], start: tuple[Dir, tuple[int, int]]) -> int:
    beams: deque[tuple[Dir, tuple[int, int]]] = deque((start,))
    old_beams: set[tuple[Dir, tuple[int, int]]] = set()
    covered: set[tuple[int, int]] = set()

    def add(direction: Dir, pos: tuple[int, int]):
        t = (direction, step(direction, pos))
        if t in old_beams:
            return
        old_beams.add(t)
        beams.append(t)

    while beams:
        direction, pos = beams.popleft()
        x, y = pos
        if x < 0 or x >= len(inp[0]) or y < 0 or y >= len(inp):
            continue
        covered.add(pos)
        c = inp[y][x]
        if (
            c == "."
            or (c == "-" and direction in {Dir.EAST, Dir.WEST})
            or (c == "|" and direction in {Dir.NORTH, Dir.SOUTH})
        ):
            add(direction, pos)
        elif c == "|":
            add(Dir.NORTH, pos)
            add(Dir.SOUTH, pos)
        elif c == "-":
            add(Dir.EAST, pos)
            add(Dir.WEST, pos)
        else:
            mapping: dict[tuple[str, Dir], Dir] = {
                ("/", Dir.NORTH): Dir.EAST,
                ("/", Dir.EAST): Dir.NORTH,
                ("/", Dir.SOUTH): Dir.WEST,
                ("/", Dir.WEST): Dir.SOUTH,
                ("\\", Dir.NORTH): Dir.WEST,
                ("\\", Dir.EAST): Dir.SOUTH,
                ("\\", Dir.SOUTH): Dir.EAST,
                ("\\", Dir.WEST): Dir.NORTH,
            }
            add(mapping[c, direction], pos)

    return len(covered)


print(solve(inp, (Dir.EAST, (0, 0))))

p2 = 0
for x in range(len(inp[0])):
    p2 = max(p2, solve(inp, (Dir.SOUTH, (x, 0))))
    p2 = max(p2, solve(inp, (Dir.NORTH, (x, len(inp)))))

for y in range(len(inp)):
    p2 = max(p2, solve(inp, (Dir.EAST, (0, y))))
    p2 = max(p2, solve(inp, (Dir.WEST, (len(inp[0]), y))))
print(p2)