D-dimensional Delaunay triangulations and convex hulls in Rust, with explicit invariants, multi-level validation, and theory-backed flip workflows inspired by CGAL.
This library implements d-dimensional Delaunay triangulations in Rust for computational geometry and scientific workflows. It is inspired by CGAL, which is a C++ library for computational geometry, and Spade, a Rust library that implements 2D Delaunay triangulations, Constrained Delaunay triangulations, and Voronoi diagrams. The goal is to provide a lightweight but rigorous alternative to CGAL in the Rust ecosystem, with explicit topology settings, validation levels, and repair behavior.
This crate models triangulations of finite point sets in R^d as oriented simplicial complexes with explicit
combinatorial and geometric checks.
- Core operational invariant for editing/repair: coherent orientation + PL-manifold validity
- Local move system: bistellar flips (
k = 1, 2, 3and inverses), providing the supported Pachner moves set in dimensions β€ 5 - Geometric convergence basis in finite-point workflows: Herbert Edelsbrunner and Nina R. Shah, Incremental Topological Flipping Works for Regular Triangulations, Discrete & Computational Geometry (1996), https://doi.org/10.1007/BF01975867
- Scope of claims: guarantees apply to supported library workflows (construction, flip-based repair, and validation APIs), not arbitrary external mutation of internal structures
- Copyable data types associated with vertices and cells (integers, floats, chars, custom enums)
- d-dimensional Delaunay triangulations
- d-dimensional Convex hulls
- Toroidal (periodic) triangulations via
DelaunayTriangulationBuilderwith Phase 1 (canonicalization) and Phase 2 (image-point method) support - Geometry quality metrics for simplices: radius ratio and normalized volume (dimension-agnostic)
- Serialization/deserialization of all data structures to/from JSON
- Tested for 2-, 3-, 4-, and 5-dimensional triangulations
- Configurable predicate kernels:
FastKernel(speed) vsRobustKernel(degenerate / near-degenerate robustness) - Bulk insertion ordering (
InsertionOrderStrategy): Hilbert curve (default), Z-order curve / Morton, lexicographic, or input order - Batch construction options (
ConstructionOptions): optional deduplication and deterministic retries - Incremental construction APIs: insertion plus vertex removal (
remove_vertex) - 4-level validation hierarchy (element validity β TDS structural validity β manifold topology β Delaunay property), including full diagnostics via
validation_report - Local topology validation (PL-manifold default, Pseudomanifold opt-out)
- Coherent combinatorial orientation validation/normalization for cells, maintaining oriented simplicial complexes
- The complete set of Pachner moves up to 5D implemented as bistellar k-flips for k = 1, 2, 3 plus inverse moves
- Delaunay repair using bistellar flips for k=2/k=3 with inverse edge/triangle queues in 4D/5D
- Safe Rust:
#![forbid(unsafe_code)]
See CHANGELOG.md for details.
The construction API has two entry points:
DelaunayTriangulation::new(&vertices)- simple constructor for the common caseDelaunayTriangulationBuilder- Advanced configuration (custom options, toroidal topology)
Add the library to your crate:
cargo add delaunayuse delaunay::prelude::triangulation::*;
// Create a 4D Delaunay triangulation from a set of vertices (with the default fast kernel).
let vertices = vec![
vertex!([0.0, 0.0, 0.0, 0.0]),
vertex!([1.0, 0.0, 0.0, 0.0]),
vertex!([0.0, 1.0, 0.0, 0.0]),
vertex!([0.0, 0.0, 1.0, 0.0]),
vertex!([0.0, 0.0, 0.0, 1.0]), // 5 vertices (D+1) creates first 4-simplex
vertex!([0.2, 0.2, 0.2, 0.2]), // Adding this vertex creates new simplices via flips
];
let dt = DelaunayTriangulation::new(&vertices).unwrap();
assert_eq!(dt.dim(), 4);
assert_eq!(dt.number_of_vertices(), 6);
assert_eq!(dt.number_of_cells(), 5); // 1 simplex from first 5 vertices + 4 new simplices from last vertex
// Optional verification:
// - `dt.is_valid()` checks Level 4 only (Delaunay property).
// - `dt.validate()` checks Levels 1β4 (elements + structure + topology + Delaunay).
assert!(dt.is_valid().is_ok());For periodic boundary conditions, use DelaunayTriangulationBuilder:
use delaunay::prelude::triangulation::*;
// Phase 1: Canonicalization (wraps coordinates into [0, 1)Β²)
let vertices = vec![
vertex!([0.1, 0.2]),
vertex!([0.8, 0.3]),
vertex!([0.5, 0.7]),
vertex!([1.2, 0.4]), // Wraps to [0.2, 0.4]
];
let dt = DelaunayTriangulationBuilder::new(&vertices)
.toroidal([1.0, 1.0]) // Fundamental domain periods
.build::<()>()
.unwrap();
assert_eq!(dt.topology_kind(), TopologyKind::Toroidal);For the full periodic image-point method (Phase 2), see the DelaunayTriangulationBuilder documentation.
- Editing with flips (Edit API):
see
docs/workflows.mdfor a minimal example anddocs/api_design.mdfor details. - Flip-based Delaunay repair, including the heuristic rebuild fallback (
repair_delaunay_with_flips*): seedocs/workflows.md. - Insertion outcomes and statistics (
insert_with_statistics,InsertionOutcome,InsertionStatistics): seedocs/workflows.mdanddocs/numerical_robustness_guide.md. - Topology guarantees (
TopologyGuarantee) and automatic topology validation (ValidationPolicy): seedocs/validation.mdanddocs/topology.md.
| Level | What is validated | Primary API |
|---|---|---|
| 1 | Element validity (vertex/cell primitives) | dt.validate() / dt.validation_report() |
| 2 | TDS structural validity (keys, incidences, neighbors) | dt.tds().is_valid() |
| 3 | Manifold topology (link checks, Euler/topological consistency) | dt.as_triangulation().is_valid() |
| 4 | Delaunay property (empty-circumsphere via local predicates) | dt.is_valid() |
| 1-4 | Cumulative checks with diagnostics | dt.validate() or dt.validation_report() |
TopologyGuarantee controls which Level 3 manifold constraints are enforced, and ValidationPolicy
controls when Level 3 checks run automatically during incremental insertion.
The construction pipeline exposes deterministic controls for experiments and regression testing:
- Deterministic insertion ordering via
InsertionOrderStrategy:Hilbert(default),Morton(Z-order),Lexicographic, orInput(useInputto preserve caller-provided order exactly) - Deterministic preprocessing via
DedupPolicy - Deterministic retry behavior via
RetryPolicy(including seeded shuffled retries) orRetryPolicy::Disabled - Explicit topology/validation configuration via
TopologyGuaranteeandValidationPolicy
use delaunay::core::delaunay_triangulation::{
ConstructionOptions, DedupPolicy, InsertionOrderStrategy, RetryPolicy,
};
use delaunay::core::triangulation::{TopologyGuarantee, ValidationPolicy};
use delaunay::prelude::triangulation::*;
let vertices = vec![
vertex!([0.0, 0.0]),
vertex!([1.0, 0.0]),
vertex!([0.0, 1.0]),
];
let options = ConstructionOptions::default()
.with_insertion_order(InsertionOrderStrategy::Input)
.with_dedup_policy(DedupPolicy::Exact)
.with_retry_policy(RetryPolicy::Disabled);
let mut dt = DelaunayTriangulationBuilder::new(&vertices)
.topology_guarantee(TopologyGuarantee::PLManifold)
.construction_options(options)
.build::<()>()
.unwrap();
dt.set_validation_policy(ValidationPolicy::Always);
assert!(dt.validate().is_ok());For reproducible checks in CI/local runs, use just check, just test, just doc-check, or just ci.
- CI and property-test coverage currently targets 2D-5D.
- Large-scale and 4D bulk-construction caveats are documented in Known Issues.
- Validation/repair guarantees assume the library-managed construction/editing pipeline.
This crate was originally maintained at https://github.com/oovm/shape-rs through version 0.1.0.
The original implementation provided basic Delaunay triangulation functionality.
Starting with version 0.3.4, maintenance transferred to this repository, which hosts a completely
rewritten d-dimensional implementation focused on computational geometry research applications.
- π Docs for the original implementation (
0.1.0): https://docs.rs/delaunay/0.1.0/delaunay/ - π Docs for the rewritten implementation (
0.3.4+): https://docs.rs/delaunay
We welcome contributions! Here's a quickstart:
# Clone and setup
git clone https://github.com/acgetchell/delaunay.git
cd delaunay
# Setup development environment (installs tools, builds project)
cargo install just
just setup # Installs all development tools and dependencies
# Development workflow
just fix # Apply formatters/auto-fixes (mutating)
just check # Lint/validators (non-mutating)
just ci # Full CI run (checks + all tests + examples + bench compile)
just ci-slow # CI + slow tests (100+ vertices)
just --list # See all available commands
just help-workflows # Show common workflow patternsTry the examples:
just examples # Run all examples
# Or run specific examples:
cargo run --release --example triangulation_3d_100_points
cargo run --release --example convex_hull_3d_100_pointsThe examples/ directory contains several demonstrations:
convex_hull_3d_100_points: 3D convex hull extraction and analysis on the same 100-point configurationinto_from_conversions: Demonstrates Into/From trait conversions and utilitiesmemory_analysis: Memory usage analysis for triangulations across dimensions with allocation trackingpachner_roundtrip_4d: 4D Pachner move (k=1,2,3) roundtrip checks (flip + inverse preserves the triangulation)point_comparison_and_hashing: Demonstrates point comparison and hashing behaviortopology_editing_2d_3d: Builder API vs Edit API in 2D/3D (bistellar flips and Delaunay preservation)triangulation_3d_100_points: 3D Delaunay triangulation with a stable 100-point random configurationzero_allocation_iterator_demo: Performance comparison between allocation and zero-allocation iterators
For detailed documentation, sample output, and usage instructions for each example, see examples/README.md.
For comprehensive guidelines on development environment setup, testing, benchmarking, performance analysis, and development workflow, please see CONTRIBUTING.md.
This includes information about:
- Building and testing the library
- Running benchmarks and performance analysis
- Code style and standards
- Submitting changes and pull requests
- Project structure and development tools
- API Design - Builder vs Edit API design (explicit bistellar flips)
- Code Organization - Project structure and module patterns
- Invariants - Theoretical background and rationale for the topological and geometric invariants
- Numerical Robustness Guide - Robustness strategies, kernels, and retry/repair behavior
- Property Testing Summary - Property-based testing with proptest (where tests live, how to run)
- Known Issues - Known limitations for large-scale and 4D bulk construction
- Releasing - Release workflow (changelog + benchmarks + publish)
- Topology - Level 3 topology validation (manifoldness + Euler characteristic) and module overview
- Validation Guide - Comprehensive 4-level validation hierarchy guide (element β structural β manifold β Delaunay)
- Workflows - Happy-path construction plus practical Builder/Edit recipes (stats, repairs, and minimal flips)
If you use this software in academic work, cite the Zenodo DOI and include the software
metadata from CITATION.cff.
- DOI: https://doi.org/10.5281/zenodo.16931097
- Citation metadata:
CITATION.cff
@software{getchell_delaunay,
author = {Adam Getchell},
title = {delaunay: A d-dimensional Delaunay triangulation library},
doi = {10.5281/zenodo.16931097},
url = {https://github.com/acgetchell/delaunay}
}For release-specific fields (version, release date, ORCID), prefer CITATION.cff.
For a comprehensive list of academic references and bibliographic citations used throughout the library, see REFERENCES.md.
This repository contains an AGENTS.md file, which defines the canonical rules and invariants
for all AI coding assistants and autonomous agents working on this codebase.
AI tools (including ChatGPT, Claude, GitHub Copilot, Cursor, Warp, and CI repair agents) are
expected to read and follow AGENTS.md when proposing or applying changes.
Portions of this library were developed with the assistance of these AI tools:
All code was written and/or reviewed and validated by the author.