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
use crate::{geometry::Point, primitives::Rectangle};
#[derive(Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash, Debug)]
pub struct Points {
left: i32,
bottom_right: Point,
current_point: Point,
}
impl Points {
pub(in crate::primitives::rectangle) fn new(rectangle: &Rectangle) -> Self {
let bottom_right = rectangle.top_left + rectangle.size - Point::new(1, 1);
Self {
left: rectangle.top_left.x,
bottom_right,
current_point: rectangle.top_left,
}
}
pub const fn empty() -> Self {
Self {
left: 0,
bottom_right: Point::new(-1, -1),
current_point: Point::zero(),
}
}
}
impl Iterator for Points {
type Item = Point;
fn next(&mut self) -> Option<Self::Item> {
if self.current_point.y > self.bottom_right.y {
return None;
}
let ret = self.current_point;
self.current_point.x += 1;
if self.current_point.x > self.bottom_right.x {
self.current_point.x = self.left;
self.current_point.y += 1;
}
Some(ret)
}
}
#[cfg(test)]
mod tests {
use super::*;
use crate::{
geometry::{Point, Size},
primitives::{PointsIter, Rectangle},
};
#[test]
fn points_iter() {
let rectangle = Rectangle::new(Point::new(10, 20), Size::new(2, 3));
let mut points = rectangle.points();
assert_eq!(points.next(), Some(Point::new(10, 20)));
assert_eq!(points.next(), Some(Point::new(11, 20)));
assert_eq!(points.next(), Some(Point::new(10, 21)));
assert_eq!(points.next(), Some(Point::new(11, 21)));
assert_eq!(points.next(), Some(Point::new(10, 22)));
assert_eq!(points.next(), Some(Point::new(11, 22)));
assert_eq!(points.next(), None);
}
#[test]
fn points_iter_zero_size() {
let rectangle = Rectangle::new(Point::new(1, 2), Size::zero());
let mut points = rectangle.points();
assert_eq!(points.next(), None);
}
#[test]
fn points_iter_empty() {
let mut points = Points::empty();
assert_eq!(points.next(), None);
}
}