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
use std::collections::HashSet;
#[derive(Debug, PartialEq)]
pub struct GridRoom {
cells: HashSet<(usize, usize)>,
connected: bool,
}
impl GridRoom {
pub fn new() -> GridRoom {
GridRoom {
cells: HashSet::new(),
connected: false,
}
}
pub fn add_cell(&mut self, (x, y): &(usize, usize)) -> Result<bool, String> {
Ok(self.cells.insert((*x, *y)))
}
pub fn remove_cell(&mut self, (x, y): &(usize, usize)) -> Result<bool, String> {
Ok(self.cells.remove(&(*x, *y)))
}
pub fn is_empty(&self) -> bool {
self.cells.is_empty()
}
pub fn nearest_cells(
&self,
other: &GridRoom,
) -> Result<((usize, usize), (usize, usize)), String> {
if self.is_empty() {
return Err("our room is empty; no nearest cells".to_string());
} else if other.is_empty() {
return Err("their room is empty; no nearest cells".to_string());
}
let mut best_distance = std::usize::MAX;
let mut our_closest = (0, 0);
let mut their_closest = (0, 0);
for our_cell in self.iter_cells() {
for their_cell in other.iter_cells() {
let this_distance = ((our_cell.0 as isize - their_cell.0 as isize).pow(2)
+ (our_cell.1 as isize - their_cell.1 as isize).pow(2))
as usize;
if this_distance > best_distance {
continue;
}
best_distance = this_distance;
our_closest = *our_cell;
their_closest = *their_cell;
}
}
Ok((our_closest, their_closest))
}
pub fn iter_cells(&self) -> std::collections::hash_set::Iter<'_, (usize, usize)> {
self.cells.iter()
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn new() {
let room = GridRoom::new();
assert_eq!(0, room.iter_cells().count());
}
#[test]
fn nearest_square() {
let mut r1 = GridRoom::new();
let mut r2 = GridRoom::new();
r1.add_cell(&(0, 0)).unwrap();
r1.add_cell(&(0, 1)).unwrap();
r1.add_cell(&(1, 0)).unwrap();
r1.add_cell(&(1, 1)).unwrap();
r2.add_cell(&(3, 3)).unwrap();
r2.add_cell(&(3, 4)).unwrap();
r2.add_cell(&(4, 3)).unwrap();
r2.add_cell(&(4, 4)).unwrap();
assert_eq!(((1, 1), (3, 3)), r1.nearest_cells(&r2).unwrap())
}
}