trackball/orbit.rs
1use nalgebra::{Point2, RealField, Unit, UnitQuaternion, Vector3};
2use simba::scalar::SubsetOf;
3
4#[cfg(not(feature = "cc"))]
5use crate::Image;
6
7/// Orbit induced by displacement on screen.
8///
9/// Implements [`Default`] and can be created with `Orbit::default()`.
10///
11/// Both its methods must be invoked on matching events fired by your 3D graphics library of choice.
12#[derive(Debug, Clone, Default)]
13pub struct Orbit<N: Copy + RealField> {
14 /// Caches normalization of previous cursor/finger position.
15 vec: Option<(Unit<Vector3<N>>, N)>,
16}
17
18#[cfg(not(feature = "cc"))]
19use nalgebra::Matrix3;
20
21#[cfg(not(feature = "cc"))]
22impl<N: Copy + RealField> Orbit<N> {
23 /// Computes rotation between previous and current cursor/finger position.
24 ///
25 /// Normalization of previous position is cached and has to be discarded on button/finger
26 /// release via [`Self::discard()`]. Current position `pos` is clamped between origin and
27 /// maximum position `max` as screen's width and height.
28 ///
29 /// Screen space with origin in top left corner:
30 ///
31 /// * x-axis from left to right,
32 /// * y-axis from top to bottom.
33 ///
34 /// Camera space with origin at its target, the trackball's center:
35 ///
36 /// * x-axis from left to right,
37 /// * y-axis from bottom to top,
38 /// * z-axis from far to near.
39 ///
40 /// Returns `None`:
41 ///
42 /// * on first invocation and after [`Self::discard()`] as there is no previous position yet,
43 /// * in the unlikely case that a position event fires twice resulting in zero displacements.
44 pub fn compute(&mut self, pos: &Point2<N>, max: &Point2<N>) -> Option<UnitQuaternion<N>> {
45 // Clamped cursor/finger position from left to right and top to bottom.
46 let pos = Image::clamp_pos_wrt_max(pos, max);
47 // Centered cursor/finger position and its maximum from left to right and bottom to top.
48 let (pos, max) = Image::transform_pos_and_max_wrt_max(&pos, max);
49 // Positive z-axis pointing from far to near.
50 let (pos, pza) = (pos.coords.push(N::zero()), Vector3::z_axis());
51 // New position as ray and length on xy-plane or z-axis of zero length for origin position.
52 let (ray, len) = Unit::try_new_and_get(pos, N::zero()).unwrap_or_else(|| (pza, N::zero()));
53 // Get old ray and length as start position and offset and replace with new ray and length.
54 let (pos, off) = self.vec.replace((ray, len))?;
55 // Displacement vector from old to new ray and length.
56 let vec = ray.into_inner() * len - pos.into_inner() * off;
57 // Shadow new ray and length as normalized displacement vector.
58 let (ray, len) = Unit::try_new_and_get(vec, N::zero())?;
59 // Treat maximum of half the screen's width or height as trackball's radius.
60 let max = max.x.max(max.y);
61 // Map trackball's diameter onto half its circumference for start positions so that only
62 // screen corners are mapped to lower hemisphere which induces less intuitive rotations.
63 let (sin, cos) = (off / max * N::frac_pi_2()).sin_cos();
64 // Exponential map of start position.
65 let exp = Vector3::new(sin * pos.x, sin * pos.y, cos);
66 // Tangent ray of geodesic at exponential map.
67 let tan = Vector3::new(cos * pos.x, cos * pos.y, -sin);
68 // Cross product of z-axis and start position to construct orthonormal frames.
69 let zxp = Vector3::new(-pos.y, pos.x, N::zero());
70 // Orthonormal frame as argument of differential of exponential map.
71 let arg = Matrix3::from_columns(&[pza.into_inner(), pos.into_inner(), zxp]);
72 // Orthonormal frame as image of differential of exponential map.
73 let img = Matrix3::from_columns(&[exp, tan, zxp]);
74 // Compute differential of exponential map by its argument and image and apply it to
75 // displacement vector which in turn spans rotation plane together with exponential map.
76 let vec = (img * arg.tr_mul(&ray.into_inner())).cross(&exp);
77 // Angle of rotation is displacement length divided by radius.
78 Unit::try_new(vec, N::zero()).map(|ray| UnitQuaternion::from_axis_angle(&ray, len / max))
79 }
80 /// Discards cached normalization of previous cursor/finger position on button/finger release.
81 pub const fn discard(&mut self) {
82 self.vec = None;
83 }
84 /// Casts components to another type, e.g., between [`f32`] and [`f64`].
85 #[must_use]
86 pub fn cast<M: Copy + RealField>(self) -> Orbit<M>
87 where
88 N: SubsetOf<M>,
89 {
90 Orbit {
91 vec: self.vec.map(|(ray, len)| (ray.cast(), len.to_superset())),
92 }
93 }
94}
95
96#[cfg(feature = "cc")]
97use nalgebra::Quaternion;
98
99#[cfg(feature = "cc")]
100impl Orbit<f32> {
101 /// Computes rotation between previous and current cursor/finger position.
102 ///
103 /// Normalization of previous position is cached and has to be discarded on button/finger
104 /// release via [`Self::discard()`]. Current position `pos` is clamped between origin and
105 /// maximum position `max` as screen's width and height.
106 ///
107 /// Screen space with origin in top left corner:
108 ///
109 /// * x-axis from left to right,
110 /// * y-axis from top to bottom.
111 ///
112 /// Camera space with origin at its target, the trackball's center:
113 ///
114 /// * x-axis from left to right,
115 /// * y-axis from bottom to top,
116 /// * z-axis from far to near.
117 ///
118 /// Returns `None`:
119 ///
120 /// * on first invocation and after [`Self::discard()`] as there is no previous position yet,
121 /// * in the unlikely case that a position event fires twice resulting in zero displacements.
122 pub fn compute(&mut self, pos: &Point2<f32>, max: &Point2<f32>) -> Option<UnitQuaternion<f32>> {
123 let mut rot = Quaternion::identity();
124 let mut old = self
125 .vec
126 .map(|(ray, len)| ray.into_inner().push(len))
127 .unwrap_or_default();
128 #[allow(unsafe_code)]
129 unsafe {
130 trackball_orbit_f(
131 rot.as_vector_mut().as_mut_ptr(),
132 old.as_mut_ptr(),
133 pos.coords.as_ptr(),
134 max.coords.as_ptr(),
135 );
136 }
137 self.vec = Some((Unit::new_unchecked(old.xyz()), old.w));
138 #[allow(clippy::float_cmp)]
139 (rot.w != 1.0).then(|| UnitQuaternion::new_unchecked(rot))
140 }
141 /// Discards cached normalization of previous cursor/finger position on button/finger release.
142 pub const fn discard(&mut self) {
143 self.vec = None;
144 }
145 /// Casts components to another type, e.g., to [`f64`].
146 #[must_use]
147 pub fn cast<M: Copy + RealField>(self) -> Orbit<M>
148 where
149 f32: SubsetOf<M>,
150 {
151 Orbit {
152 vec: self.vec.map(|(ray, len)| (ray.cast(), len.to_superset())),
153 }
154 }
155}
156
157#[cfg(feature = "cc")]
158impl Orbit<f64> {
159 /// Computes rotation between previous and current cursor/finger position.
160 ///
161 /// Normalization of previous position is cached and has to be discarded on button/finger
162 /// release via [`Self::discard()`]. Current position `pos` is clamped between origin and
163 /// maximum position `max` as screen's width and height.
164 ///
165 /// Screen space with origin in top left corner:
166 ///
167 /// * x-axis from left to right,
168 /// * y-axis from top to bottom.
169 ///
170 /// Camera space with origin at its target, the trackball's center:
171 ///
172 /// * x-axis from left to right,
173 /// * y-axis from bottom to top,
174 /// * z-axis from far to near.
175 ///
176 /// Returns `None`:
177 ///
178 /// * on first invocation and after [`Self::discard()`] as there is no previous position yet,
179 /// * in the unlikely case that a position event fires twice resulting in zero displacements.
180 pub fn compute(&mut self, pos: &Point2<f64>, max: &Point2<f64>) -> Option<UnitQuaternion<f64>> {
181 let mut rot = Quaternion::identity();
182 let mut old = self
183 .vec
184 .map(|(ray, len)| ray.into_inner().push(len))
185 .unwrap_or_default();
186 #[allow(unsafe_code)]
187 unsafe {
188 trackball_orbit_d(
189 rot.as_vector_mut().as_mut_ptr(),
190 old.as_mut_ptr(),
191 pos.coords.as_ptr(),
192 max.coords.as_ptr(),
193 );
194 }
195 self.vec = Some((Unit::new_unchecked(old.xyz()), old.w));
196 #[allow(clippy::float_cmp)]
197 (rot.w != 1.0).then(|| UnitQuaternion::new_unchecked(rot))
198 }
199 /// Discards cached normalization of previous cursor/finger position on button/finger release.
200 pub const fn discard(&mut self) {
201 self.vec = None;
202 }
203 /// Casts components to another type, e.g., to [`f32`].
204 #[must_use]
205 pub fn cast<M: Copy + RealField>(self) -> Orbit<M>
206 where
207 f64: SubsetOf<M>,
208 {
209 Orbit {
210 vec: self.vec.map(|(ray, len)| (ray.cast(), len.to_superset())),
211 }
212 }
213}
214
215#[cfg(feature = "cc")]
216#[allow(unsafe_code)]
217unsafe extern "C" {
218 fn trackball_orbit_f(xyzw: *mut f32, xyzm: *mut f32, xy: *const f32, wh: *const f32);
219 fn trackball_orbit_d(xyzw: *mut f64, xyzm: *mut f64, xy: *const f64, wh: *const f64);
220}