-
Notifications
You must be signed in to change notification settings - Fork 16
/
Copy pathday18.py
executable file
·93 lines (65 loc) · 2.01 KB
/
day18.py
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
87
88
89
90
91
92
93
#!/usr/bin/env python3
import sys
from functools import reduce
from itertools import permutations
from ast import literal_eval
def is_number(p):
return type(p) is int
def add_to_leftmost(pair, num):
if is_number(pair):
return pair + num
return (add_to_leftmost(pair[0], num), pair[1])
def add_to_rightmost(pair, num):
if is_number(pair):
return pair + num
return (pair[0], add_to_rightmost(pair[1], num))
def explode(pair, depth=0):
if is_number(pair):
return None, pair, None, False
left, right = pair
if depth == 4:
return left, 0, right, True
left_num, left, right_num, did_explode = explode(left, depth + 1)
if did_explode:
if right_num is None:
return left_num, (left, right), None, True
return left_num, (left, add_to_leftmost(right, right_num)), None, True
left_num, right, right_num, did_explode = explode(right, depth + 1)
if did_explode:
if left_num is None:
return None, (left, right), right_num, True
return None, (add_to_rightmost(left, left_num), right), right_num, True
return None, pair, None, False
def split(pair):
if is_number(pair):
if pair < 10:
return pair, False
left = pair // 2
return (left, pair - left), True
left, right = pair
left, did_split = split(left)
if not did_split:
right, did_split = split(right)
return (left, right), did_split
def simplify(pair):
keep_going = True
while keep_going:
_, pair, _, keep_going = explode(pair)
if keep_going:
continue
pair, keep_going = split(pair)
return pair
def add(a, b):
return simplify((a, b))
def magnitude(pair):
if is_number(pair):
return pair
return 3 * magnitude(pair[0]) + 2 * magnitude(pair[0])
# Open the first argument as input or use stdin if no arguments were given
fin = open(sys.argv[1]) if len(sys.argv) > 1 else sys.stdin
trans = str.maketrans('[]', '()')
pairs = tuple(literal_eval(line.translate(trans)) for line in fin)
mag = magnitude(reduce(add, pairs))
print('Part 1:', mag)
best = max(map(magnitude, map(simplify, permutations(pairs, 2))))
print('Part 2:', best)