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
#[derive(Debug, Copy, Clone, Default, PartialEq)]
pub struct Rect {
pub x: usize,
pub y: usize,
pub w: usize,
pub h: usize,
}
impl Rect {
#[inline]
pub fn new(x: usize, y: usize, w: usize, h: usize) -> Self {
Self {
x, y, w, h
}
}
#[inline]
pub fn of_size(w: usize, h: usize) -> Self {
Self::new(0, 0, w, h)
}
#[inline]
pub fn area(&self) -> usize {
self.w * self.h
}
#[inline]
pub fn contains(&self, other: &Rect) -> bool {
other.x >= self.x &&
other.y >= self.y &&
other.right() <= self.right() &&
other.bottom() <= self.bottom()
}
#[inline]
pub fn overlaps(&self, other: &Rect) -> bool {
self.x < other.right() &&
self.y < other.bottom() &&
self.right() > other.x &&
self.bottom() > other.y
}
#[inline]
pub fn top_left(&self) -> (usize, usize) {
(self.x, self.y)
}
#[inline]
pub fn right(&self) -> usize {
self.x + self.w
}
#[inline]
pub fn bottom(&self) -> usize {
self.y + self.h
}
#[inline]
pub(crate) fn split(&self, rect: &Rect) -> [Option<Self>; 4] {
let (self_r, self_b) = (self.right(), self.bottom());
let (rect_r, rect_b) = (rect.right(), rect.bottom());
[
match rect.x > self.x {
true => Some(Self::new(self.x, self.y, rect.x - self.x, self.h)),
false => None,
},
match rect_r < self_r {
true => Some(Self::new(rect_r, self.y, self_r - rect_r, self.h)),
false => None,
},
match rect.y > self.y {
true => Some(Self::new(self.x, self.y, self.w, rect.y - self.y)),
false => None,
},
match rect_b < self_b {
true => Some(Self::new(self.x, rect_b, self.w, self_b - rect_b)),
false => None,
},
]
}
}