honeycomb_kernels/grisubal/
model.rs

1//! Module short description
2//!
3//! Should you interact with this module directly?
4//!
5//! Content description if needed
6
7use honeycomb_core::attributes::{AttrSparseVec, AttributeBind, AttributeError, AttributeUpdate};
8use honeycomb_core::cmap::{DartIdType, OrbitPolicy};
9use honeycomb_core::geometry::{CoordsFloat, Vertex2};
10use vtkio::{
11    IOBuffer, Vtk,
12    model::{CellType, DataSet, VertexNumbers},
13};
14
15use crate::grisubal::GrisubalError;
16
17/// Structure used to index the overlapping grid's cases.
18///
19/// Cells `(X, Y)` take value in range `(0, 0)` to `(N, M)`,
20/// from left to right (X), from bottom to top (Y).
21#[derive(PartialEq, Clone, Copy)]
22pub struct GridCellId(pub usize, pub usize);
23
24impl GridCellId {
25    /// Compute the [L1 / Manhattan distance](https://en.wikipedia.org/wiki/Taxicab_geometry) between
26    /// two cells.
27    pub fn l1_dist(lhs: &Self, rhs: &Self) -> usize {
28        lhs.0.abs_diff(rhs.0) + lhs.1.abs_diff(rhs.1)
29    }
30
31    /// Compute the subtraction between cell indices. This corresponds to an offset / movement over
32    /// the grid **from `lhs` to `rhs`**.
33    #[allow(clippy::cast_possible_wrap)]
34    pub fn offset(lhs: &Self, rhs: &Self) -> (isize, isize) {
35        (
36            rhs.0 as isize - lhs.0 as isize,
37            rhs.1 as isize - lhs.1 as isize,
38        )
39    }
40}
41
42/// Geometry representation structure.
43///
44/// For specification of the accepted VTK file format, see [`crate::grisubal`]'s documentation entry.
45pub struct Geometry2<T: CoordsFloat> {
46    /// Vertices of the geometry.
47    pub vertices: Vec<Vertex2<T>>,
48    /// Edges / segments making up the geometry.
49    pub segments: Vec<(usize, usize)>,
50    /// Points of interest, i.e. points to insert unconditionally in the future map / mesh.
51    pub poi: Vec<usize>,
52}
53
54macro_rules! build_vertices {
55    ($v: ident) => {{
56        if $v.len() % 3 != 0 {
57            return Err(GrisubalError::BadVtkData(
58                "vertex list contains an incomplete tuple",
59            ));
60        }
61        $v.chunks_exact(3)
62            .map(|slice| {
63                // WE IGNORE Z values
64                let &[x, y, _] = slice else { unreachable!() };
65                Vertex2::from((T::from(x).unwrap(), T::from(y).unwrap()))
66            })
67            .collect()
68    }};
69}
70
71/// For specification of the accepted VTK file format, see [`crate::grisubal`]'s documentation entry.
72impl<T: CoordsFloat> TryFrom<Vtk> for Geometry2<T> {
73    type Error = GrisubalError;
74
75    #[allow(clippy::too_many_lines)]
76    fn try_from(value: Vtk) -> Result<Self, Self::Error> {
77        // What we are reading / how we construct the geometry:
78        // The input VTK file should describe boundaries (e.g. edges in 2D) & key vertices (e.g. sharp corners)
79        // Those should be described by using simple
80        match value.data {
81            DataSet::ImageData { .. }
82            | DataSet::StructuredGrid { .. }
83            | DataSet::RectilinearGrid { .. }
84            | DataSet::Field { .. }
85            | DataSet::PolyData { .. } => {
86                Err(GrisubalError::UnsupportedVtkData("dataset not supported"))
87            }
88            DataSet::UnstructuredGrid { pieces, .. } => {
89                let mut vertices = Vec::new();
90                let mut segments = Vec::new();
91                let mut poi = Vec::new();
92                let tmp = pieces.iter().map(|piece| {
93                    // assume inline data
94                    let Ok(tmp) = piece.load_piece_data(None) else {
95                        return Err(GrisubalError::UnsupportedVtkData("not inlined data piece"));
96                    };
97
98                    // build vertex list
99                    // since we're expecting coordinates, we'll assume floating type
100                    // we're also converting directly to our vertex type since we're building a 2-map
101                    let vertices: Vec<Vertex2<T>> = match tmp.points {
102                        IOBuffer::F64(v) => build_vertices!(v),
103                        IOBuffer::F32(v) => build_vertices!(v),
104                        _ => {
105                            return Err(GrisubalError::UnsupportedVtkData(
106                                "not float or double coordinate representation type",
107                            ));
108                        }
109                    };
110                    let mut poi: Vec<usize> = Vec::new();
111                    let mut segments: Vec<(usize, usize)> = Vec::new();
112
113                    let vtkio::model::Cells { cell_verts, types } = tmp.cells;
114                    match cell_verts {
115                        VertexNumbers::Legacy {
116                            num_cells,
117                            vertices: verts,
118                        } => {
119                            // check basic stuff
120                            if num_cells as usize != types.len() {
121                                return Err(GrisubalError::BadVtkData(
122                                    "different # of cells in CELLS and CELL_TYPES",
123                                ));
124                            }
125
126                            // build a collection of vertex lists corresponding of each cell
127                            let mut cell_components: Vec<Vec<usize>> = Vec::new();
128                            let mut take_next = 0;
129                            for vertex_id in &verts {
130                                if take_next == 0 {
131                                    // making it usize since it's a counter
132                                    take_next = *vertex_id as usize;
133                                    cell_components.push(Vec::with_capacity(take_next));
134                                } else {
135                                    cell_components
136                                        .last_mut()
137                                        .expect("E: unreachable")
138                                        .push(*vertex_id as usize);
139                                    take_next -= 1;
140                                }
141                            }
142                            assert_eq!(num_cells as usize, cell_components.len());
143
144                            if let Some(err) = types.iter().zip(cell_components.iter()).find_map(
145                                |(cell_type, vids)| match cell_type {
146                                    CellType::Vertex => {
147                                        if vids.len() != 1 {
148                                            return Some(GrisubalError::BadVtkData(
149                                                "`Vertex` with incorrect # of vertices (!=1)",
150                                            ));
151                                        }
152                                        poi.push(vids[0]);
153                                        None
154                                    }
155                                    CellType::PolyVertex => Some(
156                                        GrisubalError::UnsupportedVtkData("`PolyVertex` cell type"),
157                                    ),
158                                    CellType::Line => {
159                                        if vids.len() != 2 {
160                                            return Some(GrisubalError::BadVtkData(
161                                                "`Line` with incorrect # of vertices (!=2)",
162                                            ));
163                                        }
164                                        segments.push((vids[0], vids[1]));
165                                        None
166                                    }
167                                    CellType::PolyLine => {
168                                        Some(GrisubalError::BadVtkData("`PolyLine` cell type"))
169                                    }
170                                    _ => None, // silent ignore all other cells that do not make up boundaries
171                                },
172                            ) {
173                                return Err(err);
174                            }
175                        }
176                        VertexNumbers::XML { .. } => {
177                            return Err(GrisubalError::UnsupportedVtkData("XML format"));
178                        }
179                    }
180                    Ok((vertices, segments, poi))
181                });
182
183                if let Some(e) = tmp.clone().find(Result::is_err) {
184                    return Err(e.unwrap_err());
185                }
186
187                tmp.filter_map(Result::ok)
188                    .for_each(|(mut ver, mut seg, mut points)| {
189                        vertices.append(&mut ver);
190                        segments.append(&mut seg);
191                        poi.append(&mut points);
192                    });
193
194                Ok(Geometry2 {
195                    vertices,
196                    segments,
197                    poi,
198                })
199            }
200        }
201    }
202}
203
204#[derive(Clone, Debug, PartialEq, Eq, Hash)]
205pub enum GeometryVertex {
206    /// Regular vertex. Inner `usize` indicates the vertex ID in-geometry.
207    Regular(usize),
208    /// Characteristic vertex, i.e. Point of Interest. Inner `usize` indicates the vertex ID in-geometry.
209    PoI(usize),
210    /// Intersection vertex. Inner `usize` indices the associated metadata ID in the dedicated collection.
211    Intersec(usize),
212    /// Intersection corner. This variant is dedicated to corner intersection and contain data that is directly
213    /// used to instantiate [`MapEdge`] objects. The contained dart correspond to the intersected dart (end dart); the
214    /// dart of the opposite quadrant (start dart of the next segment) can be retrieved by applying a combination of
215    /// beta functions
216    IntersecCorner(DartIdType),
217}
218
219#[derive(Debug)]
220pub struct MapEdge<T: CoordsFloat> {
221    pub start: DartIdType,
222    pub intermediates: Vec<Vertex2<T>>,
223    pub end: DartIdType,
224}
225
226/// Boundary-modeling enum.
227///
228/// This enum is used as an attribute (bound to single darts) to describe:
229///
230/// 1. if a dart is part of the captured geometry's boundary (`Left`/`Right` vs `None`)
231/// 2. if it is, which side of the boundary it belongs to (`Left` vs `Right`)
232///
233/// The following image shows an oriented boundary (red), along with darts modeling its left side (purple),
234/// right side (blue), and darts that do not model the boundary (black).
235///
236/// ![`DART_SIDES`](https://lihpc-computational-geometry.github.io/honeycomb/images/grisubal/left_right_darts.svg)
237///
238/// The attribute is set during the capture of the geometry so that it can be used at the (optional) clipping step.
239#[derive(Clone, Copy, Debug, PartialEq)]
240pub enum Boundary {
241    /// Dart model the left side of the oriented boundary.
242    Left,
243    /// Dart model the right side of the oriented boundary.
244    Right,
245    /// Dart is not part of the boundary.
246    None,
247}
248
249impl AttributeUpdate for Boundary {
250    fn merge(attr1: Self, attr2: Self) -> Result<Self, AttributeError> {
251        Ok(if attr1 == attr2 {
252            attr1
253        } else {
254            Boundary::None
255        })
256    }
257
258    fn split(_attr: Self) -> Result<(Self, Self), AttributeError> {
259        unreachable!()
260    }
261
262    fn merge_incomplete(attr: Self) -> Result<Self, AttributeError> {
263        Ok(attr)
264    }
265
266    fn merge_from_none() -> Result<Self, AttributeError> {
267        Ok(Boundary::None)
268    }
269}
270
271impl AttributeBind for Boundary {
272    type StorageType = AttrSparseVec<Self>;
273    type IdentifierType = DartIdType;
274    const BIND_POLICY: OrbitPolicy = OrbitPolicy::Vertex;
275}