Skip to content

Commit 89d9350

Browse files
committed
added 2019/09
1 parent 9cb8f46 commit 89d9350

6 files changed

+367
-1
lines changed

2019/09/README.md

+64
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,64 @@
1+
# 2019, Day 9: Sensor Boost
2+
3+
You've just said goodbye to the rebooted rover and left Mars when you receive a faint distress signal coming from the asteroid belt. It must be the Ceres monitoring station!
4+
5+
In order to lock on to the signal, you'll need to boost your sensors. The Elves send up the latest _BOOST_ program - Basic Operation Of System Test.
6+
7+
While BOOST (your puzzle input) is capable of boosting your sensors, for tenuous safety reasons, it refuses to do so until the computer it runs on passes some checks to demonstrate it is a _complete Intcode computer_.
8+
9+
## Part 1
10+
11+
[Your existing Intcode computer](../05) is missing one key feature: it needs support for parameters in _relative mode_.
12+
13+
Parameters in mode `2`, _relative mode_, behave very similarly to parameters in _position mode_: the parameter is interpreted as a position. Like position mode, parameters in relative mode can be read from or written to.
14+
15+
The important difference is that relative mode parameters don't count from address `0`. Instead, they count from a value called the _relative base_. The _relative base_ starts at `0`.
16+
17+
The address a relative mode parameter refers to is itself _plus_ the current _relative base_. When the relative base is `0`, relative mode parameters and position mode parameters with the same value refer to the same address.
18+
19+
For example, given a relative base of `50`, a relative mode parameter of `-7` refers to memory address `50 + -7 =` _`43`_.
20+
21+
The relative base is modified with the _relative base offset_ instruction:
22+
23+
* Opcode `9` _adjusts the relative base_ by the value of its only parameter. The relative base increases (or decreases, if the value is negative) by the value of the parameter.
24+
25+
For example, if the relative base is `2000`, then after the instruction `109,19`, the relative base would be `2019`. If the next instruction were `204,-34`, then the value at address `1985` would be output.
26+
27+
Your Intcode computer will also need a few other capabilities:
28+
29+
* The computer's available memory should be much larger than the initial program. Memory beyond the initial program starts with the value `0` and can be read or written like any other memory. (It is invalid to try to access memory at a negative address, though.)
30+
* The computer should have support for large numbers. Some instructions near the beginning of the BOOST program will verify this capability.
31+
32+
Here are some example programs that use these features:
33+
34+
* `109,1,204,-1,1001,100,1,100,1008,100,16,101,1006,101,0,99` takes no input and produces a [copy of itself](https://en.wikipedia.org/wiki/Quine_(computing)) as output.
35+
* `1102,34915192,34915192,7,4,7,99,0` should output a 16-digit number.
36+
* `104,1125899906842624,99` should output the large number in the middle.
37+
38+
The BOOST program will ask for a single input; run it in test mode by providing it the value `1`. It will perform a series of checks on each opcode, output any opcodes (and the associated parameter modes) that seem to be functioning incorrectly, and finally output a BOOST keycode.
39+
40+
Once your Intcode computer is fully functional, the BOOST program should report no malfunctioning opcodes when run in test mode; it should only output a single value, the BOOST keycode. _What BOOST keycode does it produce?_
41+
42+
Your puzzle answer was `3765554916`.
43+
44+
## Part 2
45+
46+
_You now have a complete Intcode computer._
47+
48+
Finally, you can lock on to the Ceres distress signal! You just need to boost your sensors using the BOOST program.
49+
50+
The program runs in sensor boost mode by providing the input instruction the value `2`. Once run, it will boost the sensors automatically, but it might take a few seconds to complete the operation on slower hardware. In sensor boost mode, the program will output a single value: _the coordinates of the distress signal_.
51+
52+
Run the BOOST program in sensor boost mode. _What are the coordinates of the distress signal?_
53+
54+
Your puzzle answer was `76642`.
55+
56+
57+
## Solution Notes
58+
59+
With this, the Intcode machine gets a proper stack, and the program of part 2 makes already good use of it.
60+
61+
The golf implementations are almost identical, only the input parameter changes.
62+
63+
* Part 1, Python: 440 bytes, <100 ms
64+
* Part 2, Python: 440 bytes, ~2.5 s

2019/09/aoc2019_09_part1.py

+13
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,13 @@
1+
from collections import*
2+
_=int
3+
M=defaultdict(_,enumerate(map(_,open("input.txt").read().split(','))));p=s=0
4+
while M[p]!=99:
5+
o=M[p];l=map(_,str(o)[-3::-1]+"000");o%=100;n=_("0331122331"[o]);i,j,k=[M[p+x]+s*(m>1)for x,m in zip((1,2,3),l)];a,b=[(M[x]if m-1else x)for x,m in zip((i,j),l)];p+=n+1
6+
if o<2:M[k]=a+b
7+
elif o<3:M[k]=a*b
8+
elif o<4:M[i]=1
9+
elif o<5:print a
10+
elif o>8:s+=a
11+
elif o>7:M[k]=a==b
12+
elif o>6:M[k]=a<b
13+
elif(o>5)^(a!=0):p=b

2019/09/aoc2019_09_part2.py

+13
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,13 @@
1+
from collections import*
2+
_=int
3+
M=defaultdict(_,enumerate(map(_,open("input.txt").read().split(','))));p=s=0
4+
while M[p]!=99:
5+
o=M[p];l=map(_,str(o)[-3::-1]+"000");o%=100;n=_("0331122331"[o]);i,j,k=[M[p+x]+s*(m>1)for x,m in zip((1,2,3),l)];a,b=[(M[x]if m-1else x)for x,m in zip((i,j),l)];p+=n+1
6+
if o<2:M[k]=a+b
7+
elif o<3:M[k]=a*b
8+
elif o<4:M[i]=2
9+
elif o<5:print a
10+
elif o>8:s+=a
11+
elif o>7:M[k]=a==b
12+
elif o>6:M[k]=a<b
13+
elif(o>5)^(a!=0):p=b

2019/09/input.txt

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
1102,34463338,34463338,63,1007,63,34463338,63,1005,63,53,1102,3,1,1000,109,988,209,12,9,1000,209,6,209,3,203,0,1008,1000,1,63,1005,63,65,1008,1000,2,63,1005,63,904,1008,1000,0,63,1005,63,58,4,25,104,0,99,4,0,104,0,99,4,17,104,0,99,0,0,1102,1,30,1010,1102,1,38,1008,1102,1,0,1020,1102,22,1,1007,1102,26,1,1015,1102,31,1,1013,1102,1,27,1014,1101,0,23,1012,1101,0,37,1006,1102,735,1,1028,1102,1,24,1009,1102,1,28,1019,1102,20,1,1017,1101,34,0,1001,1101,259,0,1026,1101,0,33,1018,1102,1,901,1024,1101,21,0,1016,1101,36,0,1011,1102,730,1,1029,1101,1,0,1021,1102,1,509,1022,1102,39,1,1005,1101,35,0,1000,1102,1,506,1023,1101,0,892,1025,1101,256,0,1027,1101,25,0,1002,1102,1,29,1004,1102,32,1,1003,109,9,1202,-3,1,63,1008,63,39,63,1005,63,205,1001,64,1,64,1106,0,207,4,187,1002,64,2,64,109,-2,1208,-4,35,63,1005,63,227,1001,64,1,64,1105,1,229,4,213,1002,64,2,64,109,5,1206,8,243,4,235,1106,0,247,1001,64,1,64,1002,64,2,64,109,14,2106,0,1,1105,1,265,4,253,1001,64,1,64,1002,64,2,64,109,-25,1201,4,0,63,1008,63,40,63,1005,63,285,1106,0,291,4,271,1001,64,1,64,1002,64,2,64,109,14,2107,37,-7,63,1005,63,313,4,297,1001,64,1,64,1106,0,313,1002,64,2,64,109,-7,21101,40,0,5,1008,1013,37,63,1005,63,333,1105,1,339,4,319,1001,64,1,64,1002,64,2,64,109,-7,1207,0,33,63,1005,63,355,1106,0,361,4,345,1001,64,1,64,1002,64,2,64,109,7,21102,41,1,9,1008,1017,41,63,1005,63,387,4,367,1001,64,1,64,1106,0,387,1002,64,2,64,109,-1,21102,42,1,10,1008,1017,43,63,1005,63,411,1001,64,1,64,1106,0,413,4,393,1002,64,2,64,109,-5,21101,43,0,8,1008,1010,43,63,1005,63,435,4,419,1106,0,439,1001,64,1,64,1002,64,2,64,109,16,1206,3,455,1001,64,1,64,1106,0,457,4,445,1002,64,2,64,109,-8,21107,44,45,7,1005,1017,479,4,463,1001,64,1,64,1106,0,479,1002,64,2,64,109,6,1205,5,497,4,485,1001,64,1,64,1106,0,497,1002,64,2,64,109,1,2105,1,6,1105,1,515,4,503,1001,64,1,64,1002,64,2,64,109,-10,2108,36,-1,63,1005,63,535,1001,64,1,64,1105,1,537,4,521,1002,64,2,64,109,-12,2101,0,6,63,1008,63,32,63,1005,63,561,1001,64,1,64,1105,1,563,4,543,1002,64,2,64,109,25,21108,45,46,-2,1005,1018,583,1001,64,1,64,1105,1,585,4,569,1002,64,2,64,109,-23,2108,34,4,63,1005,63,607,4,591,1001,64,1,64,1106,0,607,1002,64,2,64,109,3,1202,7,1,63,1008,63,22,63,1005,63,633,4,613,1001,64,1,64,1106,0,633,1002,64,2,64,109,12,21108,46,46,3,1005,1015,651,4,639,1106,0,655,1001,64,1,64,1002,64,2,64,109,-5,2102,1,-1,63,1008,63,35,63,1005,63,679,1001,64,1,64,1105,1,681,4,661,1002,64,2,64,109,13,21107,47,46,-7,1005,1013,701,1001,64,1,64,1105,1,703,4,687,1002,64,2,64,109,-2,1205,2,715,1106,0,721,4,709,1001,64,1,64,1002,64,2,64,109,17,2106,0,-7,4,727,1105,1,739,1001,64,1,64,1002,64,2,64,109,-23,2107,38,-6,63,1005,63,759,1001,64,1,64,1106,0,761,4,745,1002,64,2,64,109,-3,1207,-4,40,63,1005,63,779,4,767,1105,1,783,1001,64,1,64,1002,64,2,64,109,-8,2101,0,-1,63,1008,63,35,63,1005,63,809,4,789,1001,64,1,64,1105,1,809,1002,64,2,64,109,-6,2102,1,8,63,1008,63,32,63,1005,63,835,4,815,1001,64,1,64,1106,0,835,1002,64,2,64,109,6,1201,5,0,63,1008,63,37,63,1005,63,857,4,841,1106,0,861,1001,64,1,64,1002,64,2,64,109,2,1208,0,32,63,1005,63,883,4,867,1001,64,1,64,1106,0,883,1002,64,2,64,109,23,2105,1,-2,4,889,1001,64,1,64,1106,0,901,4,64,99,21102,27,1,1,21101,0,915,0,1106,0,922,21201,1,55337,1,204,1,99,109,3,1207,-2,3,63,1005,63,964,21201,-2,-1,1,21101,0,942,0,1105,1,922,21202,1,1,-1,21201,-2,-3,1,21102,957,1,0,1105,1,922,22201,1,-1,-2,1106,0,968,21201,-2,0,-2,109,-3,2105,1,0

2019/09/intcode.py

+273
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,273 @@
1+
#!/usr/bin/env python3
2+
"""
3+
Advent of Code 2019 'Intcode' interpreter with tracing.
4+
Feature Level: 9.0 (day.part)
5+
"""
6+
import sys
7+
import itertools, collections
8+
import argparse
9+
import fnmatch
10+
11+
g_DefaultTracing = False
12+
g_Code = []
13+
14+
def fmt_arg(x,m):
15+
if m == 0: return str(x)
16+
if m == 1: return "#" + str(x)
17+
if m == 2: return "(" + str(x) + ")"
18+
else: return "?" + str(x)
19+
OP_COLUMN_WIDTH = 20
20+
21+
class Operation:
22+
def __init__(self, name, params=0, mem_inputs=[], mem_outputs=[], func=None, force_tracing=False):
23+
self.name = name
24+
self.params = params
25+
self.inputs = set(mem_inputs)
26+
self.outputs = set(mem_outputs)
27+
self.func = func
28+
self.force_tracing = force_tracing
29+
30+
class Machine:
31+
ops = {
32+
# code: "name",#arg,inputs,outputs,func
33+
1: Operation("add", 3, [1,2], [3], lambda m,o,i: i[1] + i[2]),
34+
2: Operation("mul", 3, [1,2], [3], lambda m,o,i: i[1] * i[2]),
35+
3: Operation("in", 1, [], [1], lambda m,o,i: m.inq.pop(0) if m.inq else m.rollback()),
36+
4: Operation("out", 1, [1], [], lambda m,o,i: m.outq.append(i[1])),
37+
5: Operation("jnz", 2, [1,2], [0], lambda m,o,i: i[2] if i[1] else m.ip),
38+
6: Operation("jz", 2, [1,2], [0], lambda m,o,i: m.ip if i[1] else i[2]),
39+
7: Operation("cmplt", 3, [1,2], [3], lambda m,o,i: i[1] < i[2]),
40+
8: Operation("cmpeq", 3, [1,2], [3], lambda m,o,i: i[1] == i[2]),
41+
9: Operation("arb", 1, [1], [-1], lambda m,o,i: m.rb + i[1]),
42+
99: Operation("halt", func=lambda m,o,i: m.halt()),
43+
}
44+
45+
def __init__(self, code=None, name="", inputs=[], overrides={}, tracing=None):
46+
if code is None:
47+
code = g_Code
48+
if isinstance(code, dict):
49+
self.M = code.copy()
50+
else:
51+
self.M = collections.defaultdict(int, dict(zip(itertools.count(), code)))
52+
self.M.update(overrides)
53+
self.prefix = ("<{}> ".format(name)) if name else ""
54+
self.running = True
55+
self.halted = False
56+
self.tracing = g_DefaultTracing if (tracing is None) else tracing
57+
self.ip = self.last_ip = self.rb = 0
58+
self.inq = list(inputs)
59+
self.outq = []
60+
61+
def rollback(self):
62+
self.running = False
63+
self.ip = self.last_ip
64+
65+
def halt(self):
66+
self.running = False
67+
self.halted = True
68+
69+
def send(self, *data):
70+
if len(data) == 1 and not isinstance(data[0], int):
71+
data = data[0]
72+
self.inq.extend(data)
73+
74+
def step(self):
75+
try:
76+
opcode = self.M[self.ip]
77+
op = self.ops[opcode % 100]
78+
except KeyError:
79+
op = Operation("#INV", func=lambda m,o,i: m.halt(), force_tracing=True)
80+
81+
p_mode = list(map(int, str(opcode)))[-2::-1] + [0] * (op.params + 2)
82+
p_raw = [self.M[self.ip + i] for i in range(op.params + 1)]
83+
p_addr = [((self.rb + r) if (m == 2) else r) for r, m in zip(p_raw, p_mode)]
84+
p_val = [(a if (m == 1) else self.M[a]) for a, m in zip(p_addr, p_mode)]
85+
86+
if self.tracing or op.force_tracing:
87+
line = "{}{:04d}: {:05d} > {:<5s} {}".format \
88+
(self.prefix, self.ip, opcode, op.name,
89+
", ".join(fmt_arg(r, m) for r, m in zip(p_raw[1:], p_mode[1:])).ljust(OP_COLUMN_WIDTH))
90+
91+
self.last_ip = self.ip
92+
self.ip += op.params + 1
93+
orig_ip = self.ip
94+
orig_rb = self.rb
95+
96+
res = op.func(self, op, [(v if (i in op.inputs) else r) for r, v, i in zip(p_raw, p_val, range(op.params + 1))])
97+
98+
if (res is not None) and self.running:
99+
if isinstance(res, (int, bool)):
100+
res = [res]
101+
for i, v in zip(sorted(op.outputs), res):
102+
v = int(v)
103+
if i > 0:
104+
self.M[p_addr[i]] = v
105+
elif i == 0:
106+
self.ip = v
107+
else: # i < 0: RB
108+
self.rb = v
109+
110+
if self.tracing or op.force_tracing:
111+
for i in range(1, op.params + 1):
112+
if ((i in op.inputs) and (p_mode[i] != 1)) or (i in op.outputs):
113+
line += " | {}: {}".format(p_addr[i], p_val[i])
114+
if i in op.outputs:
115+
line += " -> {}".format(self.M[p_addr[i]])
116+
if 0 in op.outputs:
117+
if self.ip == orig_ip:
118+
line += " | ip: unchanged"
119+
else:
120+
line += " | ip: {} -> {}".format(orig_ip, self.ip)
121+
if -1 in op.outputs:
122+
line += " | rb: {} -> {}".format(orig_rb, self.rb)
123+
print(line.rstrip(), file=sys.stderr)
124+
125+
def run(self, *data):
126+
"""
127+
send data into the output queue
128+
and run until next output is sent and return it,
129+
or None if a halt instruction occurred or the input buffer ran under
130+
"""
131+
self.send(*data)
132+
self.running = True
133+
while self.running and not self.outq:
134+
self.step()
135+
if self.outq:
136+
return self.outq.pop(0)
137+
138+
def run_all(self, *data):
139+
"""
140+
send data into the output queue,
141+
run until the 'halt' instruction,
142+
and return all output values that occurred
143+
"""
144+
self.send(*data)
145+
self.running = True
146+
while self.running:
147+
self.step()
148+
q = self.outq
149+
self.outq = []
150+
return q
151+
152+
###############################################################################
153+
154+
Puzzles = []
155+
def puzzle(fn):
156+
Puzzles.append((fn.__name__.strip('_').replace('_', '.'), fn))
157+
return fn
158+
159+
def run_for_single_output(*inputs):
160+
m = Machine(inputs=inputs)
161+
r = m.run()
162+
assert m.run() is None
163+
print(r)
164+
165+
def run_for_multiple_outputs(*inputs):
166+
m = Machine(inputs=inputs)
167+
r = m.run_all()
168+
assert m.halted
169+
return r
170+
171+
@puzzle
172+
def _2_1():
173+
m = Machine(overrides={1:12, 2:2})
174+
assert m.run() is None
175+
print(m.M[0])
176+
177+
@puzzle
178+
def _2_2():
179+
for nv in range(10000):
180+
m = Machine(overrides={1:nv//100, 2:nv%100})
181+
assert m.run() is None
182+
if m.M[0] == 19690720:
183+
print(nv)
184+
break
185+
186+
@puzzle
187+
def _5_1():
188+
o = run_for_multiple_outputs(1)
189+
assert not any(o[:-1])
190+
print(o[-1])
191+
192+
@puzzle
193+
def _5_2():
194+
run_for_single_output(5)
195+
196+
@puzzle
197+
def _7_1():
198+
def test(phases):
199+
x = 0
200+
for name, phase in zip("ABCDE", phases):
201+
x = Machine(inputs=[phase, x], name=name).run()
202+
return x
203+
print(max(map(test, itertools.permutations(range(5)))))
204+
205+
@puzzle
206+
def _7_2():
207+
def test(phases):
208+
machines = [Machine(inputs=[phase], name=name) for name, phase in zip("ABCDE", phases)]
209+
x = 0
210+
for m in itertools.cycle(machines):
211+
r = m.run(x)
212+
if r is None:
213+
break
214+
x = r
215+
return x
216+
print(max(map(test, itertools.permutations(range(5,10)))))
217+
218+
@puzzle
219+
def _9_1():
220+
run_for_single_output(1)
221+
222+
@puzzle
223+
def _9_2():
224+
run_for_single_output(2)
225+
226+
###############################################################################
227+
228+
if __name__ == "__main__":
229+
parser = argparse.ArgumentParser()
230+
parser.add_argument("puzzles", metavar="PUZZLE", nargs='*',
231+
help="select a puzzle to solve (choices: {})".format(', '.join(n for n,f in Puzzles)))
232+
parser.add_argument("-f", "--file", metavar="FILE", default="input.txt",
233+
help="intcode file to run")
234+
parser.add_argument("-i", "--inputs", metavar="VALUES",
235+
help="input values to use")
236+
parser.add_argument("-v", "--verbose", action='store_true',
237+
help="trace execution even if running a puzzle")
238+
parser.add_argument("-q", "--quiet", action='store_true',
239+
help="don't trace execution")
240+
parser.add_argument("--vn", metavar="NOUN,VERB",
241+
help="initial values of memory locations 1 and 2")
242+
args = parser.parse_args()
243+
244+
g_DefaultTracing = bool(args.verbose)
245+
g_Code = list(map(int, open(args.file).read().replace(',', ' ').split()))
246+
247+
if args.puzzles:
248+
ok = False
249+
for name, fn in Puzzles:
250+
if any(fnmatch.fnmatch(name, pat) for pat in args.puzzles):
251+
ok = True
252+
fn()
253+
if not ok:
254+
parser.error("no matching puzzle")
255+
else:
256+
m = Machine(
257+
inputs = map(int, args.inputs.replace(',', ' ').split()) if args.inputs else [],
258+
overrides = dict(zip(itertools.count(1), map(int, args.vn.replace(',', ' ').split()))) if args.vn else {},
259+
tracing = g_DefaultTracing or not(args.quiet),
260+
)
261+
have_out = False
262+
while True:
263+
out = m.run()
264+
if out is not None:
265+
print(out)
266+
have_out = True
267+
elif m.halted:
268+
if not have_out:
269+
print("M[0] =", m.M[0])
270+
break
271+
else:
272+
print("Input queue underflow.")
273+
break

2019/README.md

+3-1
Original file line numberDiff line numberDiff line change
@@ -4,8 +4,10 @@
44
| -------: | :---: | :--------: | :---------- |
55
| [1](01) | ★★★☆☆ | ★☆☆☆☆ | addition, simple math, light recursion
66
| [2](02) | ★★★☆☆ | ★★☆☆☆ | von Neumann machine emulation
7-
| [3](03) | ★★★★☆ | ★★☆☆ | 2D grid traversal and intersection
7+
| [3](03) | ★★★★☆ | ★★☆☆ | 2D grid traversal and intersection
88
| [4](04) | ★★★☆☆ | ★★★☆☆ | string matching
99
| [5](05) | ★★★☆☆ | ★★★☆☆ | extended von Neumann machine emulation
1010
| [6](06) | ★★★★☆ | ★★☆☆☆ | graph depth computation
1111
| [7](07) | ★★★☆☆ | ★★★☆☆ | multi-processor pipe emulation
12+
| [8](08) | ★★★★☆ | ★★☆☆☆ | image layer compositing
13+
| [9](09) | ★★★☆☆ | ★★☆☆☆ | machine emulation with stack feature

0 commit comments

Comments
 (0)