Day 2: Cube Conundrum
Megathread guidelines
- Keep top level comments as only solutions, if you want to say something other than a solution put it in a new post. (replies to comments can be whatever)
- Code block support is not fully rolled out yet but likely will be in the middle of the event. Try to share solutions as both code blocks and using something such as https://topaz.github.io/paste/ or pastebin (code blocks to future proof it for when 0.19 comes out and since code blocks currently function in some apps and some instances as well if they are running a 0.19 beta)
FAQ
- What is this?: Here is a post with a large amount of details: https://programming.dev/post/6637268
- Where do I participate?: https://adventofcode.com/
- Is there a leaderboard for the community?: We have a programming.dev leaderboard with the info on how to join in this post: https://programming.dev/post/6631465
🔒This post will be unlocked when there is a decent amount of submissions on the leaderboard to avoid cheating for top spots
🔓 Edit: Post has been unlocked after 6 minutes
This was mostly straightforward… basically just parsing input. Here are my condensed solutions in Python
Part 1
Game = dict[str, int] RED_MAX = 12 GREEN_MAX = 13 BLUE_MAX = 14 def read_game(stream=sys.stdin) -> Game: try: game_string, cubes_string = stream.readline().split(':') except ValueError: return {} game: Game = defaultdict(int) game['id'] = int(game_string.split()[-1]) for cubes in cubes_string.split(';'): for cube in cubes.split(','): count, color = cube.split() game[color] = max(game[color], int(count)) return game def read_games(stream=sys.stdin) -> Iterator[Game]: while game := read_game(stream): yield game def is_valid_game(game: Game) -> bool: return all([ game['red'] <= RED_MAX, game['green'] <= GREEN_MAX, game['blue'] <= BLUE_MAX, ]) def main(stream=sys.stdin) -> None: valid_games = filter(is_valid_game, read_games(stream)) sum_of_ids = sum(game['id'] for game in valid_games) print(sum_of_ids)
Part 2
For the second part, the main parsing remainded the same. I just had to change what I did with the games I read.
def power(game: Game) -> int: return game['red'] * game['green'] * game['blue'] def main(stream=sys.stdin) -> None: sum_of_sets = sum(power(game) for game in read_games(stream)) print(sum_of_sets)
GitHub Repo