aboutsummaryrefslogtreecommitdiff
path: root/2023/10
diff options
context:
space:
mode:
authorMarvin Borner2023-12-10 13:30:51 +0100
committerMarvin Borner2023-12-10 13:30:51 +0100
commit0a0472f757a54e3a6f940a75a9ace357761e68af (patch)
tree8b3196006ef58172139468c4a20453c225e7103f /2023/10
parent9f6b4d3cdd0e140769afb21a8085ac2d20dbc47f (diff)
i hate dfs
Diffstat (limited to '2023/10')
-rw-r--r--2023/10/solve.py63
1 files changed, 63 insertions, 0 deletions
diff --git a/2023/10/solve.py b/2023/10/solve.py
new file mode 100644
index 0000000..a222b1e
--- /dev/null
+++ b/2023/10/solve.py
@@ -0,0 +1,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()