-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathday06.py
65 lines (48 loc) · 1.61 KB
/
day06.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
import argparse
import os
from collections import deque
from dataclasses import dataclass
@dataclass
class Population:
adults: deque[int]
children: deque[int]
def simulate_day(self):
self.adults.rotate(-1)
mature = self.children[0]
self.children.rotate(-1)
self.children[-1] = self.adults[-1]
self.adults[-1] += mature
@staticmethod
def from_fish_list(adults: list[int]):
seed = [0] * 7
for a in adults:
seed[a] += 1
return Population(deque(seed, maxlen=7), deque([0, 0], maxlen=2))
@property
def size(self) -> int:
return sum(self.adults) + sum(self.children)
def to_list(self):
return list(self.adults) + list(self.children)
def __repr__(self):
return f"Population(size={self.size})"
def read_input(filepath: str) -> list[int]:
with open(filepath, "r") as f:
return [int(n) for n in f.readline().split(",")]
def init_parser() -> str:
parser = argparse.ArgumentParser(description="Advent of Code day 6 solution.")
parser.add_argument(
"input", metavar="FILE", type=str, nargs=1, help="Path to input data."
)
args = parser.parse_args()
return os.path.realpath(args.input[0])
if __name__ == "__main__":
path = init_parser()
days = 256
fish = read_input(path)
pop = Population.from_fish_list(fish)
for d in range(days):
# print(f"Adults: {pop.adults}, Children: {pop.children}, Size: {pop.size}")
pop.simulate_day()
print(f"\nFish count after {days} day(s): {pop.size}")
def main(_):
raise NotImplementedError