aboutsummaryrefslogtreecommitdiff
path: root/2023/10/solve.py
blob: a222b1ed8d45e518e6a3afd11d987df8b31c51f7 (plain) (blame)
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
# my initial solution for part 2 used matplotlib.path.contains_point

L = [list(l.strip()) for l in open("input").readlines()]
M = dict(((i, j), s) for i in range(len(L)) for j, s in enumerate(L[i]))


def start():
    return [p for p, s in M.items() if s == "S"][0]


def neighbours(pos):
    ps = []

    # north
    if pos[0] > 0 and M[pos] in "|JLS" and M[(pos[0]-1,pos[1])] in "|F7":
        ps.append((pos[0]-1,pos[1]))

    # south
    if pos[0] + 1 < len(L) and M[pos] in "|F7S" and M[(pos[0]+1,pos[1])] in "|LJ":
        ps.append((pos[0]+1,pos[1]))

    # east
    if pos[1] + 1 < len(L[0]) and M[pos] in "-LFS" and M[(pos[0],pos[1]+1)] in "-7J":
        ps.append((pos[0],pos[1]+1))

    # west
    if pos[1] > 0 and M[pos] in "-J7S" and M[(pos[0],pos[1]-1)] in "-FL":
        ps.append((pos[0],pos[1]-1))

    return ps

# rosetta
def area(loop):
    x,y = zip(*loop)
    return abs(
        sum(i * j for i, j in zip(x, y[1:] + y[:1]))
        - sum(i * j for i, j in zip(x[1:] + x[:1], y))
    ) // 2

# DFS
def solve():
    p = start()

    s = [p]
    v = []
    ds = {p: 0}

    while s:
        p = s.pop()
        if p in v:
            continue
        v.append(p)
        for n in neighbours(p):
            ds[n] = ds[p] + 1
            s.append(n)

    # part 1
    print(max(ds.values()) // 2)

    # part 2, picks theorem
    print(area(v) - (len(v) // 2) + 1)

solve()