honeycomb_core/cmap/builder/
structure.rs

1use std::fs::File;
2use std::io::Read;
3
4use thiserror::Error;
5use vtkio::Vtk;
6
7use crate::attributes::{AttrStorageManager, AttributeBind};
8use crate::cmap::{CMap2, CMap3, GridDescriptor};
9use crate::geometry::CoordsFloat;
10
11use super::io::CMapFile;
12
13/// # Builder-level error enum
14///
15/// This enum is used to describe all non-panic errors that can occur when using the builder
16/// structure.
17#[derive(Error, Debug, PartialEq, Eq)]
18pub enum BuilderError {
19    // grid-related variants
20    /// One or multiple of the specified grid characteristics are invalid.
21    #[error("invalid grid parameters - {0}")]
22    InvalidGridParameters(&'static str),
23    /// The builder is missing one or multiple parameters to generate the grid.
24    #[error("insufficient parameters - please specify at least 2")]
25    MissingGridParameters,
26
27    // custom format variants
28    /// A value could not be parsed.
29    #[error("error parsing a value in one of the cmap file section - {0}")]
30    BadValue(&'static str),
31    /// The meta section of the file is incorrect.
32    #[error("error parsing the cmap file meta section - {0}")]
33    BadMetaData(&'static str),
34    /// The file contains a duplicated section.
35    #[error("duplicated section in cmap file - {0}")]
36    DuplicatedSection(String),
37    /// The file contains contradicting data.
38    #[error("inconsistent data - {0}")]
39    InconsistentData(&'static str),
40    /// A required section is missing from the file.
41    #[error("required section missing in cmap file - {0}")]
42    MissingSection(&'static str),
43    /// The file contains an unrecognized section header.
44    #[error("unknown header in cmap file - {0}")]
45    UnknownHeader(String),
46
47    // vtk-related variants
48    /// Specified VTK file contains inconsistent data.
49    #[error("invalid/corrupted data in the vtk file - {0}")]
50    BadVtkData(&'static str),
51    /// Specified VTK file contains unsupported data.
52    #[error("unsupported data in the vtk file - {0}")]
53    UnsupportedVtkData(&'static str),
54}
55
56/// # Combinatorial map builder structure
57///
58/// ## Example
59///
60/// ```rust
61/// # use honeycomb_core::cmap::BuilderError;
62/// # fn main() -> Result<(), BuilderError> {
63/// use honeycomb_core::cmap::{CMap2, CMap3, CMapBuilder};
64///
65/// let builder_2d = CMapBuilder::<2, _>::from_n_darts(10);
66/// let map_2d: CMap2<f64> = builder_2d.build()?;
67/// assert_eq!(map_2d.n_darts(), 11); // 10 + null dart = 11
68///
69/// let builder_3d = CMapBuilder::<3, _>::from_n_darts(10);
70/// let map_3d: CMap3<f64> = builder_3d.build()?;
71/// assert_eq!(map_3d.n_darts(), 11); // 10 + null dart = 11
72/// # Ok(())
73/// # }
74/// ```
75pub struct CMapBuilder<const D: usize, T>
76where
77    T: CoordsFloat,
78{
79    builder_kind: BuilderType<D, T>,
80    attributes: AttrStorageManager,
81}
82
83enum BuilderType<const D: usize, T: CoordsFloat> {
84    CMap(CMapFile),
85    FreeDarts(usize),
86    Grid(GridDescriptor<D, T>),
87    Vtk(Vtk),
88}
89
90#[doc(hidden)]
91pub trait Builder {
92    type MapType;
93    fn build(self) -> Result<Self::MapType, BuilderError>;
94}
95
96impl<T: CoordsFloat> Builder for CMapBuilder<2, T> {
97    type MapType = CMap2<T>;
98
99    fn build(self) -> Result<Self::MapType, BuilderError> {
100        match self.builder_kind {
101            BuilderType::CMap(cfile) => super::io::build_2d_from_cmap_file(cfile, self.attributes),
102            BuilderType::FreeDarts(n_darts) => Ok(CMap2::new_with_undefined_attributes(
103                n_darts,
104                self.attributes,
105            )),
106            BuilderType::Grid(gridb) => {
107                let split = gridb.split_cells;
108                gridb.parse_2d().map(|(origin, ns, lens)| {
109                    if split {
110                        super::grid::build_2d_splitgrid(origin, ns, lens, self.attributes)
111                    } else {
112                        super::grid::build_2d_grid(origin, ns, lens, self.attributes)
113                    }
114                })
115            }
116            BuilderType::Vtk(vfile) => super::io::build_2d_from_vtk(vfile, self.attributes),
117        }
118    }
119}
120
121impl<T: CoordsFloat> Builder for CMapBuilder<3, T> {
122    type MapType = CMap3<T>;
123
124    fn build(self) -> Result<Self::MapType, BuilderError> {
125        match self.builder_kind {
126            BuilderType::CMap(_cfile) => unimplemented!(),
127            BuilderType::FreeDarts(n_darts) => Ok(CMap3::new_with_undefined_attributes(
128                n_darts,
129                self.attributes,
130            )),
131            BuilderType::Grid(gridb) => {
132                let split = gridb.split_cells;
133                gridb.parse_3d().map(|(origin, ns, lens)| {
134                    if split {
135                        unimplemented!()
136                    } else {
137                        super::grid::build_3d_grid(origin, ns, lens, self.attributes)
138                    }
139                })
140            }
141            BuilderType::Vtk(_vfile) => unimplemented!(),
142        }
143    }
144}
145/// # Regular methods
146impl<const D: usize, T: CoordsFloat> CMapBuilder<D, T> {
147    /// Create a builder structure for a map with a set number of darts.
148    #[must_use = "unused builder object"]
149    pub fn from_n_darts(n_darts: usize) -> Self {
150        Self {
151            builder_kind: BuilderType::FreeDarts(n_darts),
152            attributes: AttrStorageManager::default(),
153        }
154    }
155
156    /// Create a builder structure from a [`GridDescriptor`].
157    #[must_use = "unused builder object"]
158    pub fn from_grid_descriptor(grid_descriptor: GridDescriptor<D, T>) -> Self {
159        Self {
160            builder_kind: BuilderType::Grid(grid_descriptor),
161            attributes: AttrStorageManager::default(),
162        }
163    }
164
165    /// Create a builder structure from a `cmap` file.
166    ///
167    /// # Panics
168    ///
169    /// This function may panic if the file cannot be loaded, or basic section parsing fails.
170    #[must_use = "unused builder object"]
171    pub fn from_cmap_file(file_path: impl AsRef<std::path::Path> + std::fmt::Debug) -> Self {
172        let mut f = File::open(file_path).expect("E: could not open specified file");
173        let mut buf = String::new();
174        f.read_to_string(&mut buf)
175            .expect("E: could not read content from file");
176        let cmap_file = CMapFile::try_from(buf).unwrap();
177
178        Self {
179            builder_kind: BuilderType::CMap(cmap_file),
180            attributes: AttrStorageManager::default(),
181        }
182    }
183
184    /// Create a builder structure from a VTK file.
185    ///
186    /// # Panics
187    ///
188    /// This function may panic if the file cannot be loaded.
189    #[must_use = "unused builder object"]
190    pub fn from_vtk_file(file_path: impl AsRef<std::path::Path> + std::fmt::Debug) -> Self {
191        let vtk_file =
192            Vtk::import(file_path).unwrap_or_else(|e| panic!("E: failed to load file: {e:?}"));
193
194        Self {
195            builder_kind: BuilderType::Vtk(vtk_file),
196            attributes: AttrStorageManager::default(),
197        }
198    }
199
200    /// Add the attribute `A` to the attributes the created map will contain.
201    ///
202    /// # Usage
203    ///
204    /// Each attribute must be uniquely typed, i.e. a single type or struct cannot be added twice
205    /// to the builder / map. This includes type aliases as these are not distinct from the
206    /// compiler's perspective.
207    ///
208    /// If you have multiple attributes that are represented using the same data type, you may want
209    /// to look into the **Newtype** pattern
210    /// [here](https://rust-unofficial.github.io/patterns/patterns/behavioural/newtype.html)
211    /// and [here](https://doc.rust-lang.org/rust-by-example/generics/new_types.html)
212    #[must_use = "unused builder object"]
213    pub fn add_attribute<A: AttributeBind + 'static>(mut self) -> Self {
214        self.attributes.add_storage::<A>(1);
215        self
216    }
217
218    #[allow(clippy::missing_errors_doc)]
219    /// Consumes the builder and produce a combinatorial map object.
220    ///
221    /// # Return / Errors
222    ///
223    /// This method return a `Result` taking the following values:
224    /// - `Ok(map: _)` if generation was successful,
225    /// - `Err(BuilderError)` otherwise. See [`BuilderError`] for possible failures.
226    ///
227    /// Depending on the dimension `D` associated with this structure, the map will either be a
228    /// `CMap2` or `CMap3`. If `D` isn't 2 or 3, this method will not be available as it uses a
229    /// trait not implemented for other values of `D`. This is necessary to handle the multiple
230    /// return types as Rust is slightly lacking in terms of comptime capabilities.
231    ///
232    /// # Panics
233    ///
234    /// This method may panic if type casting goes wrong during parameters parsing.
235    #[allow(private_interfaces, private_bounds)]
236    pub fn build(self) -> Result<<Self as Builder>::MapType, BuilderError>
237    where
238        Self: Builder,
239    {
240        Builder::build(self)
241    }
242}
243
244/// # 2D pre-definite structures
245impl<T: CoordsFloat> CMapBuilder<2, T> {
246    /// Create a [`CMapBuilder`] with a predefinite [`GridDescriptor`] value.
247    ///
248    /// # Arguments
249    ///
250    /// - `n_square: usize` -- Number of cells along each axis.
251    ///
252    /// # Return
253    ///
254    /// This function return a builder structure with pre-definite parameters set to generate
255    /// a specific map.
256    ///
257    /// The map generated by this pre-definite value corresponds to an orthogonal mesh, with an
258    /// equal number of cells along each axis:
259    ///
260    /// ![`CMAP2_GRID`](https://lihpc-computational-geometry.github.io/honeycomb/user-guide/images/bg_grid.svg)
261    #[must_use = "unused builder object"]
262    pub fn unit_grid(n_square: usize) -> Self {
263        Self {
264            builder_kind: BuilderType::Grid(
265                GridDescriptor::default()
266                    .n_cells([n_square; 2])
267                    .len_per_cell([T::one(); 2]),
268            ),
269            attributes: AttrStorageManager::default(),
270        }
271    }
272
273    /// Create a [`CMapBuilder`] with a predefinite [`GridDescriptor`] value.
274    ///
275    /// # Arguments
276    ///
277    /// - `n_square: usize` -- Number of cells along each axis.
278    ///
279    /// # Return
280    ///
281    /// This function return a builder structure with pre-definite parameters set to generate
282    /// a specific map.
283    ///
284    /// The map generated by this pre-definite value corresponds to an orthogonal mesh, with an
285    /// equal number of cells along each axis. Each cell will be split across their diagonal (top
286    /// left to bottom right) to form triangles:
287    ///
288    /// ![`CMAP2_GRID`](https://lihpc-computational-geometry.github.io/honeycomb/user-guide/images/bg_grid_tri.svg)
289    #[must_use = "unused builder object"]
290    pub fn unit_triangles(n_square: usize) -> Self {
291        Self {
292            builder_kind: BuilderType::Grid(
293                GridDescriptor::default()
294                    .n_cells([n_square; 2])
295                    .len_per_cell([T::one(); 2])
296                    .split_cells(true),
297            ),
298            attributes: AttrStorageManager::default(),
299        }
300    }
301}
302
303/// # 3D pre-definite structures
304impl<T: CoordsFloat> CMapBuilder<3, T> {
305    /// Create a [`CMapBuilder`] with a predefinite [`GridDescriptor`] value.
306    ///
307    /// # Arguments
308    ///
309    /// - `n_cells_per_axis: usize` -- Number of cells along each axis.
310    ///
311    /// # Return
312    ///
313    /// The map generated by this pre-definite value corresponds to an orthogonal mesh, with an
314    /// equal number of cells along each axis:
315    ///
316    /// TODO: add a figure
317    pub fn hex_grid(n_cells_per_axis: usize, cell_length: T) -> Self {
318        Self {
319            builder_kind: BuilderType::Grid(
320                GridDescriptor::default()
321                    .n_cells([n_cells_per_axis; 3])
322                    .len_per_cell([cell_length; 3]),
323            ),
324            attributes: AttrStorageManager::default(),
325        }
326    }
327
328    /// **UNIMPLEMENTED**
329    #[must_use = "unused builder object"]
330    pub fn tet_grid(n_cells_per_axis: usize, cell_length: T) -> Self {
331        Self {
332            builder_kind: BuilderType::Grid(
333                GridDescriptor::default()
334                    .n_cells([n_cells_per_axis; 3])
335                    .len_per_cell([cell_length; 3])
336                    .split_cells(true),
337            ),
338            attributes: AttrStorageManager::default(),
339        }
340    }
341}