Crates.io | flat_spatial |
lib.rs | flat_spatial |
version | 0.6.1 |
source | src |
created_at | 2020-05-26 16:13:57.995083 |
updated_at | 2024-07-18 09:58:31.48976 |
description | Flat spatial partitionning algorithms and data structures |
homepage | |
repository | https://github.com/Uriopass/flat_spatial |
max_upload_size | |
id | 246257 |
size | 79,474 |
flat_spatial is a crate dedicated to dynamic spatial partitioning structures that are not based on trees
(which are recursive) but on simple flat structures such as a grid of cells (also called bins).
Using grids or other flat structures makes for very fast updates (constant time) and
even faster queries, provided the cell size is adapted to the problem.
Picking the right cell size is very important:
Try to pick a cell size that gives an average of 10-20 objects per cell on average. Note that empty cells don't consume any memory, but they do consume some query time as we need to check if they exist.
MSRV: 1.60
The idea of a grid is to have a HashMap of cells which store the positions
of the inserted objects.
Performing queries is as simple as looking up which cells are affected and returning
their associated objects.
Since it's so simple, the grid supports dynamic capabilities such as position update
or object removal based on handles (using slotmap
).
The position updates are lazy for better performance, so maintain() needs to be called to update the grid.
It is recommended to have queries roughly the same size as the cell size.
The aabbgrid is like a grid but it stores Axis-Aligned Bounding Boxes (AABB) instead of positions. This implemented as a HashMap of cells which store the AABB that touches it. For each cell an AABB touches, it is added to the cell. Try to keep the aabb sizes as small as possible.
Adding/updating/removing isn't lazy, no need to call maintain.
Here is a very basic example of the grid:
fn main() {
use flat_spatial::Grid;
let mut g: Grid<(), [f32; 2]> = Grid::new(10);
let a = g.insert([3.0, 3.0], ());
let _b = g.insert([12.0, -8.0], ());
let around: Vec<_> = g.query_around([2.0, 2.0], 5.0)
.map(|(id, _pos)| id)
.collect();
assert_eq!(vec![a], around);
}