honeycomb_kernels/cell_insertion/vertices.rs
1//! Vertex isnertion routines
2
3use honeycomb_core::{
4 attributes::AttributeError,
5 cmap::{CMap2, DartIdType, EdgeIdType, LinkError, NULL_DART_ID, SewError},
6 geometry::{CoordsFloat, Vertex2},
7 stm::{Transaction, TransactionClosureResult, abort, try_or_coerce},
8};
9
10// -- error type
11
12/// Error-modeling enum for vertex insertion routines.
13#[derive(thiserror::Error, Debug, PartialEq, Eq)]
14pub enum VertexInsertionError {
15 /// A core operation failed.
16 #[error("core operation failed: {0}")]
17 FailedCoreOp(#[from] SewError),
18 /// Relative position of the new vertex isn't located on the edge.
19 #[error("vertex placement for split is not in ]0;1[")]
20 VertexBound,
21 /// One or both vertices of the edge are undefined.
22 #[error("edge isn't defined correctly")]
23 UndefinedEdge,
24 /// Darts passed to the function do not match requirements.
25 #[error("passed darts should be free & non-null - {0}")]
26 InvalidDarts(&'static str),
27 /// The number of darts passed to create the new segments is too low. The `usize` value
28 /// is the number of missing darts.
29 #[error("wrong # of darts - expected `{0}`, got {1}")]
30 WrongAmountDarts(usize, usize),
31}
32
33impl From<LinkError> for VertexInsertionError {
34 fn from(value: LinkError) -> Self {
35 Self::FailedCoreOp(value.into())
36 }
37}
38
39impl From<AttributeError> for VertexInsertionError {
40 fn from(value: AttributeError) -> Self {
41 Self::FailedCoreOp(value.into())
42 }
43}
44
45// -- routines
46
47/// Insert a vertex in an edge, cutting it into two segments.
48///
49/// <div class="warning">
50/// This implementation is 2D specific.
51/// </div>
52///
53/// # Arguments
54///
55/// - `cmap: &mut CMap2<T>` -- Reference to the modified map.
56/// - `trans: &mut Transaction` -- Associated transaction.
57/// - `edge_id: EdgeIdentifier` -- Target edge.
58/// - `new_darts: (DartIdentifier, DartIdentifier)` -- Dart IDs used to build the new vertex/segments.
59/// - `midpoint_vertex: Option<T>` -- Relative position of the new vertex, starting from the
60/// vertex of the dart sharing `edge_id` as its identifier.
61///
62/// ## Dart IDs Requirements & Usage
63///
64/// Because of the dimension, the number of dart needed to perform this operation is at most
65/// two. These are the requirements for these two darts:
66/// - identifiers are passed as a tuple.
67/// - the first dart of the tuple will always be used if the operation is successful.
68/// - the second dart of the tuple will only be used if the original edge is made of two darts;
69/// if that is not the case, the second dart ID can be `NULL_DART_ID`.
70/// - both of these darts should be free
71///
72/// # Errors
73///
74/// This function will abort and raise an error if:
75/// - the transaction cannot be completed,
76/// - a hypothesis over input isn't verified (see [`VertexInsertionError`]),
77/// - an internal operation failed.
78///
79/// The returned error can be used in conjunction with transaction control to avoid any
80/// modifications in case of failure at attribute level. The user can then choose to retry or
81/// abort as he wishes using `Transaction::with_control_and_err`.
82#[allow(clippy::too_many_lines)]
83pub fn insert_vertex_on_edge<T: CoordsFloat>(
84 cmap: &CMap2<T>,
85 trans: &mut Transaction,
86 edge_id: EdgeIdType,
87 new_darts: (DartIdType, DartIdType), // 2D => statically known number of darts
88 midpoint_vertex: Option<T>,
89) -> TransactionClosureResult<(), VertexInsertionError> {
90 // midpoint check
91 if midpoint_vertex.is_some_and(|t| (t >= T::one()) | (t <= T::zero())) {
92 abort(VertexInsertionError::VertexBound)?;
93 }
94
95 // base darts making up the edge
96 let base_dart1 = edge_id as DartIdType;
97 let base_dart2 = cmap.beta_transac::<2>(trans, base_dart1)?;
98
99 // FIXME: is_free should be transactional
100 if new_darts.0 == NULL_DART_ID || !cmap.is_free(new_darts.0) {
101 abort(VertexInsertionError::InvalidDarts(
102 "first dart is null or not free",
103 ))?;
104 }
105 // FIXME: is_free should be transactional
106 if base_dart2 != NULL_DART_ID && (new_darts.1 == NULL_DART_ID || !cmap.is_free(new_darts.1)) {
107 abort(VertexInsertionError::InvalidDarts(
108 "second dart is null or not free",
109 ))?;
110 }
111
112 // base darts making up the edge
113 let base_dart2 = cmap.beta_transac::<2>(trans, base_dart1)?;
114 if base_dart2 == NULL_DART_ID {
115 let b1d1_old = cmap.beta_transac::<1>(trans, base_dart1)?;
116 let b1d1_new = new_darts.0;
117 let (vid1, vid2) = (
118 cmap.vertex_id_transac(trans, base_dart1)?,
119 cmap.vertex_id_transac(trans, b1d1_old)?,
120 );
121 let (Some(v1), Some(v2)) = (
122 cmap.read_vertex(trans, vid1)?,
123 cmap.read_vertex(trans, vid2)?,
124 ) else {
125 abort(VertexInsertionError::UndefinedEdge)?
126 };
127 // unsew current dart
128 if b1d1_old != NULL_DART_ID {
129 try_or_coerce!(cmap.unlink::<1>(trans, base_dart1), VertexInsertionError);
130 }
131 // rebuild the edge
132 try_or_coerce!(
133 cmap.link::<1>(trans, base_dart1, b1d1_new),
134 VertexInsertionError
135 );
136 try_or_coerce!(
137 cmap.link::<1>(trans, b1d1_new, b1d1_old),
138 VertexInsertionError
139 );
140 // insert the new vertex
141 let seg = v2 - v1;
142 let vnew = cmap.vertex_id_transac(trans, b1d1_new)?;
143 cmap.write_vertex(
144 trans,
145 vnew,
146 midpoint_vertex.map_or(Vertex2::average(&v1, &v2), |t| v1 + seg * t),
147 )?;
148 Ok(())
149 } else {
150 let b1d1_old = cmap.beta_transac::<1>(trans, base_dart1)?;
151 let b1d2_old = cmap.beta_transac::<1>(trans, base_dart2)?;
152 let (b1d1_new, b1d2_new) = new_darts;
153 let (vid1, vid2) = (
154 cmap.vertex_id_transac(trans, base_dart1)?,
155 cmap.vertex_id_transac(trans, base_dart2)?,
156 );
157 let (Some(v1), Some(v2)) = (
158 cmap.read_vertex(trans, vid1)?,
159 cmap.read_vertex(trans, vid2)?,
160 ) else {
161 abort(VertexInsertionError::UndefinedEdge)?
162 };
163 // unsew current darts
164 if b1d1_old != NULL_DART_ID {
165 try_or_coerce!(cmap.unlink::<1>(trans, base_dart1), VertexInsertionError);
166 }
167 if b1d2_old != NULL_DART_ID {
168 try_or_coerce!(cmap.unlink::<1>(trans, base_dart2), VertexInsertionError);
169 }
170 // cmap.set_beta::<1>(base_dart1, 0);
171 // cmap.set_beta::<0>(b1d1_old, 0);
172 // cmap.set_beta::<1>(base_dart2, 0);
173 // cmap.set_beta::<0>(b1d2_old, 0);
174 try_or_coerce!(cmap.unlink::<2>(trans, base_dart1), VertexInsertionError);
175 // rebuild the edge
176 try_or_coerce!(
177 cmap.link::<1>(trans, base_dart1, b1d1_new),
178 VertexInsertionError
179 );
180 if b1d1_old != NULL_DART_ID {
181 try_or_coerce!(
182 cmap.link::<1>(trans, b1d1_new, b1d1_old),
183 VertexInsertionError
184 );
185 }
186 try_or_coerce!(
187 cmap.link::<1>(trans, base_dart2, b1d2_new),
188 VertexInsertionError
189 );
190 if b1d2_old != NULL_DART_ID {
191 try_or_coerce!(
192 cmap.link::<1>(trans, b1d2_new, b1d2_old),
193 VertexInsertionError
194 );
195 }
196 try_or_coerce!(
197 cmap.link::<2>(trans, base_dart1, b1d2_new),
198 VertexInsertionError
199 );
200 try_or_coerce!(
201 cmap.link::<2>(trans, base_dart2, b1d1_new),
202 VertexInsertionError
203 );
204 // insert the new vertex
205 let seg = v2 - v1;
206 let vnew = cmap.vertex_id_transac(trans, b1d1_new)?;
207 cmap.write_vertex(
208 trans,
209 vnew,
210 midpoint_vertex.map_or(Vertex2::average(&v1, &v2), |t| v1 + seg * t),
211 )?;
212 Ok(())
213 }
214}
215
216#[allow(clippy::missing_errors_doc)]
217/// Insert `n` vertices in an edge, cutting it into `n+1` segments.
218///
219/// <div class="warning">
220/// This implementation is 2D specific.
221/// </div>
222///
223/// # Arguments
224///
225/// - `cmap: &mut CMap2<T>` -- Reference to the modified map.
226/// - `trans: &mut Transaction` -- Associated transaction.
227/// - `edge_id: EdgeIdentifier` -- Target edge.
228/// - `new_darts: &[DartIdentifier]` -- Dart IDs used to build the new vertices/segments.
229/// - `midpoint_vertices: &[T]` -- Relative positions of new vertices, starting from the
230/// vertex of the dart sharing `edge_id` as its identifier.
231///
232/// ## Dart IDs Requirements & Usage
233///
234/// Because of the dimension, we can easily compute the number of dart needed to perform this
235/// operation. These are the requirements for the darts:
236/// - identifiers are passed as a slice:
237/// - slice length should verify `new_darts.len() == 2 * midpoint_vertices.len()`
238/// - the first half of the slice will always be used if the operation is successful.
239/// - the second half of the slice will only be used if the original edge is made of two darts;
240/// if that is not the case, the second half IDs can all be `NULL_DART_ID`s.
241/// - all of these darts should be free
242///
243/// # Errors
244///
245/// This function will abort and raise an error if:
246/// - the transaction cannot be completed,
247/// - a hypothesis over input isn't verified (see [`VertexInsertionError`]),
248/// - an internal operation failed.
249///
250/// The returned error can be used in conjunction with transaction control to avoid any
251/// modifications in case of failure at attribute level. The user can then choose to retry or
252/// abort as he wishes using `Transaction::with_control_and_err`.
253///
254/// # Example
255///
256/// ```
257/// # use honeycomb_core::cmap::{CMap2, CMapBuilder, NULL_DART_ID};
258/// # use honeycomb_core::geometry::Vertex2;
259/// # use honeycomb_core::stm::atomically_with_err;
260/// # use honeycomb_kernels::cell_insertion::insert_vertices_on_edge;
261/// // before
262/// // <--2---
263/// // 1 2
264/// // ---1-->
265///
266/// let mut map: CMap2<_> = CMapBuilder::<2, _>::from_n_darts(2)
267/// .build()
268/// .unwrap();
269/// map.force_link::<2>(1, 2);
270/// map.force_write_vertex(1, (0.0, 0.0));
271/// map.force_write_vertex(2, (1.0, 0.0));
272///
273/// let nd = map.add_free_darts(6);
274///
275/// // split
276/// assert!(
277/// atomically_with_err(|t| insert_vertices_on_edge(
278/// &map,
279/// t,
280/// 1,
281/// &[nd, nd + 1, nd + 2, nd + 3, nd + 4, nd + 5],
282/// &[0.25, 0.50, 0.75],
283/// )).is_ok()
284/// );
285///
286/// // after
287/// // <-<-<-<
288/// // 1 -3-4-5- 2
289/// // >->->->
290///
291/// // checks
292/// let new_darts = [
293/// map.beta::<1>(1),
294/// map.beta::<1>(map.beta::<1>(1)),
295/// map.beta::<1>(map.beta::<1>(map.beta::<1>(1))),
296/// ];
297/// assert_eq!(&new_darts, &[3, 4, 5]);
298/// assert_eq!(map.force_read_vertex(3), Some(Vertex2(0.25, 0.0)));
299/// assert_eq!(map.force_read_vertex(4), Some(Vertex2(0.50, 0.0)));
300/// assert_eq!(map.force_read_vertex(5), Some(Vertex2(0.75, 0.0)));
301///
302/// assert_eq!(map.beta::<1>(1), 3);
303/// assert_eq!(map.beta::<1>(3), 4);
304/// assert_eq!(map.beta::<1>(4), 5);
305/// assert_eq!(map.beta::<1>(5), NULL_DART_ID);
306///
307/// assert_eq!(map.beta::<1>(2), 6);
308/// assert_eq!(map.beta::<1>(6), 7);
309/// assert_eq!(map.beta::<1>(7), 8);
310/// assert_eq!(map.beta::<1>(8), NULL_DART_ID);
311///
312/// assert_eq!(map.beta::<2>(1), 8);
313/// assert_eq!(map.beta::<2>(3), 7);
314/// assert_eq!(map.beta::<2>(4), 6);
315/// assert_eq!(map.beta::<2>(5), 2);
316/// ```
317pub fn insert_vertices_on_edge<T: CoordsFloat>(
318 cmap: &CMap2<T>,
319 trans: &mut Transaction,
320 edge_id: EdgeIdType,
321 new_darts: &[DartIdType],
322 midpoint_vertices: &[T],
323) -> TransactionClosureResult<(), VertexInsertionError> {
324 // check pre-allocated darts reqs
325 let n_t = midpoint_vertices.len();
326 let n_d = new_darts.len();
327 if n_d != 2 * n_t {
328 abort(VertexInsertionError::WrongAmountDarts(2 * n_t, n_d))?;
329 }
330 // FIXME: is_free should be transactional
331 if new_darts.iter().any(|d| !cmap.is_free(*d)) {
332 abort(VertexInsertionError::InvalidDarts("one dart is not free"))?;
333 }
334 // get the first and second halves
335 let darts_fh = &new_darts[..n_t];
336 let darts_sh = &new_darts[n_t..];
337
338 // base darts making up the edge
339 let base_dart1 = edge_id as DartIdType;
340 let base_dart2 = cmap.beta_transac::<2>(trans, base_dart1)?;
341
342 if darts_fh.iter().any(|d| *d == NULL_DART_ID) {
343 abort(VertexInsertionError::InvalidDarts(
344 "one dart of the first half is null",
345 ))?;
346 }
347 if base_dart2 != NULL_DART_ID && darts_sh.iter().any(|d| *d == NULL_DART_ID) {
348 abort(VertexInsertionError::InvalidDarts(
349 "one dart of the second half is null",
350 ))?;
351 }
352
353 if midpoint_vertices
354 .iter()
355 .any(|t| (*t >= T::one()) | (*t <= T::zero()))
356 {
357 abort(VertexInsertionError::VertexBound)?;
358 }
359
360 let base_dart2 = cmap.beta_transac::<2>(trans, base_dart1)?;
361 let b1d1_old = cmap.beta_transac::<1>(trans, base_dart1)?;
362
363 let (vid1, vid2) = (
364 cmap.vertex_id_transac(trans, base_dart1)?,
365 cmap.vertex_id_transac(
366 trans,
367 if b1d1_old != NULL_DART_ID {
368 b1d1_old
369 } else if base_dart2 != NULL_DART_ID {
370 base_dart2
371 } else {
372 abort(VertexInsertionError::UndefinedEdge)?
373 },
374 )?,
375 );
376 let (Some(v1), Some(v2)) = (
377 cmap.read_vertex(trans, vid1)?,
378 cmap.read_vertex(trans, vid2)?,
379 ) else {
380 abort(VertexInsertionError::UndefinedEdge)?
381 };
382 let seg = v2 - v1;
383
384 // unsew current dart
385 if b1d1_old != NULL_DART_ID {
386 try_or_coerce!(cmap.unlink::<1>(trans, base_dart1), VertexInsertionError);
387 }
388 //
389 if base_dart2 != NULL_DART_ID {
390 try_or_coerce!(cmap.unlink::<2>(trans, base_dart1), VertexInsertionError);
391 }
392 // insert new vertices / darts on base_dart1's side
393 let mut prev_d = base_dart1;
394 for (&t, &new_d) in midpoint_vertices.iter().zip(darts_fh.iter()) {
395 let new_v = v1 + seg * t;
396 try_or_coerce!(cmap.link::<1>(trans, prev_d, new_d), VertexInsertionError);
397 cmap.write_vertex(trans, new_d, new_v)?;
398 prev_d = new_d;
399 }
400 try_or_coerce!(
401 cmap.link::<1>(trans, prev_d, b1d1_old),
402 VertexInsertionError
403 );
404
405 // if b2(base_dart1) is defined, insert vertices / darts on its side too
406 if base_dart2 != NULL_DART_ID {
407 let b1d2_old = cmap.beta_transac::<1>(trans, base_dart2)?;
408 if b1d2_old != NULL_DART_ID {
409 try_or_coerce!(cmap.unlink::<1>(trans, base_dart2), VertexInsertionError);
410 }
411 let mut prev_d = base_dart2;
412 for (d, new_d) in darts_fh.iter().rev().zip(darts_sh.iter()) {
413 try_or_coerce!(cmap.link::<2>(trans, prev_d, *d), VertexInsertionError);
414 try_or_coerce!(cmap.link::<1>(trans, prev_d, *new_d), VertexInsertionError);
415 prev_d = *new_d;
416 }
417 if b1d2_old != NULL_DART_ID {
418 try_or_coerce!(
419 cmap.link::<1>(trans, prev_d, b1d2_old),
420 VertexInsertionError
421 );
422 }
423 try_or_coerce!(
424 cmap.link::<2>(trans, prev_d, base_dart1),
425 VertexInsertionError
426 );
427 }
428
429 Ok(())
430}