-use std::collections::{HashMap, HashSet};
+use std::collections::HashSet;
fn input() -> &'static str {
include_str!("../input/day06.txt")
}
-#[derive(Debug, Hash, Eq, PartialEq, Copy, Clone)]
+#[derive(Debug, Eq, PartialEq, Copy, Clone)]
enum Dir {
N,
E,
W,
}
-#[derive(Debug, Hash, Eq, PartialEq, Copy, Clone)]
+#[derive(Debug, Eq, PartialEq, Copy, Clone)]
enum Tile {
Space,
Obstacle,
}
}
- fn new_blocked(map: &'a Vec<Vec<Tile>>, block: (usize, usize)) -> Self {
+ fn new_blocked(
+ map: &'a Vec<Vec<Tile>>,
+ block: (usize, usize),
+ pos: Option<(usize, usize)>,
+ ) -> Self {
GuardWalk {
map,
guard: None,
- pos: None,
+ pos,
block: Some(block),
}
}
+ fn find_guard(&self) -> Option<(usize, usize)> {
+ if let Some(pos) = self.pos {
+ Some(pos)
+ } else {
+ self.map
+ .iter()
+ .zip(0..)
+ .flat_map(move |(v, i)| {
+ v.iter()
+ .zip(0..)
+ .filter(move |(&c, _)| matches!(c, Tile::Guard(_)))
+ .map(move |(_, j)| (i, j))
+ })
+ .last()
+ }
+ }
+
fn has_cycle(mut self) -> bool {
- let mut counts: HashMap<((usize, usize), Tile), u32> = HashMap::new();
- while let Some(pos) = self.next() {
- if let Some(guard) = self.guard {
- let count = counts.entry((pos, guard)).or_default();
- *count += 1;
- if *count >= 3 {
+ let n = self.map.len();
+ // a straight vec is much faster than a hashmap
+ let mut counts: Vec<u32> = vec![0; n * n * 4];
+ while let Some((i, j)) = self.next() {
+ if let Some(Tile::Guard(dir)) = self.guard {
+ let k = match dir {
+ Dir::N => 0,
+ Dir::E => 1,
+ Dir::S => 2,
+ Dir::W => 3,
+ };
+ counts[i * n * 4 + j * 4 + k] += 1;
+ if counts[i * n * 4 + j * 4 + k] >= 3 {
+ // because the guard idles for a "turn" when it hits an obstacle we have to say
+ // 3 rather than 2
return true;
}
}
}
}
-impl<'a> Iterator for GuardWalk<'a> {
+impl Iterator for GuardWalk<'_> {
type Item = (usize, usize);
fn next(&mut self) -> Option<Self::Item> {
if self.guard.is_none() || self.pos.is_none() {
- self.pos = self
- .map
- .iter()
- .zip(0..)
- .flat_map(move |(v, i)| {
- v.iter()
- .zip(0..)
- .filter(move |(&c, _)| matches!(c, Tile::Guard(_)))
- .map(move |(_, j)| (i, j))
- })
- .last();
+ self.pos = self.find_guard();
if let Some(pos) = self.pos {
self.guard = Some(self.map[pos.0][pos.1]);
if matches!(self.block, Some(block) if block == pos) {
pub fn part2() {
let map = parse(input());
- let n = GuardWalk::new(&map)
+ let walk = GuardWalk::new(&map);
+ let guard_pos = walk.find_guard();
+ let n = walk
.collect::<HashSet<_>>()
.iter()
- .filter(|&&p| GuardWalk::new_blocked(&map, p).has_cycle())
+ .filter(|&&p| GuardWalk::new_blocked(&map, p, guard_pos).has_cycle())
.count();
println!("Day 6 Part 2: {}", n);
}
GuardWalk::new(&map)
.collect::<HashSet<_>>()
.iter()
- .filter(|&&p| GuardWalk::new_blocked(&map, p).has_cycle())
+ .filter(|&&p| GuardWalk::new_blocked(&map, p, None).has_cycle())
.count(),
6
)