honeycomb_kernels/triangulation/
fan.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, crossp_from_verts};
7
8#[allow(clippy::missing_panics_doc)]
9/// Triangulates a face using a fan triangulation method.
10///
11/// This function triangulates a cell (face) in a 2D combinatorial map by creating a fan of
12/// triangles from a chosen vertex to all other vertices of the polygon, if such a vertex exist.
13///
14/// Note that this function will not have any effect if the polygon isn't fannable.
15///
16/// # Arguments
17///
18/// - `cmap: &mut CMap2` - A mutable reference to the modified `CMap2`.
19/// - `face_id: FaceIdentifier` - Identifier of the face to triangulate within the map.
20/// - `new_darts: &[DartIdentifier]` - Identifiers of pre-allocated darts for the new edges;
21///   the slice length should match the expected number of edges created by the triangulation. For
22///   an `n`-sided polygon, the number of created edge is `n-3`, so the number of dart is `(n-3)*2`.
23///
24/// # Behavior
25///
26/// - The function begins by checking if the face has 3 or fewer vertices, in which case
27///   it's already triangulated or cannot be further processed.
28/// - It verifies if the number of new darts matches the expected number for triangulation.
29/// - The function then attempts to find a vertex from which all other vertices can be seen
30///   (a star vertex), using the orientation properties of N-maps.
31/// - If such a star vertex is found, the function proceeds to create triangles by linking
32///   new darts in a fan-like structure from this vertex. Otherwise, the cell is left unchanged
33///
34/// # Errors
35///
36/// This function will return an error if the face wasn't triangulated. There can be multiple
37/// reason for this:
38/// - The face is incompatible with the operation (made of 1, 2 or 3 vertices)
39/// - The number of pre-allocated darts did not match the expected number (see [#arguments])
40/// - The face contains one or more undefined vertices
41/// - The face isn't starrable
42///
43/// Note that in any of these cases, the face will remain the same as it was before the function
44/// call.
45pub fn process_cell<T: CoordsFloat>(
46    t: &mut Transaction,
47    cmap: &CMap2<T>,
48    face_id: FaceIdType,
49    new_darts: &[DartIdType],
50) -> TransactionClosureResult<(), TriangulateError> {
51    // fetch darts using a custom orbit so that they're ordered
52    let mut darts: SmallVec<DartIdType, 16> = SmallVec::new();
53    let mut vertices: SmallVec<Vertex2<T>, 16> = SmallVec::new();
54
55    for d in cmap.orbit_transac(t, OrbitPolicy::FaceLinear, face_id as DartIdType) {
56        darts.push(d?);
57    }
58    for &d in &darts {
59        let vid = cmap.vertex_id_transac(t, d)?;
60        let v = if let Some(val) = cmap.read_vertex(t, vid)? {
61            val
62        } else {
63            abort(TriangulateError::UndefinedFace(
64                "one or more undefined vertices",
65            ))?
66        };
67        vertices.push(v);
68    }
69    let n = darts.len();
70    // early checks - check # of darts & face size
71    if let Err(e) = check_requirements(n, new_darts.len()) {
72        abort(e)?;
73    }
74
75    // iterating by ref so that we can still access the list
76    let star = darts
77        .iter()
78        .zip(vertices.iter())
79        .enumerate()
80        .find_map(|(id, (d0, v0))| {
81            let mut tmp = vertices
82                .windows(2)
83                .enumerate()
84                // remove segments directly attached to v0
85                .filter(|(i_seg, _)| !((n + i_seg) % n == id || (n + i_seg - 1) % n == id))
86                .map(|(_, val)| {
87                    let [v1, v2] = val else { unreachable!() };
88                    crossp_from_verts(v0, v1, v2)
89                });
90            let signum = tmp.next().map(T::signum).unwrap();
91            for v in tmp {
92                if v.signum() != signum || v.abs() < T::epsilon() {
93                    return None;
94                }
95            }
96            Some(d0)
97        });
98
99    if let Some(sdart) = star {
100        // if we found a dart from the previous computations, it means the polygon is "fannable"
101        // THIS CANNOT BE PARALLELIZED AS IS
102        let b0_sdart = cmap.beta_transac::<0>(t, *sdart)?;
103        let vid = cmap.vertex_id_transac(t, *sdart)?;
104        let v0 = cmap.read_vertex(t, vid)?.unwrap();
105        try_or_coerce!(cmap.unsew::<1>(t, b0_sdart), TriangulateError);
106        let mut d0 = *sdart;
107        for sl in new_darts.chunks_exact(2) {
108            let [d1, d2] = sl else { unreachable!() };
109            let b1_d0 = cmap.beta_transac::<1>(t, d0)?;
110            let b1b1_d0 = cmap.beta_transac::<1>(t, b1_d0)?;
111            try_or_coerce!(cmap.unsew::<1>(t, b1_d0), TriangulateError);
112            try_or_coerce!(cmap.sew::<2>(t, *d1, *d2), TriangulateError);
113            try_or_coerce!(cmap.sew::<1>(t, *d2, b1b1_d0), TriangulateError);
114            try_or_coerce!(cmap.sew::<1>(t, b1_d0, *d1), TriangulateError);
115            try_or_coerce!(cmap.sew::<1>(t, *d1, d0), TriangulateError);
116            d0 = *d2;
117        }
118        let b1_d0 = cmap.beta_transac::<1>(t, d0)?;
119        let b1b1_d0 = cmap.beta_transac::<1>(t, b1_d0)?;
120        try_or_coerce!(cmap.sew::<1>(t, b1b1_d0, d0), TriangulateError);
121        let vid = cmap.vertex_id_transac(t, *sdart)?;
122        cmap.write_vertex(t, vid, v0)?;
123    } else {
124        // println!("W: face {face_id} isn't fannable -- skipping triangulation");
125        abort(TriangulateError::NonFannable)?;
126    }
127
128    Ok(())
129}
130
131#[allow(clippy::missing_panics_doc)]
132/// Triangulates a face using a fan triangulation method.
133///
134/// This function triangulates a cell (face) in a 2D combinatorial map by creating a fan of
135/// triangles from a the first vertex of
136///
137/// **Note that this function assumes the polygon is convex and correctly defined (i.e. all vertices
138/// are) and may fail or produce incorrect results if called on a cell that does not verify these
139/// requirements**.
140///
141/// # Arguments
142///
143/// - `cmap: &mut CMap2` - A mutable reference to the modified `CMap2`.
144/// - `face_id: FaceIdentifier` - Identifier of the face to triangulate within the map.
145/// - `new_darts: &[DartIdentifier]` - Identifiers of pre-allocated darts for the new edges;
146///   the slice length should match the expected number of edges created by the triangulation. For
147///   an `n`-sided polygon, the number of created edge is `n-3`, so the number of dart is `(n-3)*2`.
148///
149/// # Behavior
150///
151/// - The function begins by checking if the face has 3 or fewer vertices, in which case
152///   it's already triangulated or cannot be further processed.
153/// - It verifies if the number of new darts matches the expected number for triangulation.
154/// - The function creates triangles by linking new darts in a fan-like structure to the first
155///   vertex of the polygon. **This is done unconditionally, whether the polygon is convex or not**.
156///
157/// # Errors
158///
159/// This function will return an error if the face wasn't triangulated. There can be multiple
160/// reason for this:
161/// - The face is incompatible with the operation (made of 1, 2 or 3 vertices)
162/// - The number of pre-allocated darts did not match the expected number (see [#arguments])
163///
164/// Note that in any of these cases, the face will remain the same as it was before the function
165/// call.
166pub fn process_convex_cell<T: CoordsFloat>(
167    t: &mut Transaction,
168    cmap: &CMap2<T>,
169    face_id: FaceIdType,
170    new_darts: &[DartIdType],
171) -> TransactionClosureResult<(), TriangulateError> {
172    // fetch darts using a custom orbit so that they're ordered
173    let mut darts: SmallVec<DartIdType, 16> = SmallVec::new();
174
175    for d in cmap.orbit_transac(t, OrbitPolicy::FaceLinear, face_id as DartIdType) {
176        darts.push(d?);
177    }
178    let n = darts.len();
179
180    // early checks - check # of darts & face size
181    if let Err(e) = check_requirements(n, new_darts.len()) {
182        abort(e)?;
183    }
184
185    // we assume the polygon is convex (== starrable from any vertex)
186    let sdart = face_id as DartIdType;
187    // THIS CANNOT BE PARALLELIZED AS IS
188    let b0_sdart = cmap.beta_transac::<0>(t, sdart)?;
189    let vid = cmap.vertex_id_transac(t, sdart)?;
190    let v0 = cmap.read_vertex(t, vid)?.unwrap();
191    try_or_coerce!(cmap.unsew::<1>(t, b0_sdart), TriangulateError);
192    let mut d0 = sdart;
193    for sl in new_darts.chunks_exact(2) {
194        let [d1, d2] = sl else { unreachable!() };
195        let b1_d0 = cmap.beta_transac::<1>(t, d0)?;
196        let b1b1_d0 = cmap.beta_transac::<1>(t, b1_d0)?;
197        try_or_coerce!(cmap.unsew::<1>(t, b1_d0), TriangulateError);
198        try_or_coerce!(cmap.sew::<2>(t, *d1, *d2), TriangulateError);
199        try_or_coerce!(cmap.sew::<1>(t, *d2, b1b1_d0), TriangulateError);
200        try_or_coerce!(cmap.sew::<1>(t, b1_d0, *d1), TriangulateError);
201        try_or_coerce!(cmap.sew::<1>(t, *d1, d0), TriangulateError);
202        d0 = *d2;
203    }
204    let b1_d0 = cmap.beta_transac::<1>(t, d0)?;
205    let b1b1_d0 = cmap.beta_transac::<1>(t, b1_d0)?;
206    try_or_coerce!(cmap.sew::<1>(t, b1b1_d0, d0), TriangulateError);
207    let vid = cmap.vertex_id_transac(t, sdart)?;
208    cmap.write_vertex(t, vid, v0)?;
209
210    Ok(())
211}