small_gicp
small_gicp: Efficient and parallel algorithms for point cloud registration - Published in JOSS (2024)
Science Score: 98.0%
This score indicates how likely this project is to be science-related based on various indicators:
-
✓CITATION.cff file
Found CITATION.cff file -
✓codemeta.json file
Found codemeta.json file -
✓.zenodo.json file
Found .zenodo.json file -
✓DOI references
Found 4 DOI reference(s) in README and JOSS metadata -
✓Academic publication links
Links to: joss.theoj.org -
○Committers with academic emails
-
○Institutional organization owner
-
✓JOSS paper metadata
Published in Journal of Open Source Software
Keywords
Scientific Fields
Repository
Efficient and parallel algorithms for point cloud registration [C++, Python]
Basic Info
Statistics
- Stars: 727
- Watchers: 12
- Forks: 90
- Open Issues: 22
- Releases: 1
Topics
Metadata Files
README.md
small_gicp
small_gicp is a header-only C++ library providing efficient and parallelized algorithms for fine point cloud registration (ICP, Point-to-Plane ICP, GICP, VGICP, etc.). It is a refined and optimized version of its predecessor, fast_gicp, re-written from scratch with the following features.
- Highly Optimized : The core registration algorithm implementation has been further optimized from fast_gicp, achieving up to 2x speed gain.
- Fully parallerized : small_gicp offers parallel implementations of several preprocessing algorithms, making the entire registration process parallelized (e.g., Downsampling, KdTree construction, Normal/Covariance estimation). It supports OpenMP and Intel TBB as parallelism backends.
- Minimum dependencies : The library requires only Eigen along with the bundled nanoflann and Sophus. Optionally, it supports a PCL registration interface for use as a drop-in replacement
- Customizable : small_gicp allows the integration of any custom point cloud class into the registration algorithm via traits. Its template-based implementation enables customization of the registration process with original correspondence estimators and registration factors.
- Python bindings : By being isolated from PCL, small_gicp's Python bindings are more portable and can be used seamlessly with other libraries such as Open3D.
Note that GPU-based implementations are NOT included in this package.
If you find this package useful for your project, please consider leaving a comment here. It would help the author receive recognition in his organization and keep working on this project. Please also cite the corresponding software paper if you use this software in an academic work.
Requirements
This library uses C++17 features. The PCL interface is not compatible with PCL older than 1.11 that uses boost::shared_ptr.
Dependencies
Installation
C++
small_gicp is a header-only library. You can just download and drop it in your project directory to use it.
If you need only basic point cloud registration functions, you can build and install the helper library as follows.
```bash sudo apt-get install libeigen3-dev libomp-dev
cd smallgicp mkdir build && cd build cmake .. -DCMAKEBUILD_TYPE=Release && make -j sudo make install ```
Python (Linux / Windows / MacOS)
Install from PyPI
bash
pip install small_gicp
Install from source
```bash cd small_gicp pip install .
[Optional (linux)] Install stubs for autocomplete (If you know a better way, let me know...)
pip install pybind11-stubgen cd ~/.local/lib/python3.10/site-packages pybind11-stubgen -o . --ignore-invalid=all small_gicp ```
Documentation
Usage (C++)
The following examples assume using namespace small_gicp is placed somewhere.
Using helper library (01basicregistration.cpp)
The helper library (registration_helper.hpp) enables easily processing point clouds represented as std::vector<Eigen::Vector(3|4)(f|d)>.
Expand
small_gicp::align takes two point clouds (std::vectors of Eigen::Vector(3|4)(f|d)) and returns a registration result (estimated transformation and some information on the optimization result). This is the easiest way to use small_gicp but causes an overhead for duplicated preprocessing.
```cpp
include
std::vectorEigen::Vector3d targetpoints = ...; // Any of Eigen::Vector(3|4)(f|d) can be used std::vectorEigen::Vector3d sourcepoints = ...; //
RegistrationSetting setting; setting.numthreads = 4; // Number of threads to be used setting.downsamplingresolution = 0.25; // Downsampling resolution setting.maxcorrespondencedistance = 1.0; // Maximum correspondence distance between points (e.g., triming threshold)
Eigen::Isometry3d initTtargetsource = Eigen::Isometry3d::Identity(); RegistrationResult result = align(targetpoints, sourcepoints, initTtargetsource, setting);
Eigen::Isometry3d T = result.Ttargetsource; // Estimated transformation
sizet numinliers = result.num_inliers; // Number of inlier source points
Eigen::Matrix
There is also a way to perform preprocessing and registration separately. This enables saving time for preprocessing in case registration is performed several times for the same point cloud (e.g., typical odometry estimation based on scan-to-scan matching).
```cpp
include
std::vectorEigen::Vector3d targetpoints = ...; // Any of Eigen::Vector(3|4)(f|d) can be used std::vectorEigen::Vector3d sourcepoints = ...; //
int numthreads = 4; // Number of threads to be used double downsamplingresolution = 0.25; // Downsampling resolution int num_neighbors = 10; // Number of neighbor points used for normal and covariance estimation
// std::pair
RegistrationSetting setting; setting.numthreads = numthreads; setting.maxcorrespondencedistance = 1.0; // Maximum correspondence distance between points (e.g., triming threshold)
Eigen::Isometry3d initTtargetsource = Eigen::Isometry3d::Identity(); RegistrationResult result = align(*target, *source, *targettree, initTtarget_source, setting);
Eigen::Isometry3d T = result.Ttargetsource; // Estimated transformation
sizet numinliers = result.num_inliers; // Number of inlier source points
Eigen::Matrix
Using PCL interface (02basicregistration_pcl.cpp)
The PCL interface allows using smallgicp as a drop-in replacement for pcl::Registration. It is also possible to directly feed pcl::PointCloud to algorithms implemented in smallgicp.
Expand
```cpp #includeUsing Registration template (03registrationtemplate.cpp)
If you want to fine-control and customize the registration process, use small_gicp::Registration template that allows modifying the inner algorithms and parameters.
Expand
```cpp
include
include
include
include
include
include
std::vectorEigen::Vector3d targetpoints = ...; // Any of Eigen::Vector(3|4)(f|d) can be used std::vectorEigen::Vector3d sourcepoints = ...; //
int numthreads = 4; double downsamplingresolution = 0.25; int numneighbors = 10; double maxcorrespondence_distance = 1.0;
// Convert to smallgicp::PointCloud
auto target = std::makeshared
// Downsampling target = voxelgridsamplingomp(target, downsamplingresolution, numthreads); source = voxelgridsamplingomp(source, downsamplingresolution, numthreads);
// Create KdTree
auto targettree = std::makeshared
// Estimate point covariances estimatecovariancesomp(target, *targettree, numneighbors, numthreads); estimatecovariances_omp(source, *sourcetree, numneighbors, num_threads);
// GICP + OMP-based parallel reduction
Registration
// Align point clouds Eigen::Isometry3d initTtargetsource = Eigen::Isometry3d::Identity(); auto result = registration.align(*target, *source, *targettree, initTtarget_source);
Eigen::Isometry3d T = result.Ttargetsource; // Estimated transformation
sizet numinliers = result.num_inliers; // Number of inlier source points
Eigen::Matrix
See 03registrationtemplate.cpp for more detailed customization examples.
Cookbook
- Standard scan-to-scan GICP matching odometry
- Extremely scalable scan-to-scan matching odometry with data flow graph
- Scan-to-model matching odometry with incremental voxelmap (GICP + iVox)
- Scan-to-model matching odometry with incremental Gaussian voxelmap (VGICP)
Usage (Python) basic_registration.py
Expand
Example A : Perform registration with numpy arrays ```python # Align two point clouds using various ICP-like algorithms. # # Parameters # ---------- # target_points : NDArray[np.float64] # Nx3 or Nx4 matrix representing the target point cloud. # source_points : NDArray[np.float64] # Nx3 or Nx4 matrix representing the source point cloud. # init_T_target_source : np.ndarray[np.float64] # 4x4 matrix representing the initial transformation from target to source. # registration_type : str = 'GICP' # Type of registration algorithm to use ('ICP', 'PLANE_ICP', 'GICP', 'VGICP'). # voxel_resolution : float = 1.0 # Resolution of voxels used for correspondence search (used only in VGICP). # downsampling_resolution : float = 0.25 # Resolution for downsampling the point clouds. # max_correspondence_distance : float = 1.0 # Maximum distance for matching points between point clouds. # num_threads : int = 1 # Number of threads to use for parallel processing. # # Returns # ------- # RegistrationResult # Object containing the final transformation matrix and convergence status. result = small_gicp.align(target_raw_numpy, source_raw_numpy, downsampling_resolution=0.25) result.T_target_source # Estimated transformation (4x4 numpy array) result.converged # If true, the optimization converged successfully result.iterations # Number of iterations the optimization took result.num_inliers # Number of inlier points result.H # Final Hessian matrix (6x6 matrix) result.b # Final information vector (6D vector) result.e # Final error (float) ``` Example B : Perform preprocessing and registration separately ```python # Preprocess point cloud (downsampling, kdtree construction, and normal/covariance estimation) # # Parameters # ---------- # points : NDArray[np.float64] # Nx3 or Nx4 matrix representing the point cloud. # downsampling_resolution : float = 0.1 # Resolution for downsampling the point clouds. # num_neighbors : int = 20 # Number of neighbor points to usefor point normal/covariance estimation. # num_threads : int = 1 # Number of threads to use for parallel processing. # # Returns # ------- # PointCloud # Downsampled point cloud with estimated normals and covariances. # KdTree # KdTree for the downsampled point cloud target, target_tree = small_gicp.preprocess_points(target_raw_numpy, downsampling_resolution=0.25) source, source_tree = small_gicp.preprocess_points(source_raw_numpy, downsampling_resolution=0.25) # `target` and `source` are small_gicp.PointCloud with the following methods target.size() # Number of points target.points() # Nx4 numpy array [x, y, z, 1] x N target.normals() # Nx4 numpy array [nx, ny, nz, 0] x N target.covs() # Array of 4x4 covariance matrices # Align two point clouds using specified ICP-like algorithms, utilizing point cloud and KD-tree inputs. # # Parameters # ---------- # target : PointCloud::ConstPtr # Pointer to the target point cloud. # source : PointCloud::ConstPtr # Pointer to the source point cloud. # target_tree : KdTreeCookbook
Running examples
C++
```bash cd smallgicp mkdir build && cd build cmake .. -DBUILDEXAMPLES=ON && make -j
cd .. ./build/01basicregistration ./build/02basicregistrationpcl ./build/03registration_template ```
Python
```bash cd small_gicp pip install .
python3 src/example/basic_registration.py ```
Benchmark
Processing speed comparison between small_gicp and Open3D (youtube).
Downsampling
- Single-threaded
small_gicp::voxelgrid_samplingis about 1.3x faster thanpcl::VoxelGrid. - Multi-threaded
small_gicp::voxelgrid_sampling_tbb(6 threads) is about 3.2x faster thanpcl::VoxelGrid. small_gicp::voxelgrid_samplingprovides accurate downsampling results that are nearly identical to those ofpcl::VoxelGrid, whilepcl::ApproximateVoxelGridcan produce spurious points (up to 2x more points).small_gicp::voxelgrid_samplingcan handle larger point clouds with finer voxel resolutions compared topcl::VoxelGrid. For a point cloud with a width of 1000m, the minimum voxel resolution can be 0.5 mm.

KdTree construction
- Multi-threaded implementation (TBB and OMP) can be up to 6x faster than the single-threaded version. The single-thread version performs almost equivalently to nanoflann.
- The new KdTree implementation demonstrates good scalability due to its well-balanced task assignment.
- This benchmark compares only the construction time (query time is not included). Nearest neighbor queries are included and evaluated in the following odometry estimation evaluation.

Odometry estimation
- Single-thread
small_gicp::GICPis about 2.4x and 1.9x faster thanpcl::GICPandfast_gicp::GICP, respectively. small_gicp::(GICP|VGICP)demonstrates better multi-threaded scalability compared tofast_gicp::(GICP|VGICP).small_gicp::GICPparallelized with TBB flow graph shows excellent scalability in many-threads scenarios (~128 threads), though with some latency degradation.- Outputs of
small_gicp::GICPare almost identical to those offast_gicp::GICP.

License
This package is released under the MIT license.
If you find this package useful for your project, please consider leaving a comment here. It would help the author receive recognition in his organization and keep working on this project.
Please also cite the following article if you use this software in an academic work.
@article{small_gicp,
author = {Kenji Koide},
title = {{small\_gicp: Efficient and parallel algorithms for point cloud registration}},
journal = {Journal of Open Source Software},
month = aug,
number = {100},
pages = {6948},
volume = {9},
year = {2024},
doi = {10.21105/joss.06948}
}
Contact
Kenji Koide, National Institute of Advanced Industrial Science and Technology (AIST)
Owner
- Login: koide3
- Kind: user
- Location: Japan
- Company: AIST
- Website: https://staff.aist.go.jp/k.koide/
- Repositories: 20
- Profile: https://github.com/koide3
JOSS Publication
small_gicp: Efficient and parallel algorithms for point cloud registration
Tags
Point cloud registrationCitation (CITATION.cff)
cff-version: "1.2.0"
authors:
- family-names: Koide
given-names: Kenji
orcid: "https://orcid.org/0000-0001-5361-1428"
contact:
- family-names: Koide
given-names: Kenji
orcid: "https://orcid.org/0000-0001-5361-1428"
doi: 10.5281/zenodo.13283012
message: If you use this software, please cite our article in the
Journal of Open Source Software.
preferred-citation:
authors:
- family-names: Koide
given-names: Kenji
orcid: "https://orcid.org/0000-0001-5361-1428"
date-published: 2024-08-10
doi: 10.21105/joss.06948
issn: 2475-9066
issue: 100
journal: Journal of Open Source Software
publisher:
name: Open Journals
start: 6948
title: "small_gicp: Efficient and parallel algorithms for point cloud
registration"
type: article
url: "https://joss.theoj.org/papers/10.21105/joss.06948"
volume: 9
title: "small_gicp: Efficient and parallel algorithms for point cloud
registration"
GitHub Events
Total
- Issues event: 26
- Watch event: 283
- Delete event: 5
- Issue comment event: 68
- Push event: 16
- Pull request event: 20
- Fork event: 36
- Create event: 8
Last Year
- Issues event: 26
- Watch event: 283
- Delete event: 5
- Issue comment event: 68
- Push event: 16
- Pull request event: 20
- Fork event: 36
- Create event: 8
Committers
Last synced: 5 months ago
Top Committers
| Name | Commits | |
|---|---|---|
| k.koide | k****e@a****p | 135 |
| Martin Valgur | m****r@g****m | 5 |
| Atticus Zhou | 1****z | 3 |
| Nikhil Khedekar | n****r | 2 |
| Daisuke Nishimatsu | 4****1 | 2 |
| unclearness | u****v@g****m | 1 |
| fateshelled | 5****d | 1 |
| atm | 7****a | 1 |
| Artem Voronov | 4****t | 1 |
Committer Domains (Top 20 + Academic)
Issues and Pull Requests
Last synced: 4 months ago
All Time
- Total issues: 49
- Total pull requests: 141
- Average time to close issues: 5 days
- Average time to close pull requests: 1 day
- Total issue authors: 37
- Total pull request authors: 11
- Average comments per issue: 2.43
- Average comments per pull request: 0.95
- Merged pull requests: 128
- Bot issues: 0
- Bot pull requests: 0
Past Year
- Issues: 22
- Pull requests: 24
- Average time to close issues: 4 days
- Average time to close pull requests: 3 days
- Issue authors: 18
- Pull request authors: 5
- Average comments per issue: 1.18
- Average comments per pull request: 0.75
- Merged pull requests: 19
- Bot issues: 0
- Bot pull requests: 0
Top Authors
Issue Authors
- mcmingchang (4)
- zhao-zhibo (3)
- Wuqiqi123 (2)
- LimHyungTae (2)
- asoteman (2)
- deliangye (2)
- themightyoarfish (2)
- G4419 (2)
- grischi (1)
- JACKLiuDay (1)
- Seekerzero (1)
- huiyan-dev (1)
- VTrencsenyi (1)
- InguChoi (1)
- KAL-AL (1)
Pull Request Authors
- koide3 (107)
- valgur (9)
- Atticuszz (5)
- wep21 (4)
- danielskatz (4)
- nkhedekar (3)
- Vor-Art (2)
- fateshelled (2)
- sutatoruta (2)
- unclearness (2)
- LimHyungTae (1)
Top Labels
Issue Labels
Pull Request Labels
Packages
- Total packages: 1
-
Total downloads:
- pypi 3,752 last-month
- Total dependent packages: 1
- Total dependent repositories: 0
- Total versions: 9
- Total maintainers: 1
pypi.org: small-gicp
Efficient and parallelized algorithms for fine point cloud registration
- Homepage: https://github.com/koide3/small_gicp
- Documentation: https://small-gicp.readthedocs.io/
- License: MIT
-
Latest release: 1.0.0
published over 1 year ago
Rankings
Maintainers (1)
Dependencies
- actions/checkout v2 composite
- actions/checkout v2 composite
- codecov/codecov-action v4.0.1 composite
- actions/checkout v2 composite
- docker/build-push-action v2 composite
- docker/login-action v1 composite
- actions/checkout v4 composite
- actions/setup-python v5 composite
- actions/checkout v4 composite
- actions/setup-python v5 composite
- microsoft/setup-msbuild v2 composite
- actions/checkout v4 composite
- actions/download-artifact v4 composite
- actions/setup-python v5 composite
- actions/upload-artifact v4 composite
- docker/setup-qemu-action v3 composite
- microsoft/setup-msbuild v2 composite
- pypa/gh-action-pypi-publish release/v1 composite
