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
use kurbo::{BezPath, Rect, Shape, Vec2};
#[derive(Clone, Debug)]
pub struct Region {
rects: Vec<Rect>,
}
impl Region {
pub const EMPTY: Region = Region { rects: Vec::new() };
#[inline]
pub fn rects(&self) -> &[Rect] {
&self.rects
}
pub fn add_rect(&mut self, rect: Rect) {
if rect.area() > 0.0 {
self.rects.push(rect);
}
}
pub fn set_rect(&mut self, rect: Rect) {
self.clear();
self.add_rect(rect);
}
pub fn clear(&mut self) {
self.rects.clear();
}
pub fn bounding_box(&self) -> Rect {
if self.rects.is_empty() {
Rect::ZERO
} else {
self.rects[1..]
.iter()
.fold(self.rects[0], |r, s| r.union(*s))
}
}
#[deprecated(since = "0.7.0", note = "Use bounding_box() instead")]
pub fn to_rect(&self) -> Rect {
self.bounding_box()
}
pub fn intersects(&self, rect: Rect) -> bool {
self.rects.iter().any(|r| r.intersect(rect).area() > 0.0)
}
pub fn is_empty(&self) -> bool {
self.rects.is_empty()
}
pub fn to_bez_path(&self) -> BezPath {
let mut ret = BezPath::new();
for rect in self.rects() {
ret.extend(rect.path_elements(0.0));
}
ret
}
pub fn union_with(&mut self, other: &Region) {
self.rects.extend_from_slice(&other.rects);
}
pub fn intersect_with(&mut self, rect: Rect) {
for r in &mut self.rects {
*r = r.intersect(rect);
}
self.rects.retain(|r| r.area() > 0.0)
}
}
impl std::ops::AddAssign<Vec2> for Region {
fn add_assign(&mut self, rhs: Vec2) {
for r in &mut self.rects {
*r = *r + rhs;
}
}
}
impl std::ops::SubAssign<Vec2> for Region {
fn sub_assign(&mut self, rhs: Vec2) {
for r in &mut self.rects {
*r = *r - rhs;
}
}
}
impl From<Rect> for Region {
fn from(rect: Rect) -> Region {
Region { rects: vec![rect] }
}
}