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
use crate::input::Input;
use std::collections::HashSet;
fn is_valid(password: &[u8]) -> bool {
if !password
.windows(3)
.any(|w| w[1] == w[0] + 1 && w[2] == w[1] + 1)
{
return false;
}
if password.iter().any(|b| [b'i', b'o', b'l'].contains(b)) {
return false;
}
let mut pairs = HashSet::new();
for window in password.windows(2) {
if window[0] == window[1] {
pairs.insert(window);
}
}
pairs.len() > 1
}
pub fn solve(input: &mut Input) -> Result<String, String> {
let bytes = input.text.as_bytes();
if bytes.len() != 8 || bytes.iter().any(|b| !b.is_ascii_lowercase()) {
return Err("Invalid current password (not 8 lower ASCII characters)".to_string());
}
let mut current_password = [0_u8; 8];
current_password.copy_from_slice(bytes);
let mut return_next_password = input.is_part_one();
'outer: loop {
if is_valid(¤t_password) {
if return_next_password {
return Ok(std::str::from_utf8(¤t_password)
.map_err(|_| "Invalid utf-8 in password")?
.to_string());
} else {
return_next_password = true;
}
}
if current_password[7] == b'z' {
for idx in (0..=6).rev() {
if current_password[idx] != b'z' {
current_password[idx] += 1;
for c in current_password.iter_mut().skip(idx + 1) {
*c = b'a';
}
continue 'outer;
}
}
return Err("Unable to generate valid password".to_string());
} else {
current_password[7] += 1;
}
}
}
#[test]
pub fn tests() {
use crate::input::{test_part_one, test_part_two};
test_part_one!("abcdefgh" => "abcdffaa".to_string());
let real_input = include_str!("day11_input.txt");
test_part_one!(real_input => "hepxxyzz".to_string());
test_part_two!(real_input => "heqaabcc".to_string());
}