use std::collections::{HashMap, HashSet}; use std::fmt::Debug; use std::fs; use std::ops::{Range, RangeInclusive}; use std::{cmp::Ordering, fmt::Display}; use anyhow::Error; use chrono::{Datelike, Local}; use pico_args::Arguments; fn main() -> Result<(), Error> { let mut args = Arguments::from_env(); let small = args.contains("--small"); let part = args.opt_free_from_str()?.unwrap_or(1); let day = args .opt_free_from_str()? .unwrap_or_else(|| Local::now().day()); let small = if small { ".small" } else { "" }; let path = format!("inputs/{day}{small}.txt"); let input = fs::read_to_string(path)?; println!("running day {day} part {part}"); let result = SOLUTIONS[day as usize - 1][part as usize - 1](input); println!("{result}"); Ok(()) } macro_rules! solutions { ($($all:expr),*) => { const DAYS: usize = 0 $( + solutions!(@expand $all 1) )*; const SOLUTIONS: [Day; DAYS] = [ $($all),* ]; }; (@expand $ignore:tt $e:expr) => {$e}; } enum Output { Num(u64), Str(String), } impl Display for Output { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { match self { Output::Num(n) => write!(f, "{n}"), Output::Str(s) => write!(f, "{s}"), } } } impl From for Output { fn from(n: u64) -> Self { Self::Num(n) } } impl From for Output { fn from(s: String) -> Self { Self::Str(s) } } type Part = fn(String) -> Output; type Day = [Part; 2]; solutions! { [ // day 1 part 1 |input| { let lines = input.lines(); let (max, _) = lines.fold((0, 0), |(max, sum), line| { if line.is_empty() { (max.max(sum), 0) } else { let cal = line.parse::().expect("Got bad line"); (max, sum + cal) } }); max.into() }, // day 1 part 2 |input| { let lines = input.lines(); let (a, b, c, _) = lines.fold((0, 0, 0, 0), |(a, b, c, sum), line| { if line.trim().is_empty() { if sum > a { (sum, a, b, 0) } else if sum > b { (a, sum, b, 0) } else if sum > c { (a, b, sum, 0) } else { (a, b, c, 0) } } else { let cal = line.trim().parse::().expect("Got bad line"); (a, b, c, sum + cal) } }); (a + b + c).into() }, ], [ // day 2 part 1 |input| { input .lines() .map(|line| { let (you, me) = line.split_once(' ').expect("oof"); let (you, me) = (RPS::from_str(you), RPS::from_str(me)); RPS::score(you, me) }) .sum::().into() }, // day 2 part 2 |input| { input .lines() .map(|line| { let (you, out) = line.split_once(' ').expect("oof"); let (you, out) = (RPS::from_str(you), Outcome::from_str(out)); let me = out.requires(you); RPS::score(you, me) }) .sum::().into() }, ], [ // day 3 part 1 |input| { input .lines() .map(|line| { let line = String::from(line); let rs = Rucksack::new(line); rs.score() }) .sum::().into() }, // day 3 part 2 |input| { let lines: Vec<_> = input.lines().collect(); lines .chunks(3) .map(|chunks| match chunks { [f, s, t] => { let rs = Rucksacks::new(String::from(*f), String::from(*s), String::from(*t)); rs.score() } _ => unreachable!("fooey"), }) .sum::().into() }, ], [ // day 4 part 1 |input| { (make_ranges(input) .iter() .filter(|(first, second)| { range_contains(first, second) || range_contains(second, first) }) .count() as u64).into() }, // day 4 part 2 |input| { (make_ranges(input) .iter() .filter(|(first, second)| range_overlaps(first, second) || range_overlaps(second, first)) .count() as u64).into() }, ], [ // day 5 part 1 |input| { let midpt = input.find("\n\n").unwrap(); let stacks = make_stacks(&input[..=midpt]); let rules = make_rules(&input[midpt + 2..]); run_rules(stacks, rules).into() }, // day 5 part 2 |input| { let midpt = input.find("\n\n").unwrap(); let stacks = make_stacks(&input[..=midpt]); let rules = make_rules(&input[midpt + 2..]); run_rules_9001(stacks, rules).into() }, ], [ // day 6 part 1 |input| find_start_marker(input, 4).into(), // day 6 part 2 |input| find_start_marker(input, 14).into(), ], [ // day 7 part 1 |input| { let cmds = make_commands(input); let dirs = produce_dirs(cmds); sum_dirs_at_most_100k(dirs).into() }, // day 7 part 2 |input| { let cmds = make_commands(input); let dirs = produce_dirs(cmds); find_smallest_big_dir(dirs).into() }, ], [ // day 8 part 1 |input| { let map = map_trees(input); let len = map.len(); let mut count: u64 = 4 * len as u64 - 4; for x in 1..len - 1 { for y in 1..len - 1 { if is_visible(&map, x, y, len) { count += 1; } } } count.into() }, // day 8 part 2 |input| { let map = map_trees(input); let len = map.len(); let mut max = 0; for x in 0..len { for y in 0..len { let score = view_score(&map, x, y, len); if score > max { max = score; } } } max.into() }, ], [ // day 9 part 1 |input| { let motions = parse_motions(input); let visits = motion_visits(motions, 2); (visits.len() as u64).into() }, // day 9 part 2 |input| { let motions = parse_motions(input); let visits = motion_visits(motions, 10); (visits.len() as u64).into() }, ], [ // day 10 part 1 |input| { let cmds = input.lines().map(Cmd::from_str).collect(); Screen::new().get_signal_strength(cmds).into() }, // day 10 part 2 |input| { let cmds = input.lines().map(Cmd::from_str).collect(); Screen::new().draw(cmds).to_string().into() } ] } struct Screen { x: isize, cycle: isize, strength: isize, output: String, } impl Screen { fn new() -> Self { Screen { x: 1, cycle: 1, strength: 0, output: String::new(), } } fn step_cycle(&mut self) { println!("cycle {}, x={}", self.cycle, self.x); self.cycle += 1; if (self.cycle - 20) % 40 == 0 { println!( "cycle {}, x={}, signal={}", self.cycle, self.x, self.x * self.cycle ); self.strength += self.x * self.cycle; } } fn get_signal_strength(&mut self, cmds: Vec) -> u64 { for cmd in cmds { match cmd { Cmd::Noop => self.step_cycle(), Cmd::Addx(n) => { self.step_cycle(); self.x += n; self.step_cycle(); } } } self.strength as u64 } fn draw_cycle(&mut self) { let coord = (self.cycle - 1) % 40; let sprite = self.x - 1..=self.x + 1; if sprite.contains(&coord) { self.output.push('#'); } else { self.output.push('.'); } if self.cycle % 40 == 0 { self.output.push('\n') } self.cycle += 1 } fn draw(&mut self, cmds: Vec) -> &str { for cmd in cmds { match cmd { Cmd::Noop => self.draw_cycle(), Cmd::Addx(n) => { self.draw_cycle(); self.draw_cycle(); self.x += n; } } } &self.output } } #[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord)] enum Cmd { Noop, Addx(isize), } impl Cmd { fn from_str(s: &str) -> Self { match s { "noop" => Cmd::Noop, _ => Cmd::Addx(s[5..].parse::().unwrap()), } } } #[derive(Debug, Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)] struct Pos { x: isize, y: isize, } struct Rope { knots: Vec, tail: usize, } impl Rope { fn head(&mut self) -> &mut Pos { &mut self.knots[0] } fn tail(&mut self) -> &mut Pos { &mut self.knots[self.tail] } fn pull(&mut self) { for i in 0..self.tail { let head = self.knots[i]; let tail = self.knots[i + 1]; self.knots[i + 1] = move_tail(head, tail); } } } fn move_tail(head: Pos, tail: Pos) -> Pos { let diff_x = head.x - tail.x; let diff_y = head.y - tail.y; if diff_x.abs() < 2 && diff_y.abs() < 2 { tail } else if diff_y == 0 { Pos { x: tail.x + (diff_x / diff_x.abs()), ..tail } } else if diff_x == 0 { Pos { y: tail.y + (diff_y / diff_y.abs()), ..tail } } else { Pos { x: tail.x + (diff_x / diff_x.abs()), y: tail.y + (diff_y / diff_y.abs()), } } } fn motion_visits(motions: Vec, n_knots: usize) -> HashMap { let mut map = HashMap::new(); let pos = Pos { x: 0, y: 0 }; let mut rope = Rope { knots: vec![pos; n_knots], tail: n_knots - 1, }; map.insert(pos, 1); for motion in motions { for _ in 0..motion.len { match motion.dir { Dir::U => rope.head().y += 1, Dir::D => rope.head().y -= 1, Dir::L => rope.head().x -= 1, Dir::R => rope.head().x += 1, } rope.pull(); if let Some(n) = map.get(&pos) { map.insert(*rope.tail(), *n + 1); } else { map.insert(*rope.tail(), 1); } } } map } fn parse_motions(input: String) -> Vec { input .lines() .map(|line| { let (dir, len) = line.split_once(' ').unwrap(); let dir = match dir { "U" => Dir::U, "D" => Dir::D, "L" => Dir::L, "R" => Dir::R, _ => unreachable!("ohno"), }; let len = len.parse::().unwrap(); Motion { dir, len } }) .collect() } struct Motion { dir: Dir, len: isize, } #[derive(Debug)] enum Dir { U, D, L, R, } fn view_length( me: u8, map: &[Vec], xs: impl Iterator + Debug, ys: impl Iterator + Clone + Debug, ) -> u64 { let mut len = 0; for x in xs { for y in ys.clone() { if map[x][y] >= me { return len + 1; } len += 1; } } len } fn view_score(map: &[Vec], x: usize, y: usize, len: usize) -> u64 { let me = map[x][y]; view_length(me, map, (0..x).rev(), y..y + 1) * view_length(me, map, x + 1..len, y..y + 1) * view_length(me, map, x..x + 1, (0..y).rev()) * view_length(me, map, x..x + 1, y + 1..len) } fn is_visible_single(me: u8, map: &[Vec], xs: Range, ys: Range) -> bool { for x in xs { for y in ys.clone() { if map[x][y] >= me { return false; } } } true } fn is_visible(map: &[Vec], x: usize, y: usize, len: usize) -> bool { let me = map[x][y]; is_visible_single(me, map, 0..x, y..y + 1) || is_visible_single(me, map, x + 1..len, y..y + 1) || is_visible_single(me, map, x..x + 1, 0..y) || is_visible_single(me, map, x..x + 1, y + 1..len) } fn map_trees(input: String) -> Vec> { input .lines() .map(|line| line.chars().map(to_digit).collect()) .collect() } fn to_digit(c: char) -> u8 { c as u8 - 48 } fn find_smallest_big_dir(mut dirs: HashMap) -> u64 { let total = 70_000_000; let wants = 30_000_000; let used = dirs.remove("").unwrap(); let free = total - used; let diff = wants - free; dirs.into_iter() .filter_map(|(_, v)| if v > diff { Some(v) } else { None }) .min() .unwrap() } fn sum_dirs_at_most_100k(dirs: HashMap) -> u64 { dirs.into_iter() .filter_map(|(_, v)| if v < 100_000 { Some(v) } else { None }) .sum() } fn produce_dirs(commands: Vec) -> HashMap { let mut map = HashMap::new(); let mut path = vec![String::new()]; for command in commands { match command { Command::Cd(cd) => match cd { Path::Root => path = vec![String::new()], Path::Parent => { path.pop(); } Path::Named(dir) => path.push(dir), }, Command::Ls(entries) => { for Entry::File(size) in entries { let mut new_path = String::new(); for part in path.iter() { new_path.push_str(part); if let Some(n) = map.get(&new_path) { map.insert(new_path.clone(), n + size); } else { map.insert(new_path.clone(), size); } new_path.push('/') } } } } } map } fn make_commands(input: String) -> Vec { let mut commands = vec![]; let mut lines = input.lines().peekable(); while lines.peek().is_some() { let next = lines.next().unwrap(); commands.push(match &next[2..4] { "cd" => { let path = match &next[5..] { "/" => Path::Root, ".." => Path::Parent, name => Path::Named(name.into()), }; Command::Cd(path) } "ls" => { let mut entries = vec![]; while let Some(line) = lines.peek() { if line.starts_with('$') { break; } let line = lines.next().unwrap(); if line.starts_with("dir") { // woop } else { let (size, _) = line.split_once(' ').unwrap(); entries.push(Entry::File(size.parse::().unwrap())) } } Command::Ls(entries) } erg => unreachable!("{erg}"), }) } commands } #[derive(Debug)] enum Command { Cd(Path), Ls(Vec), } #[derive(Debug)] enum Path { Root, Parent, Named(String), } #[derive(Debug)] enum Entry { File(u64), } fn find_start_marker(input: String, window_size: usize) -> u64 { for i in 0..input.len() - window_size { let window = &input[i..i + window_size]; let set: HashSet = HashSet::from_iter(window.chars()); if set.len() == window_size { return (i + window_size) as u64; } } unreachable!() } fn run_rules_9001(mut stacks: Vec>, rules: Vec) -> String { for rule in rules { let total = stacks[rule.from - 1].len(); let mut moved = stacks[rule.from - 1].drain((total - rule.n)..).collect(); stacks[rule.to - 1].append(&mut moved); } let mut s = String::new(); for stack in stacks { s.push(*stack.last().unwrap()) } s } fn run_rules(mut stacks: Vec>, rules: Vec) -> String { for rule in rules { for _ in 0..rule.n { let c = stacks[rule.from - 1].pop().unwrap(); stacks[rule.to - 1].push(c); } } let mut s = String::new(); for stack in stacks { s.push(*stack.last().unwrap()) } s } fn make_stacks(input: &str) -> Vec> { let n = (input.find('\n').unwrap()) / 4 + 1; let mut stacks = vec![vec![]; n]; input .lines() .rev() .filter(|line| line.trim().starts_with('[')) .for_each(|line| { for (idx, cr8) in line.chars().skip(1).step_by(4).enumerate() { if cr8 != ' ' { stacks[idx].push(cr8); } } }); stacks } #[derive(Debug)] struct Rule { n: usize, from: usize, to: usize, } impl Rule { fn new(raw: Vec) -> Self { Self { n: raw[0], from: raw[1], to: raw[2], } } } fn make_rules(input: &str) -> Vec { input .lines() .map(|line| { line.split_whitespace() .skip(1) .step_by(2) .map(|num| num.parse::().unwrap()) .collect() }) .map(Rule::new) .collect() } fn make_ranges(input: String) -> Vec<(RangeInclusive, RangeInclusive)> { input .lines() .map(|line| { line.split(',') .map(|range| { range .split('-') .map(|num| num.parse::().expect("bad num :/")) }) .map(|mut nums| { let lo = nums.next().expect("nolo :/"); let hi = nums.next().expect("nohi :/"); lo..=hi }) }) .map(|mut ranges| { let f = ranges.next().unwrap(); let s = ranges.next().unwrap(); (f, s) }) .collect() } fn range_contains(r1: &RangeInclusive, r2: &RangeInclusive) -> bool { r1.start() <= r2.start() && r1.end() >= r2.end() } fn range_overlaps(r1: &RangeInclusive, r2: &RangeInclusive) -> bool { r1.contains(r2.start()) } #[derive(Copy, Clone, PartialEq, Eq)] enum RPS { Rock, Paper, Scissors, } impl RPS { fn from_str(s: &str) -> Self { match s { "A" | "X" => RPS::Rock, "B" | "Y" => RPS::Paper, "C" | "Z" => RPS::Scissors, _ => unreachable!("you did a bad thing"), } } fn win(self) -> RPS { match self { RPS::Rock => RPS::Scissors, RPS::Paper => RPS::Rock, RPS::Scissors => RPS::Paper, } } fn lose(self) -> RPS { match self { RPS::Rock => RPS::Paper, RPS::Paper => RPS::Scissors, RPS::Scissors => RPS::Rock, } } fn cmp(self, other: Self) -> Ordering { if self == other { Ordering::Equal } else if self.win() == other { Ordering::Greater } else { Ordering::Less } } fn score(you: Self, me: Self) -> u64 { let base = match me { RPS::Rock => 1, RPS::Paper => 2, RPS::Scissors => 3, }; let win = match RPS::cmp(me, you) { Ordering::Less => 0, Ordering::Equal => 3, Ordering::Greater => 6, }; base + win } } #[derive(Copy, Clone)] enum Outcome { Win, Draw, Lose, } impl Outcome { fn from_str(s: &str) -> Self { match s { "X" => Outcome::Lose, "Y" => Outcome::Draw, "Z" => Outcome::Win, _ => unreachable!("yikes"), } } fn requires(self, you: RPS) -> RPS { match self { Outcome::Win => you.lose(), Outcome::Draw => you, Outcome::Lose => you.win(), } } } struct Rucksack { first: HashSet, second: HashSet, } impl Rucksack { fn new(mut input: String) -> Self { assert!(input.len() % 2 == 0); let second = input.split_off(input.len() / 2).chars().collect(); Self { first: input.chars().collect(), second, } } fn overlap(&self) -> HashSet<&char> { self.first.intersection(&self.second).collect() } fn score(&self) -> u64 { self.overlap().into_iter().copied().map(score_char).sum() } } struct Rucksacks { first: HashSet, second: HashSet, third: HashSet, } impl Rucksacks { fn new(f: String, s: String, t: String) -> Self { Rucksacks { first: f.chars().collect(), second: s.chars().collect(), third: t.chars().collect(), } } fn intersection(&self) -> HashSet { let start: HashSet<_> = self.first.intersection(&self.second).copied().collect(); start.intersection(&self.third).copied().collect() } fn score(&self) -> u64 { self.intersection().into_iter().map(score_char).sum() } } fn score_char(c: char) -> u64 { if c.is_lowercase() { c as u64 - 96 } else { c as u64 - 38 } }