hronn 0.7.0

An experimental CNC toolpath generator
Documentation
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
// SPDX-License-Identifier: AGPL-3.0-or-later
// Copyright (c) 2023 lacklustr@protonmail.com https://github.com/eadf
// This file is part of the hronn crate.
mod trait_impl;

use super::ProbeMode;
use crate::{
    HronnError, geo,
    geo::ConvertTo,
    obj,
    util::{GrowingVob, MaximumTracker, VobU32},
};
use krakel::KDTree;
use std::{fmt::Debug, path::Path};
use vector_traits::{
    approx,
    num_traits::real::Real,
    prelude::{GenericScalar, GenericVector2, GenericVector3, HasXYZ},
};

#[derive(Clone, Debug)]
pub(crate) struct SpatialTriangle<T: GenericVector2> {
    pub(crate) center: T,
    // a reference back into the MeshAnalyzer::vertices
    pub(crate) index: u32,
}
impl<T: GenericVector2> SpatialTriangle<T> {
    pub(crate) fn new(index: u32, center: T) -> Self {
        Self { center, index }
    }
}

#[derive(Clone, Copy, Debug)]
pub struct SearchResult<T: GenericVector3> {
    pub(crate) z_value: T::Scalar,
    // a reference back into the MeshAnalyzer::vertices
    pub(crate) index: u32,
}

impl<T: GenericVector3> SearchResult<T> {
    #[allow(dead_code)]
    pub(crate) fn new(index: u32, z_value: T::Scalar) -> Self {
        Self { z_value, index }
    }
}

pub struct MeshAnalyzerBuilder<'a, T: GenericVector3, MESH: HasXYZ>
where
    T::Scalar: approx::UlpsEq,
    MESH: ConvertTo<T>,
    T: ConvertTo<MESH>,
{
    data_vertices: Option<Data<'a, MESH>>,
    data_indices: Option<Data<'a, u32>>,
    split_distance: Option<T::Scalar>,
}

impl<'a, T: GenericVector3, MESH: HasXYZ> MeshAnalyzerBuilder<'a, T, MESH>
where
    MESH: ConvertTo<T> + 'a,
    T: ConvertTo<MESH>,
{
    /// Insert the mesh as owned data from an .obj file.
    pub fn load_from_obj(mut self, filename: impl AsRef<Path> + Debug) -> Result<Self, HronnError> {
        let obj = obj::Obj::new_from_file(filename)?;

        self.data_vertices = Some(Data::Owned(obj.vertices));
        self.data_indices = Some(Data::Owned(obj.indices));
        Ok(self)
    }

    /// Insert the mesh as references.
    pub fn load_from_ref(
        mut self,
        vertices: &'a [MESH],
        indices: &'a [u32],
    ) -> Result<Self, HronnError> {
        self.data_vertices = Some(Data::Ref(vertices));
        self.data_indices = Some(Data::Ref(indices));
        Ok(self)
    }

    /// Add the command to split the triangles in the mesh if they have sides shorter
    /// than split_distance
    pub fn with_split(mut self, split_distance: T::Scalar) -> Result<Self, HronnError> {
        self.split_distance = Some(split_distance);
        Ok(self)
    }

    /// Finalizes the build of the MeshAnalyzer
    pub fn build(self) -> Result<MeshAnalyzer<'a, T, MESH>, HronnError> {
        if self.data_vertices.is_none() {
            return Err(HronnError::InternalError("missing vertices".to_string()));
        }
        if self.data_indices.is_none() {
            return Err(HronnError::InternalError("missing indices".to_string()));
        }

        let ma =
            MeshAnalyzer::<T, MESH>::new(self.data_vertices.unwrap(), self.data_indices.unwrap())?;
        let ma = if let Some(split_distance) = self.split_distance {
            ma.split_and_update_kd_tree(split_distance)?
        } else {
            ma.update_kd_tree()?
        };
        Ok(ma)
    }
}

/// An enum representing ownership of data.
///
/// `Data` can either own its contained data (`Owned`) or borrow it (`Ref`).
/// This is useful in scenarios where a structure might sometimes take ownership
/// of its data and at other times borrow it, depending on the context.
///
/// # Variants
///
/// - `Owned`: The data is owned by this enum variant.
/// - `Ref`: The data is borrowed, with a given lifetime `'a`.
///
/// # Examples
///
/// ```rust,ignore
/// let owned_data: Data<i32> = Data::Owned(vec![1, 2, 3]);
/// let borrowed_data: Data<i32> = Data::Ref(&[4, 5, 6]);
/// ```
pub(crate) enum Data<'a, T> {
    Owned(Vec<T>),
    Ref(&'a [T]),
}

pub struct MeshAnalyzer<'a, T: GenericVector3, MESH: HasXYZ> {
    pub(crate) triangle_side_length: T::Scalar,
    pub(crate) vertices: Data<'a, MESH>,
    pub(crate) indices: Data<'a, u32>,
    pub(crate) kd_tree: KDTree<SpatialTriangle<T::Vector2>>,
    pub(crate) mode: ProbeMode,
}

struct SplitContainer<MESH: HasXYZ> {
    new_vertices: Vec<MESH>,
    split_triangles: Vec<([u32; 3], u32)>,
    split_indicator: VobU32,
}

impl<'a, T: GenericVector3, MESH: HasXYZ> MeshAnalyzer<'a, T, MESH>
where
    MESH: ConvertTo<T> + 'a,
    T: ConvertTo<MESH>,
{
    /// creates a new MeshAnalyzer with data that can be either owned or just referenced.
    fn new(vertices: Data<'a, MESH>, indices: Data<'a, u32>) -> Result<Self, HronnError> {
        let kd_tree = KDTree::<SpatialTriangle<T::Vector2>>::default();
        let vertices_ref = vertices.as_ref();
        let indices_ref = indices.as_ref();

        if vertices_ref.is_empty() {
            return Err(HronnError::NoData("No triangles found".to_string()));
        }
        let mut max_l_sq = MaximumTracker::<T::Scalar>::default();
        indices_ref.chunks(3).for_each(|triangle| {
            Self::max_side_sq(vertices_ref, triangle, &mut max_l_sq);
        });
        let triangle_side_length = max_l_sq.get_max().unwrap_or(T::Scalar::ZERO).sqrt();
        println!(
            "Created a non-split MeshAnalyzer object with and triangle side length={triangle_side_length}."
        );
        Ok(Self {
            vertices,
            indices,
            triangle_side_length,
            kd_tree,
            mode: ProbeMode::OriginalTriangles,
        })
    }

    /// simply update the kd-tree with the triangles we know about, no alterations
    fn update_kd_tree(mut self) -> Result<Self, HronnError> {
        let vertices_ref = self.vertices.as_ref();

        for (index, triangle) in self.indices.as_ref().chunks(3).enumerate() {
            let p0 = vertices_ref[triangle[0] as usize];
            let p1 = vertices_ref[triangle[1] as usize];
            let p2 = vertices_ref[triangle[2] as usize];

            let center: T::Vector2 = geo::centroid_2d(
                <MESH as ConvertTo<T>>::to(p0).to_2d(),
                <MESH as ConvertTo<T>>::to(p1).to_2d(),
                <MESH as ConvertTo<T>>::to(p2).to_2d(),
            );

            self.kd_tree
                .insert(SpatialTriangle::new(index as u32, center))?;
        }
        Ok(self)
    }

    /// Split the known triangles if any of their sides are too long into "virtual" triangles that
    /// we then insert into the kd-tree (together with the triangles that were short enough).
    /// These split triangles will point back to the original triangle, so the collision math is
    /// done against those.
    fn split_and_update_kd_tree(mut self, split_length: T::Scalar) -> Result<Self, HronnError> {
        let original_indices = self.indices.as_ref();
        let _original_indices_len = original_indices.len();
        let original_vertices = self.vertices.as_ref();
        let original_vertices_len = original_vertices.len() as u32;

        //let number_of_original_vertices = self.vertices.len();
        let mut _triangle_side_length: T::Scalar;

        // We are splitting the triangles in the mesh so that they are all max length<=radius
        // Thus we can search by a distance of r+l/2 = 1.5*r
        let SplitContainer {
            new_vertices: added_vertices,
            split_triangles: added_triangles,
            split_indicator: was_split,
        } = Self::split_triangulated_faces(split_length, original_vertices, self.indices.as_ref());
        self.mode = if !added_triangles.is_empty() {
            println!(
                "Created a new MeshAnalyzer from {} vertices, split into {} additional vertices",
                original_vertices_len,
                added_vertices.len()
            );
            _triangle_side_length = split_length;
            ProbeMode::SplitTriangles
        } else {
            println!("Created a new MeshAnalyzer from {original_vertices_len} vertices",);
            ProbeMode::OriginalTriangles
        };

        let get_vertex = |id: u32| {
            if id >= original_vertices_len {
                added_vertices[(id - original_vertices_len) as usize]
            } else {
                original_vertices[id as usize]
            }
        };

        original_indices
            .chunks(3)
            .enumerate()
            .for_each(|(id, triangle)| {
                let p0 = get_vertex(triangle[0]);
                let p1 = get_vertex(triangle[1]);
                let p2 = get_vertex(triangle[2]);

                if !was_split[id] {
                    let center: T::Vector2 = geo::centroid_2d(
                        <MESH as ConvertTo<T>>::to(p0).to_2d(),
                        <MESH as ConvertTo<T>>::to(p1).to_2d(),
                        <MESH as ConvertTo<T>>::to(p2).to_2d(),
                    );
                    // only insert split triangles, or triangles already small enough
                    if false {
                        println!(
                            "inserted original center:{:?} id:{} [{},{},{}]",
                            center, id, triangle[0], triangle[1], triangle[2]
                        );
                    }
                    self.kd_tree
                        .insert(SpatialTriangle::new(id as u32, center))
                        .unwrap();
                }
            });

        added_triangles.iter().for_each(|(triangle, id)| {
            let p0 = get_vertex(triangle[0]);
            let p1 = get_vertex(triangle[1]);
            let p2 = get_vertex(triangle[2]);

            let center: T::Vector2 = geo::centroid_2d(
                <MESH as ConvertTo<T>>::to(p0).to_2d(),
                <MESH as ConvertTo<T>>::to(p1).to_2d(),
                <MESH as ConvertTo<T>>::to(p2).to_2d(),
            );
            if false {
                println!(
                    "inserted added center:{:?} id:{} [{},{},{}]",
                    center, id, triangle[0], triangle[1], triangle[2]
                );
            }
            self.kd_tree
                .insert(SpatialTriangle::new(*id, center))
                .unwrap();
        });

        println!("Created a split MeshAnalyzer object with max triangle length={split_length}");
        Ok(self)
    }

    /// split existing triangles if their length is too long.
    /// Warning: this assumes the Obj data is triangulated. It does nothing for self::line
    fn split_triangulated_faces(
        max_length: T::Scalar,
        original_vertices: &[MESH],
        original_triangles: &[u32],
    ) -> SplitContainer<MESH> {
        if false {
            println!("original_triangles:{original_triangles:?}");
        }
        let max_length_sq = max_length * max_length;
        let mut split_indicator = VobU32::fill_with_false(original_triangles.len());

        let candidate_triangles: Vec<_> = original_triangles
            .chunks(3)
            .enumerate()
            .filter_map(|(i, v)| {
                let mut max_l_sq = MaximumTracker::<T::Scalar>::default();
                Self::max_side_sq(original_vertices, v, &mut max_l_sq);
                if max_l_sq.get_max().unwrap() > max_length_sq {
                    let _ = split_indicator.set(i, true);
                    Some(([v[0], v[1], v[2]], i as u32))
                } else {
                    None
                }
            })
            .collect();
        if false {
            println!("candidate_triangles.len()={}", candidate_triangles.len());
            println!("candidate_triangles:{candidate_triangles:?}");
        }

        let (new_vertices, split_triangles) = Self::split_triangles(
            original_vertices,
            candidate_triangles,
            max_length * max_length,
        );
        if false {
            println!(
                "split_triangles:{:?} {}",
                split_triangles,
                split_triangles.len()
            );
            let mut vertices = original_vertices.to_vec();
            vertices.extend(&new_vertices);

            let split_triangles: Vec<_> = split_triangles
                .iter()
                .flat_map(|v| [v.0[0], v.0[1], v.0[2]])
                .collect();
            /*println!(
                "split_triangles:{:?} {}",
                split_triangles,
                split_triangles.len() / 3
            );*/
            let split_obj = obj::Obj::default()
                .with_name("split")
                .with_vertices(vertices)
                .with_indices(split_triangles);
            let _ = split_obj.write_to_file("split.obj");

            println!("wrote split.obj");
        }
        SplitContainer {
            new_vertices,
            split_triangles,
            split_indicator,
        }
    }

    fn split_triangles(
        original_vertices: &[MESH],
        mut triangles_to_split: Vec<([u32; 3], u32)>,
        max_length_sq: T::Scalar,
    ) -> (Vec<MESH>, Vec<([u32; 3], u32)>) {
        fn split_edge<T, MESH>(v1: &T, v2: &T, vertices: &mut Vec<MESH>) -> u32
        where
            T: GenericVector3 + ConvertTo<MESH>,
            MESH: HasXYZ + ConvertTo<T>,
        {
            let midpoint = (*v1 + *v2) / T::Scalar::TWO;
            //println!("created a new vertex: {:?}", midpoint);
            vertices.push(midpoint.to());
            (vertices.len() - 1) as u32 // Return the index of the new vertex.
        }

        let original_vertices_len = original_vertices.len() as u32;

        if original_vertices.is_empty() {
            return (Vec::new(), triangles_to_split);
        }

        if false {
            println!(
                "Splitting triangles with sides longer than {}",
                max_length_sq.sqrt()
            );
        }
        let get_vertex = |id: u32, ov: &[MESH], av: &[MESH]| {
            if id >= original_vertices_len {
                av[(id - original_vertices_len) as usize].to()
            } else {
                ov[id as usize].to()
            }
        };
        let mut added_vertices: Vec<MESH> = Vec::new();
        let mut i = 0;
        while i < triangles_to_split.len() {
            let (triangle, origin) = triangles_to_split[i];
            //println!("checking face: {:?}", face);

            let v0 = get_vertex(triangle[0], original_vertices, &added_vertices);
            let v1 = get_vertex(triangle[1], original_vertices, &added_vertices);
            let v2 = get_vertex(triangle[2], original_vertices, &added_vertices);

            let d01 = v0.distance_sq(v1);
            let d12 = v1.distance_sq(v2);
            let d20 = v2.distance_sq(v0);

            let longest_edge = if d01 >= d12 && d01 >= d20 {
                (v0, v1, triangle[0], triangle[1], triangle[2])
            } else if d12 >= d01 && d12 >= d20 {
                (v1, v2, triangle[1], triangle[2], triangle[0])
            } else {
                (v2, v0, triangle[2], triangle[0], triangle[1])
            };
            //let max_length_sq = T::Scalar::to_f32(max_length_sq);
            if d01 > max_length_sq || d12 > max_length_sq || d20 > max_length_sq {
                let new_vertex_id =
                    split_edge::<T, MESH>(&longest_edge.0, &longest_edge.1, &mut added_vertices)
                        + original_vertices_len;
                let new_face0 = ([longest_edge.2, new_vertex_id, longest_edge.4], origin);
                let new_face1 = ([new_vertex_id, longest_edge.3, longest_edge.4], origin);
                if false {
                    println!(
                        "i:{i} o:{origin} splitting face:{triangle:?} longest edge:{longest_edge:?} new_vertex_id:{new_vertex_id}",
                    );
                }

                // Replace the current triangle with the two new triangles
                triangles_to_split[i] = new_face0;
                triangles_to_split.push(new_face1);
            } else {
                i += 1;
            }
        }
        (added_vertices, triangles_to_split)
    }

    /// calculates the maximum squared length of the triangle sides
    fn max_side_sq(vertices: &[MESH], indices: &[u32], max_lenght: &mut MaximumTracker<T::Scalar>) {
        for i in 0..3 {
            let i1 = i;
            let i2 = (i + 1) % 3;
            max_lenght.insert(
                vertices[indices[i1] as usize]
                    .to()
                    .distance_sq(vertices[indices[i2] as usize].to()),
            );
        }
    }
}