Created
December 5, 2021 01:47
-
-
Save bulletmark/c2bec9b249035e68a19665c98fea6aed to your computer and use it in GitHub Desktop.
AOC 2021 Day 4
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#!/usr/bin/python3 | |
import numpy as np | |
DATA = 'data/day04' | |
def total(board): | |
return np.sum(board[board > 0]) | |
def main(): | |
boards = [] | |
board = [] | |
with open(DATA) as fp: | |
numbers = [int(n) for n in fp.readline().strip().split(',')] | |
for line in fp: | |
line = line.strip() | |
if line: | |
board.append([int(n) for n in line.split()]) | |
elif board: | |
boards.append(board) | |
board = [] | |
if board: | |
boards.append(board) | |
boards = np.array(boards) | |
tot_boards = len(boards) | |
for num in numbers: | |
boards[boards == num] = -1 | |
winners = [i for i, b in enumerate(boards) | |
if np.any(np.all(b < 0, axis=0)) | |
or np.any(np.all(b < 0, axis=1))] | |
if winners: | |
if len(boards) == tot_boards: | |
print('P1 =', total(boards[winners[0]]) * num) | |
if len(boards) == len(winners): | |
print('P2 =', total(boards[winners[-1]]) * num) | |
break | |
boards = np.delete(boards, winners, 0) | |
if __name__ == "__main__": | |
main() |
That's the advantage of using numpy
. It finds all the values across all boards
which equal num
and then sets them to -1
. It is doing the looping required to do internally, at C (not Python) code speed. See also line 7 which is similar. That finds all board
values > 0 and then sums them up. Basically numpy
allows a higher abstraction level of programming.
Ohh, and numpy deals with the dimensions when doing that internally too? Neat! Thanks, I'll definitely have to dive a bit deeper into numpy as these challenges get more complicated.
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
boards[boards == num] = -1
How does this work?