honeycomb_kernels/triangulation/ear_clipping.rs
1use honeycomb_core::cmap::{CMap2, DartIdType, FaceIdType, OrbitPolicy};
2use honeycomb_core::geometry::{CoordsFloat, Vertex2};
3use honeycomb_core::stm::{Transaction, TransactionClosureResult, abort, try_or_coerce};
4use smallvec::SmallVec;
5
6use crate::triangulation::{TriangulateError, check_requirements};
7
8#[allow(clippy::missing_panics_doc)]
9/// Triangulates a face using the ear clipping method.
10///
11/// This function triangulates a cell (face) of a 2D combinatorial map by iteratively
12/// clipping ears (triangles) from the polygon until only a single triangle remains.
13///
14/// Note that:
15/// - the function assumes that the polygon is simple (no self-intersections or holes) and that the
16///   interior is located on the LEFT SIDE of the cross-product, i.e. oriented counter-clockwise.
17/// - the implementation might need adjustments for parallel operations or when working with
18///   identifiers not greater than existing ones.
19///
20/// # Arguments
21///
22/// - `cmap: &mut CMap2` - A mutable reference to the modified `CMap2`.
23/// - `face_id: FaceIdentifier` - Identifier of the face to triangulate within the map.
24/// - `new_darts: &[DartIdentifier]` - Identifiers of pre-allocated darts for the new edges;
25///   the slice length should match the expected number of edges created by the triangulation. For
26///   an `n`-sided polygon, the number of created edge is `n-3`, so the number of dart is `(n-3)*2`.
27///
28/// # Behavior
29///
30/// - The function begins by checking if the face has 3 or fewer vertices, in which case
31///   it's already triangulated or cannot be further processed.
32/// - It ensures that the number of new darts provided matches the triangulation requirement.
33/// - Iteratively finds an 'ear' of the polygon, where an ear is defined by three consecutive
34///   vertices where the triangle formed by these vertices is inside the original polygon.
35/// - Clips this ear by updating the combinatorial map's structure, effectively removing one
36///   vertex from the polygon per iteration.
37/// - Updates the list of darts and vertices accordingly after each ear clip.
38/// - Continues until the polygon is reduced to a triangle.
39///
40/// # Errors
41///
42/// This function will return an error if the face wasn't triangulated. There can be multiple
43/// reason for this:
44/// - The face is incompatible with the operation (made of 1, 2 or 3 vertices)
45/// - The number of pre-allocated darts did not match the expected number (see [#arguments])
46/// - The face contains one or more undefined vertices
47/// - The face does not contain an ear
48///
49/// Note that in all cases except the last, the face will remain the same as it was before the
50/// function call.
51///
52/// Because the ear clipping algorithm works iteratively, the face may be modified a few times
53/// before reaching a state where no ear can be found. Note, however, that this cannot occur if
54/// the face satisfies requirements mentioned above because of the [Two ears theorem][TET].
55///
56/// [TET]: https://en.wikipedia.org/wiki/Two_ears_theorem
57pub fn earclip_cell_countercw<T: CoordsFloat>(
58    t: &mut Transaction,
59    cmap: &CMap2<T>,
60    face_id: FaceIdType,
61    new_darts: &[DartIdType],
62) -> TransactionClosureResult<(), TriangulateError> {
63    process_cell(t, cmap, face_id, new_darts, |v1, v2, v3| {
64        Vertex2::cross_product_from_vertices(v1, v2, v3) > T::zero()
65    })
66}
67
68#[allow(clippy::missing_panics_doc)]
69/// Triangulates a face using the ear clipping method.
70///
71/// This function triangulates a cell (face) of a 2D combinatorial map by iteratively
72/// clipping ears (triangles) from the polygon until only a single triangle remains.
73///
74/// Note that:
75/// - the function assumes that the polygon is simple (no self-intersections or holes) and that the
76///   interior is located on the RIGHT SIDE of the cross-product, i.e. oriented clockwise.
77/// - the implementation might need adjustments for parallel operations or when working with
78///   identifiers not greater than existing ones.
79///
80/// # Arguments
81///
82/// - `cmap: &mut CMap2` - A mutable reference to the modified `CMap2`.
83/// - `face_id: FaceIdentifier` - Identifier of the face to triangulate within the map.
84/// - `new_darts: &[DartIdentifier]` - Identifiers of pre-allocated darts for the new edges;
85///   the slice length should match the expected number of edges created by the triangulation. For
86///   an `n`-sided polygon, the number of created edge is `n-3`, so the number of dart is `(n-3)*2`.
87///
88/// # Behavior
89///
90/// - The function begins by checking if the face has 3 or fewer vertices, in which case
91///   it's already triangulated or cannot be further processed.
92/// - It ensures that the number of new darts provided matches the triangulation requirement.
93/// - Iteratively finds an 'ear' of the polygon, where an ear is defined by three consecutive
94///   vertices where the triangle formed by these vertices is inside the original polygon.
95/// - Clips this ear by updating the combinatorial map's structure, effectively removing one
96///   vertex from the polygon per iteration.
97/// - Updates the list of darts and vertices accordingly after each ear clip.
98/// - Continues until the polygon is reduced to a triangle.
99///
100/// # Errors
101///
102/// This function will return an error if the face wasn't triangulated. There can be multiple
103/// reason for this:
104/// - The face is incompatible with the operation (made of 1, 2 or 3 vertices)
105/// - The number of pre-allocated darts did not match the expected number (see [#arguments])
106/// - The face contains one or more undefined vertices
107/// - The face does not contain an ear
108///
109/// Note that in all cases except the last, the face will remain the same as it was before the
110/// function call.
111///
112/// Because the ear clipping algorithm works iteratively, the face may be modified a few times
113/// before reaching a state where no ear can be found. Note, however, that this cannot occur if
114/// the face satisfies requirements mentioned above because of the [Two ears theorem][TET].
115///
116/// [TET]: https://en.wikipedia.org/wiki/Two_ears_theorem
117pub fn earclip_cell_cw<T: CoordsFloat>(
118    t: &mut Transaction,
119    cmap: &CMap2<T>,
120    face_id: FaceIdType,
121    new_darts: &[DartIdType],
122) -> TransactionClosureResult<(), TriangulateError> {
123    process_cell(t, cmap, face_id, new_darts, |v1, v2, v3| {
124        Vertex2::cross_product_from_vertices(v1, v2, v3) < T::zero()
125    })
126}
127
128// -- internals
129
130fn process_cell<T: CoordsFloat>(
131    t: &mut Transaction,
132    cmap: &CMap2<T>,
133    face_id: FaceIdType,
134    new_darts: &[DartIdType],
135    is_inside_fn: impl FnOnce(&Vertex2<T>, &Vertex2<T>, &Vertex2<T>) -> bool + Copy,
136) -> TransactionClosureResult<(), TriangulateError> {
137    let mut darts: SmallVec<DartIdType, 16> = SmallVec::new();
138    let mut vertices: SmallVec<Vertex2<T>, 16> = SmallVec::new();
139
140    for d in cmap.orbit_tx(t, OrbitPolicy::FaceLinear, face_id as DartIdType) {
141        darts.push(d?);
142    }
143    for &d in &darts {
144        let vid = cmap.vertex_id_tx(t, d)?;
145        let v = if let Some(val) = cmap.read_vertex(t, vid)? {
146            val
147        } else {
148            abort(TriangulateError::UndefinedFace(
149                "one or more undefined vertices",
150            ))?
151        };
152        vertices.push(v);
153    }
154
155    // early checks - check # of darts & face size
156    if let Err(e) = check_requirements(darts.len(), new_darts.len()) {
157        abort(e)?;
158    }
159    let mut darts = darts.clone();
160    let mut vertices = vertices.clone();
161    let mut n = darts.len();
162    for sl in new_darts.chunks_exact(2) {
163        let &[nd1, nd2] = sl else { unreachable!() };
164
165        let Some(ear) = (0..n).find(|idx| {
166            // we're checking whether ABC is an ear or not
167            let v1 = &vertices[*idx]; // A
168            let v2 = &vertices[(*idx + 1) % n]; // B
169            let v3 = &vertices[(*idx + 2) % n]; // C
170
171            // we assume the interior of the polygon is on the left side
172            let is_inside = is_inside_fn(v1, v2, v3);
173
174            let no_overlap = vertices
175                .iter()
176                .filter(|v| (**v != *v1) && (**v != *v2) && (**v != *v3))
177                .all(|v| {
178                    let sig12v = Vertex2::cross_product_from_vertices(v1, v2, v);
179                    let sig23v = Vertex2::cross_product_from_vertices(v2, v3, v);
180                    let sig31v = Vertex2::cross_product_from_vertices(v3, v1, v);
181
182                    let has_pos =
183                        (sig12v > T::zero()) || (sig23v > T::zero()) || (sig31v > T::zero());
184                    let has_neg =
185                        (sig12v < T::zero()) || (sig23v < T::zero()) || (sig31v < T::zero());
186
187                    has_pos && has_neg
188                });
189            is_inside && no_overlap
190        }) else {
191            abort(TriangulateError::NoEar)?
192        };
193
194        // edit cell; we use the nd1/nd2 edge to create a triangle from the ear
195        // nd1 is on the side of the tri, nd2 on the side of the rest of the cell
196        let d_ear1 = darts[ear];
197        let d_ear2 = darts[(ear + 1) % n];
198        let b0_d_ear1 = cmap.beta_tx::<0>(t, d_ear1)?;
199        let b1_d_ear2 = cmap.beta_tx::<1>(t, d_ear2)?;
200        try_or_coerce!(cmap.unsew::<1>(t, b0_d_ear1), TriangulateError);
201        try_or_coerce!(cmap.unsew::<1>(t, d_ear2), TriangulateError);
202        try_or_coerce!(cmap.sew::<1>(t, d_ear2, nd1), TriangulateError);
203        try_or_coerce!(cmap.sew::<1>(t, nd1, d_ear1), TriangulateError);
204        try_or_coerce!(cmap.sew::<1>(t, b0_d_ear1, nd2), TriangulateError);
205        try_or_coerce!(cmap.sew::<1>(t, nd2, b1_d_ear2), TriangulateError);
206        try_or_coerce!(cmap.sew::<2>(t, nd1, nd2), TriangulateError);
207
208        // edit existing vectors
209        darts.remove((ear + 1) % n);
210        darts.push(nd2);
211        darts.swap_remove(ear);
212        vertices.remove((ear + 1) % n);
213
214        // update n
215        n -= 1;
216    }
217
218    // Given error checking inside the `for` and the check on darts at the beginning,
219    // this should ALWAYS be verified.
220    assert_eq!(n, 3, "E: unreachable");
221
222    Ok(())
223}