summaryrefslogtreecommitdiff
path: root/2023/src/bin/day_23.rs
blob: 801b0b4cff40ae8b7a75562bd950d55c7fbbc170 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
use nalgebra::Point2;
use nom::{
    branch::alt,
    character::complete::{char, line_ending},
    combinator::{map, value},
    multi::{many1, separated_list1},
    IResult,
};
use std::{collections::HashSet, fs};

fn main() -> Result<(), Box<dyn std::error::Error>> {
    let input = fs::read_to_string("inputs/day_23.txt")?;
    let forest_map = ForestMap::parser(&input).unwrap().1;
    dbg!(forest_map.longest_end_path_length(true));
    dbg!(forest_map.longest_end_path_length(false));

    Ok(())
}

#[derive(Debug)]
struct ForestMap(Vec<Vec<ForestTile>>);

#[derive(Debug, Clone, Copy, PartialEq, Eq)]
enum ForestTile {
    Wall,
    Open,
    SlopeUp,
    SlopeDown,
    SlopeLeft,
    SlopeRight,
}

#[derive(Debug, Clone)]
struct DecisionNode {
    explored: HashSet<Point2<usize>>,
    current: Point2<usize>,
}

impl ForestMap {
    fn parser(input: &str) -> IResult<&str, Self> {
        map(
            separated_list1(line_ending, many1(ForestTile::parser)),
            ForestMap,
        )(input)
    }

    fn longest_end_path_length(&self, slippery: bool) -> usize {
        let start_point = Point2::new(1, 0);
        let end_point = Point2::new(self.0[0].len() - 2, self.0.len() - 1);

        let mut active_nodes = vec![DecisionNode {
            explored: HashSet::new(),
            current: start_point,
        }];
        active_nodes[0].explored.insert(start_point);
        let mut longest_end_path_length: Option<usize> = None;

        while let Some(mut node) = active_nodes.pop() {
            let mut all_adjacent = self.adjacent(&node.current, &node.explored, slippery);
            while all_adjacent.len() == 1 {
                let adjacent = all_adjacent[0];
                node.explored.insert(adjacent);
                node.current = adjacent;

                if node.current == end_point {
                    let end_path_length = node.path_length();
                    longest_end_path_length = if let Some(current_longest) = longest_end_path_length
                    {
                        Some(current_longest.max(end_path_length))
                    } else {
                        Some(end_path_length)
                    };
                    all_adjacent = vec![];
                } else {
                    all_adjacent = self.adjacent(&node.current, &node.explored, slippery);
                }
            }

            for adjacent in all_adjacent {
                let mut new_node = node.clone();
                new_node.explored.insert(adjacent);
                new_node.current = adjacent;

                if new_node.current == end_point {
                    let end_path_length = new_node.path_length();
                    longest_end_path_length = if let Some(current_longest) = longest_end_path_length
                    {
                        Some(current_longest.max(end_path_length))
                    } else {
                        Some(end_path_length)
                    };
                } else {
                    active_nodes.push(new_node);
                }
            }
        }

        longest_end_path_length.unwrap()
    }

    fn adjacent(
        &self,
        p: &Point2<usize>,
        not_these: &HashSet<Point2<usize>>,
        slippery: bool,
    ) -> Vec<Point2<usize>> {
        let mut adjacent = Vec::with_capacity(4);
        let tile = self.at(p);

        if p.x > 0 && (!slippery || matches!(tile, ForestTile::Open | ForestTile::SlopeLeft)) {
            adjacent.push(Point2::new(p.x - 1, p.y));
        }
        if p.y > 0 && (!slippery || matches!(tile, ForestTile::Open | ForestTile::SlopeUp)) {
            adjacent.push(Point2::new(p.x, p.y - 1));
        }
        if p.x < self.0[p.y].len() - 1
            && (!slippery || matches!(tile, ForestTile::Open | ForestTile::SlopeRight))
        {
            adjacent.push(Point2::new(p.x + 1, p.y));
        }
        if p.y < self.0.len() - 1
            && (!slippery || matches!(tile, ForestTile::Open | ForestTile::SlopeDown))
        {
            adjacent.push(Point2::new(p.x, p.y + 1));
        }

        adjacent.retain(|adj_p| self.at(adj_p) != ForestTile::Wall && !not_these.contains(adj_p));
        adjacent
    }

    fn at(&self, p: &Point2<usize>) -> ForestTile {
        self.0[p.y][p.x]
    }
}

impl ForestTile {
    fn parser(input: &str) -> IResult<&str, Self> {
        alt((
            value(ForestTile::Wall, char('#')),
            value(ForestTile::Open, char('.')),
            value(ForestTile::SlopeUp, char('^')),
            value(ForestTile::SlopeDown, char('v')),
            value(ForestTile::SlopeLeft, char('<')),
            value(ForestTile::SlopeRight, char('>')),
        ))(input)
    }
}

impl DecisionNode {
    fn path_length(&self) -> usize {
        self.explored.len() - 1
    }
}