summaryrefslogtreecommitdiff
path: root/2020/rust/day06/src/main.rs
blob: 948276a258e5d7495fc5afcb57bd04bf875ac42f (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
use anyhow::Result;
use std::collections::HashSet;
use std::env::args;
use std::fs::File;
use std::io::{BufRead, BufReader};
use std::path::Path;

fn read_input<T: AsRef<Path>>(filename: T) -> Result<Vec<Vec<String>>> {
    let f = File::open(filename)?;
    let reader = BufReader::new(f);
    let mut group = vec![];
    let mut groups = vec![];

    for line in reader.lines() {
        let line = line?;
        if line.is_empty() {
            groups.push(group);
            group = vec![];
            continue;
        }
        group.push(line);
    }
    groups.push(group);

    Ok(groups)
}

fn part1(input: &[Vec<String>]) -> Option<usize> {
    let mut groups = vec![];
    for group in input {
        let mut set = HashSet::new();
        for form in group.iter() {
            for answer in form.clone().drain(..) {
                set.insert(answer);
            }
        }
        groups.push(set);
    }
    Some(groups.iter().map(|g| g.len()).sum())
}

fn part2(input: &[Vec<String>]) -> Option<usize> {
    let mut groups = vec![];
    for group in input {
        let sets: Vec<_> = group.iter().map(|form| {
            let mut set = HashSet::new();
            for answer in form.clone().drain(..) {
                set.insert(answer);
            }
            set
        }).collect();
        let combined: HashSet<_> = match sets.get(0) {
            Some(first) => sets.iter()
                .fold(first.clone(), |a, s| s.intersection(&a).cloned().collect()),
            None => return None,
        };

        groups.push(combined);
    }
    Some(groups.iter().map(|g| g.len()).sum())
}

fn main() {
    let (do_part_1, do_part_2) = aoc::do_parts();

    let filename = match args().nth(1) {
        Some(f) => f,
        None => {
            eprintln!("Missing input filename");
            std::process::exit(1);
        },
    };
    match read_input(filename) {
        Ok(input) => {
            if do_part_1 {
                match part1(&input) {
                    Some(solution) =>
                        println!("Part1, sum of all groups combined yes answers: {}", solution),
                    None => eprintln!("Part1, no soluton found"),
                }
            }
            if do_part_2 {
                match part2(&input) {
                    Some(solution) =>
                        println!("Part2, sum of all groups common yes answers: {}", solution),
                    None => eprintln!("Part2, no soluton found"),
                }
            }
        },
        Err(err) => eprintln!("Could not read input: {}", err),
    }
}