-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathday24.py
294 lines (218 loc) · 7.44 KB
/
day24.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
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
"""Day 24: Arithmetic Logic Unit."""
from typing import Optional, Protocol, Union
# from advent_of_code.checks import check_answer, check_example
# from advent_of_code.cli_output import print_single_answer
from advent_of_code.data import read_data
from advent_of_code.utils import PuzzleInfo
PI = PuzzleInfo(day=24, title="Arithmetic Logic Unit")
class ALUInstruction(Protocol):
"""ALU Instruction protocol."""
def __call__(self, input: int, vars: dict[str, int]) -> None:
"""Run the operation with inputs and variables."""
...
def _try_convert_b_to_int(b: Union[str, int]) -> Union[str, int]:
if isinstance(b, int):
return b
try:
return int(b)
except BaseException:
return b
class ALUInp:
a: str
def __init__(self, a: str) -> None:
self.a = a
return None
def __call__(self, input: int, vars: dict[str, int]) -> None:
vars[self.a] = input
return None
def __str__(self) -> str:
return f"Inp: {self.a}"
def __repr__(self) -> str:
return str(self)
class ALUAdd:
a: str
b: Union[str, int]
def __init__(self, a: str, b: Union[str, int]) -> None:
self.a = a
self.b = _try_convert_b_to_int(b)
return None
def __call__(self, input: int, vars: dict[str, int]) -> None:
a = vars[self.a]
if isinstance(self.b, str):
b = vars[self.b]
else:
b = self.b
vars[self.a] = a + b
def __str__(self) -> str:
return f"Add: {self.a} + {self.b}"
def __repr__(self) -> str:
return str(self)
class ALUMul:
a: str
b: Union[str, int]
def __init__(self, a: str, b: Union[str, int]) -> None:
self.a = a
self.b = _try_convert_b_to_int(b)
return None
def __call__(self, input: int, vars: dict[str, int]) -> None:
a = vars[self.a]
if isinstance(self.b, str):
b = vars[self.b]
else:
b = self.b
vars[self.a] = a * b
def __str__(self) -> str:
return f"Mul: {self.a} x {self.b}"
def __repr__(self) -> str:
return str(self)
class ALUDiv:
a: str
b: Union[str, int]
def __init__(self, a: str, b: Union[str, int]) -> None:
self.a = a
self.b = _try_convert_b_to_int(b)
return None
def __call__(self, input: int, vars: dict[str, int]) -> None:
a = vars[self.a]
if isinstance(self.b, str):
b = vars[self.b]
else:
b = self.b
assert b > 0, f"Cannot perform division operation: a: {a}, b: {b}"
vars[self.a] = a // b
def __str__(self) -> str:
return f"Div: {self.a} / {self.b}"
def __repr__(self) -> str:
return str(self)
class ALUMod:
a: str
b: Union[str, int]
def __init__(self, a: str, b: Union[str, int]) -> None:
self.a = a
self.b = _try_convert_b_to_int(b)
return None
def __call__(self, input: int, vars: dict[str, int]) -> None:
a = vars[self.a]
if isinstance(self.b, str):
b = vars[self.b]
else:
b = self.b
assert a >= 0 and b > 0, f"Cannot perform modulo operation: a: {a}, b: {b}"
vars[self.a] = a % b
def __str__(self) -> str:
return f"Mod: {self.a} % {self.b}"
def __repr__(self) -> str:
return str(self)
class ALUEql:
a: str
b: Union[str, int]
def __init__(self, a: str, b: Union[str, int]) -> None:
self.a = a
self.b = _try_convert_b_to_int(b)
def __call__(self, input: int, vars: dict[str, int]) -> None:
a = vars[self.a]
if isinstance(self.b, str):
b = vars[self.b]
else:
b = self.b
vars[self.a] = int(a == b)
def __str__(self) -> str:
return f"Eql: {self.a} == {self.b}"
def __repr__(self) -> str:
return str(self)
def _hash_dict(d: dict[str, int]) -> int:
return hash(frozenset(d.items()))
class ArithmeticLogicUnit:
instructions: list[ALUInstruction]
_cache: dict[tuple[int, int], dict[str, int]]
def __init__(self, instructions: list[ALUInstruction]) -> None:
self.instructions = instructions.copy()
self._cache = {}.copy() # type: ignore
return None
def run(self, input: int, vars: dict[str, int]) -> dict[str, int]:
_key = (input, _hash_dict(vars))
if _key in self._cache:
return self._cache[_key].copy()
for instruction in self.instructions:
instruction(input=input, vars=vars)
self._cache[_key] = vars.copy()
return vars
def __str__(self) -> str:
msg = ""
for i in self.instructions:
msg += str(i) + "\n"
return msg
def __repr__(self) -> str:
return str(self)
def parse_alu_instructions(data: str) -> list[ALUInstruction]:
instructions: list[ALUInstruction] = []
for line in data.strip().splitlines():
line_data = line.strip().split(" ")
op = line_data[0]
if op == "inp":
instructions.append(ALUInp(a=line_data[1]))
elif op == "add":
instructions.append(ALUAdd(a=line_data[1], b=line_data[2]))
elif op == "mul":
instructions.append(ALUMul(a=line_data[1], b=line_data[2]))
elif op == "div":
instructions.append(ALUDiv(a=line_data[1], b=line_data[2]))
elif op == "mod":
instructions.append(ALUMod(a=line_data[1], b=line_data[2]))
elif op == "eql":
instructions.append(ALUEql(a=line_data[1], b=line_data[2]))
else:
raise BaseException(f"Unexpected operation: '{op}'")
return instructions
def get_alu_instructions() -> list[ALUInstruction]:
return parse_alu_instructions(read_data(PI.day))
def get_split_alus() -> list[ArithmeticLogicUnit]:
alus: list[ArithmeticLogicUnit] = []
insts = get_alu_instructions()
_inst: list[ALUInstruction] = [insts[0]]
for i in insts[1:]:
if isinstance(i, ALUInp):
alus.append(ArithmeticLogicUnit(_inst))
_inst = [i]
else:
_inst.append(i)
alus.append(ArithmeticLogicUnit(_inst))
assert len(alus) == 14
return alus
def _print_dict(d: dict[str, int]) -> None:
msg = ""
for k, v in d.items():
msg += f"{k}: {v} "
print(msg)
def step(
alus: list[ArithmeticLogicUnit], k: int, vars: dict[str, int]
) -> Optional[int]:
for val in reversed(range(1, 10)):
res = alus[k].run(val, vars=vars.copy())
if k in {0, 1, 2, 3}:
print(f"@ k={k}: {val}")
if k == 13:
if res["z"] == 0:
return val
else:
res_k1 = step(alus, k=k + 1, vars=res)
if res_k1 is not None:
return int(f"{val}{res_k1}")
return None
def find_largest_valid_monad_number() -> Optional[int]:
alus = get_split_alus()
monad = step(alus, k=0, vars={"w": 0, "x": 0, "y": 0, "z": 0})
return monad
def main() -> None:
"""Run code for 'Day 24: Arithmetic Logic Unit'."""
# Part 1.
largest_model_num = find_largest_valid_monad_number()
print(f"answer: {largest_model_num}")
# print_single_answer(day=PI.day, part=1, value=largest_model_num)
# 82708914944990 too low
# Part 2.
# smallest_model_num = find_smallest_valid_monad_number()
# print_single_answer(day=PI.day, part=2, value=smallest_model_num)
return None
if __name__ == "__main__":
main()