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
pub struct Ellipse {
center_x: f64,
center_y: f64,
major_axis: f64,
minor_axis: f64,
theta_sin: f64,
theta_cos: f64,
intensity: f64,
#[cfg(not(feature = "slow_impl"))]
bounding_box: (f64, f64, f64, f64),
}
impl Ellipse {
pub fn new(
center_x: f64,
center_y: f64,
major_axis: f64,
minor_axis: f64,
theta: f64,
intensity: f64,
) -> Self {
let theta = theta.to_radians();
let theta_sin = theta.sin();
let theta_cos = theta.cos();
#[cfg(not(feature = "slow_impl"))]
let bbx = ((theta_cos * major_axis).powi(2) + (theta_sin * minor_axis).powi(2)).sqrt();
#[cfg(not(feature = "slow_impl"))]
let bby = ((theta_sin * major_axis).powi(2) + (theta_cos * minor_axis).powi(2)).sqrt();
#[cfg(not(feature = "slow_impl"))]
let bounding_box = (
(center_x - bbx),
(center_y - bby),
(center_x + bbx),
(center_y + bby),
);
Ellipse {
center_x,
center_y,
major_axis,
minor_axis,
theta_sin,
theta_cos,
intensity,
#[cfg(not(feature = "slow_impl"))]
bounding_box,
}
}
pub fn inside(&self, x: f64, y: f64) -> bool {
(self.theta_cos * (x - self.center_x) + self.theta_sin * (y - self.center_y)).powi(2)
/ self.major_axis.powi(2)
+ (self.theta_sin * (x - self.center_x) - self.theta_cos * (y - self.center_y)).powi(2)
/ self.minor_axis.powi(2) <= 1.0
}
pub fn intensity(&self) -> f64 {
self.intensity
}
#[cfg(not(feature = "slow_impl"))]
pub fn bounding_box(&self, nx: usize, ny: usize) -> (usize, usize, usize, usize) {
let bx1 = ((self.bounding_box.0 + 1.0) * (nx as f64) / 2.0).floor();
let by1 = ((self.bounding_box.1 + 1.0) * (ny as f64) / 2.0).floor();
let bx2 = ((self.bounding_box.2 + 1.0) * (nx as f64) / 2.0).ceil();
let by2 = ((self.bounding_box.3 + 1.0) * (ny as f64) / 2.0).ceil();
let out: Vec<usize> = [bx1, by1, bx2, by2]
.iter()
.zip([nx, ny, nx, ny].iter())
.map(|(x, n)| {
if *x < 0.0 {
0
} else if *x > *n as f64 {
*n
} else {
*x as usize
}
})
.collect();
(out[0], out[1], out[2], out[3])
}
}