Skip to content

Commit b5eaf1c

Browse files
committed
Solve part 2
1 parent c699d41 commit b5eaf1c

File tree

1 file changed

+108
-0
lines changed

1 file changed

+108
-0
lines changed

day02_2.py

+108
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,108 @@
1+
from typing import Mapping, Iterable, Tuple, Generator
2+
from enum import Enum
3+
4+
class Result(Enum):
5+
LOSS = 1
6+
DRAW = 2
7+
WIN = 3
8+
9+
class Shape(Enum):
10+
ROCK = 1
11+
PAPER = 2
12+
SCISSORS = 3
13+
14+
"""Mapping from characters to shapes"""
15+
Shapemap = Mapping[str, Shape]
16+
17+
"""A Round is one move by "them" and one by "us"."""
18+
Round = Tuple[Shape, Result]
19+
20+
beats: Mapping[Shape, Shape] = {
21+
Shape.ROCK: Shape.SCISSORS,
22+
Shape.SCISSORS: Shape.PAPER,
23+
Shape.PAPER: Shape.ROCK
24+
}
25+
26+
succumbs_to: Mapping[Shape, Shape] = {
27+
loser: winner
28+
for winner, loser in beats.items()
29+
}
30+
31+
result_score: Mapping[Result, int] = {
32+
Result.WIN: 6,
33+
Result.DRAW: 3,
34+
Result.LOSS: 0,
35+
}
36+
37+
shape_score: Mapping[Shape, int] = {
38+
Shape.ROCK: 1,
39+
Shape.PAPER: 2,
40+
Shape.SCISSORS: 3,
41+
}
42+
43+
def get_result(theirs: Shape, ours: Shape) -> Result:
44+
"""
45+
>>> get_result(Shape.ROCK, Shape.ROCK)
46+
Result.DRAW
47+
"""
48+
if theirs == ours:
49+
return Result.DRAW
50+
elif beats[ours] == theirs:
51+
return Result.WIN
52+
else:
53+
return Result.LOSS
54+
55+
def get_score(theirs: Shape, ours: Shape) -> int:
56+
"""
57+
>>> get_score(Shape.ROCK, Shape.PAPER)
58+
8
59+
"""
60+
return shape_score[ours] + result_score[get_result(theirs, ours)]
61+
62+
def get_move(theirs: Shape, desired_outcome: Result) -> Shape:
63+
"""
64+
Returns the move we need to make if the opponent uses `theirs`
65+
to get `desired_outcome`
66+
>>> get_move(Shape.ROCK, Result.WIN)
67+
Result.PAPER
68+
"""
69+
match desired_outcome:
70+
case Result.WIN:
71+
return succumbs_to[theirs]
72+
73+
case Result.LOSS:
74+
return beats[theirs]
75+
76+
case Result.DRAW:
77+
return theirs
78+
79+
80+
def rounds_from_file(path) -> Generator[Round, None, None]:
81+
char_to_shape: Shapemap = {
82+
'A': Shape.ROCK,
83+
'B': Shape.PAPER,
84+
'C': Shape.SCISSORS,
85+
}
86+
char_to_outcome: Mapping[str, Result] = {
87+
'X': Result.LOSS,
88+
'Y': Result.DRAW,
89+
'Z': Result.WIN,
90+
}
91+
with open(path) as f:
92+
for line in f.readlines():
93+
theirs_char, desired_outcome_char = line.rstrip().split(' ')
94+
theirs = char_to_shape[theirs_char]
95+
desired_outcome = char_to_outcome[desired_outcome_char]
96+
yield theirs, desired_outcome
97+
98+
def problem2(rounds: Iterable[Round]) -> int:
99+
return sum(
100+
get_score(theirs, get_move(theirs, desired_outcome))
101+
102+
for theirs, desired_outcome in rounds
103+
)
104+
105+
106+
if __name__ == '__main__':
107+
108+
print(problem2(rounds_from_file('./day02.txt')))

0 commit comments

Comments
 (0)