2021: day15: part 1
This commit is contained in:
parent
1fb0be9e89
commit
d204e46890
5 changed files with 278 additions and 0 deletions
165
aoc2021/src/day15.rs
Normal file
165
aoc2021/src/day15.rs
Normal file
|
|
@ -0,0 +1,165 @@
|
|||
use std::cmp::Reverse;
|
||||
use std::collections::BinaryHeap;
|
||||
use std::fmt::Write;
|
||||
|
||||
use anyhow::{Context, Result};
|
||||
|
||||
const INPUT: &str = include_str!("../input/day15.txt");
|
||||
|
||||
pub fn run() -> Result<String> {
|
||||
let mut res = String::with_capacity(128);
|
||||
|
||||
writeln!(res, "part 1: {}", part1(INPUT)?)?;
|
||||
|
||||
Ok(res)
|
||||
}
|
||||
|
||||
fn part1(input: &str) -> Result<u64> {
|
||||
let cavern: CavernMap = input.parse()?;
|
||||
|
||||
let lowest_risk = cavern.lowest_risk_path();
|
||||
|
||||
Ok(lowest_risk)
|
||||
}
|
||||
|
||||
struct CavernMap {
|
||||
height: usize,
|
||||
width: usize,
|
||||
risk: Vec<u64>,
|
||||
}
|
||||
|
||||
impl CavernMap {
|
||||
// typical Dijkstra implementation, using a binary heap as a priority queue
|
||||
fn lowest_risk_path(&self) -> u64 {
|
||||
let mut visited = Vec::new();
|
||||
visited.resize(self.height * self.width, false);
|
||||
let mut total_risk = Vec::new();
|
||||
total_risk.resize(self.height * self.width, u64::MAX);
|
||||
total_risk[self.index(0, 0)] = 0;
|
||||
|
||||
let mut queue = BinaryHeap::new();
|
||||
queue.push(Reverse((0, (0, 0))));
|
||||
|
||||
while !queue.is_empty() {
|
||||
let Reverse((curr_risk, (x, y))) = queue.pop().unwrap();
|
||||
debug_assert_eq!(curr_risk, total_risk[self.index(x, y)]);
|
||||
|
||||
if (x, y) == (self.width - 1, self.height - 1) {
|
||||
// reached destination, we're done!
|
||||
break;
|
||||
}
|
||||
|
||||
if visited[self.index(x, y)] {
|
||||
// duplicate entry in queue, discard
|
||||
continue;
|
||||
}
|
||||
visited[self.index(x, y)] = true;
|
||||
|
||||
for (nx, ny) in self.neighbours(x, y) {
|
||||
let neighbour_index = self.index(nx, ny);
|
||||
let old_risk = total_risk[neighbour_index];
|
||||
let new_risk = curr_risk + self.risk[neighbour_index];
|
||||
|
||||
if new_risk < old_risk {
|
||||
total_risk[neighbour_index] = new_risk;
|
||||
// we don't delete older queue entries for the same cell, if we find them later
|
||||
// on we can just skip them because they're marked as visited already
|
||||
queue.push(Reverse((new_risk, (nx, ny))));
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
*total_risk.last().unwrap()
|
||||
}
|
||||
|
||||
fn neighbours(&self, x: usize, y: usize) -> impl Iterator<Item = (usize, usize)> + 'static {
|
||||
let width = self.width;
|
||||
let height = self.height;
|
||||
Neighbour::ALL
|
||||
.iter()
|
||||
.copied()
|
||||
.filter_map(move |neighbour| neighbour.apply(x, y, width, height))
|
||||
}
|
||||
|
||||
fn index(&self, x: usize, y: usize) -> usize {
|
||||
y * self.width + x
|
||||
}
|
||||
}
|
||||
|
||||
impl std::str::FromStr for CavernMap {
|
||||
type Err = anyhow::Error;
|
||||
|
||||
fn from_str(s: &str) -> Result<Self> {
|
||||
let mut risk = Vec::new();
|
||||
|
||||
let mut height = 0;
|
||||
let mut width = None;
|
||||
for line in s.lines().map(str::trim) {
|
||||
let line = line
|
||||
.chars()
|
||||
.map(|chr| {
|
||||
chr.to_digit(10)
|
||||
.map(|digit| digit as u64)
|
||||
.with_context(|| format!("cannot parse char {} to digit", chr))
|
||||
})
|
||||
.collect::<Result<Vec<_>>>()?;
|
||||
|
||||
if width.is_none() {
|
||||
width = Some(line.len());
|
||||
}
|
||||
|
||||
height += 1;
|
||||
risk.extend_from_slice(&line);
|
||||
}
|
||||
|
||||
Ok(CavernMap {
|
||||
height,
|
||||
width: width.context("0 lines parsed, width never computed")?,
|
||||
risk,
|
||||
})
|
||||
}
|
||||
}
|
||||
|
||||
#[derive(Clone, Copy)]
|
||||
enum Neighbour {
|
||||
Up,
|
||||
Down,
|
||||
Left,
|
||||
Right,
|
||||
}
|
||||
|
||||
impl Neighbour {
|
||||
fn apply(&self, x: usize, y: usize, width: usize, height: usize) -> Option<(usize, usize)> {
|
||||
match self {
|
||||
Neighbour::Left if x > 0 => Some((x - 1, y)),
|
||||
Neighbour::Right if x < width - 1 => Some((x + 1, y)),
|
||||
Neighbour::Up if y > 0 => Some((x, y - 1)),
|
||||
Neighbour::Down if y < height - 1 => Some((x, y + 1)),
|
||||
_ => None,
|
||||
}
|
||||
}
|
||||
|
||||
const ALL: &'static [Self] = &[
|
||||
Neighbour::Left,
|
||||
Neighbour::Right,
|
||||
Neighbour::Up,
|
||||
Neighbour::Down,
|
||||
];
|
||||
}
|
||||
|
||||
#[cfg(test)]
|
||||
mod tests {
|
||||
use super::*;
|
||||
|
||||
const PROVIDED: &str = include_str!("../input/day15_provided.txt");
|
||||
|
||||
#[test]
|
||||
fn part1_provided() {
|
||||
assert_eq!(part1(PROVIDED).unwrap(), 40);
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn part1_real() {
|
||||
assert_eq!(part1(INPUT).unwrap(), 562);
|
||||
}
|
||||
}
|
||||
|
|
@ -14,3 +14,4 @@ pub mod day11;
|
|||
pub mod day12;
|
||||
pub mod day13;
|
||||
pub mod day14;
|
||||
pub mod day15;
|
||||
|
|
|
|||
|
|
@ -16,6 +16,7 @@ use aoc2021::day11;
|
|||
use aoc2021::day12;
|
||||
use aoc2021::day13;
|
||||
use aoc2021::day14;
|
||||
use aoc2021::day15;
|
||||
|
||||
fn main() -> Result<()> {
|
||||
let days: &[DayFunc] = &[
|
||||
|
|
@ -33,6 +34,7 @@ fn main() -> Result<()> {
|
|||
day12::run,
|
||||
day13::run,
|
||||
day14::run,
|
||||
day15::run,
|
||||
];
|
||||
|
||||
aoc::run(days)
|
||||
|
|
|
|||
Loading…
Add table
Add a link
Reference in a new issue