1//! # Dumbo Octopus
2//!
3//! This puzzle resembles the [`Day 9`] flood fill a little. Since there are only 100 octopuses
4//! a fixed size array is used both to track current energy levels and a second array to track
5//! if an octopus has flashed this turn. Each time an octopus flashes it bumps its neighbors
6//! energy levels, which can propagate recursively through the entire grid.
7//!
8//! [`Day 9`]: crate::year2021::day09
910/// Pad the 10x10 grid by 1 on either side so that we can avoid boundary checks.
11type Input = [u8; 144];
12/// Offsets for each of the eight neighbors. The last four offsets will wrap around when
13/// added to `u8` to give a smaller index.
14const NEIGHBORS: [u8; 8] = [1, 11, 12, 13, 243, 244, 245, 255];
1516pub fn parse(input: &str) -> Input {
17let bytes: Vec<_> = input.lines().map(str::as_bytes).collect();
18let mut grid = [0; 144];
1920for y in 0..10 {
21for x in 0..10 {
22 grid[12 * (y + 1) + (x + 1)] = bytes[y][x] - b'0';
23 }
24 }
2526 grid
27}
2829pub fn part1(input: &Input) -> usize {
30let (total, _) = simulate(input, |_, steps| steps < 100);
31 total
32}
3334pub fn part2(input: &Input) -> usize {
35let (_, steps) = simulate(input, |flashes, _| flashes < 100);
36 steps
37}
3839fn simulate(input: &Input, predicate: impl Fn(usize, usize) -> bool) -> (usize, usize) {
40let mut grid = *input;
41let mut flashed = [true; 144];
42let mut todo = Vec::with_capacity(100);
4344let mut flashes = 0;
45let mut steps = 0;
46let mut total = 0;
4748while predicate(flashes, steps) {
49 flashes = 0;
5051// Bump each octopus' energy level by one. If it flashes then add to `todo` queue.
52for y in 0..10 {
53for x in 0..10 {
54let index = 12 * (y + 1) + (x + 1);
5556if grid[index] < 9 {
57 grid[index] += 1;
58 flashed[index] = false;
59 } else {
60 grid[index] = 0;
61 flashed[index] = true;
62 todo.push(index as u8);
63 }
64 }
65 }
6667// Process each flash, possibly adding more to the queue.
68while let Some(index) = todo.pop() {
69 flashes += 1;
7071for offset in NEIGHBORS {
72let next = index.wrapping_add(offset) as usize;
73if flashed[next] {
74continue;
75 }
7677if grid[next] < 9 {
78 grid[next] += 1;
79 } else {
80 grid[next] = 0;
81 flashed[next] = true;
82 todo.push(next as u8);
83 }
84 }
85 }
8687 steps += 1;
88 total += flashes;
89 }
9091 (total, steps)
92}