Skip to main content

Rust-accelerated quadtree for Python with fast inserts, range queries, and k-NN search.

Project description

quadtree-rs

Rust-optimized quadtree with a simple Python API.

  • Python package: quadtree_rs
  • Python ≥ 3.8
  • Import path: from quadtree_rs import QuadTree

Install

pip install quadtree_rs

If you are developing locally:

# optimized dev install
maturin develop --release

Quickstart

from quadtree_rs import QuadTree

# Bounds are (min_x, min_y, max_x, max_y)
qt = QuadTree(bounds=(0, 0, 1000, 1000), capacity=20)  # max_depth is optional

# Insert points with auto ids
id1 = qt.insert((10, 10))
id2 = qt.insert((200, 300))
id3 = qt.insert((999, 500), id=42)  # you can supply your own id

# Axis-aligned rectangle query
hits = qt.query((0, 0, 250, 350))  # returns [(id, x, y), ...] by default
print(hits)  # e.g. [(1, 10.0, 10.0), (2, 200.0, 300.0)]

# Nearest neighbor
best = qt.nearest_neighbor((210, 310))  # -> (id, x, y) or None
print(best)

# k-nearest neighbors
top3 = qt.nearest_neighbors((210, 310), 3)
print(top3)  # list of up to 3 (id, x, y) tuples

# Delete items by ID and location
deleted = qt.delete(id2, (200, 300))  # True if found and deleted
print(f"Deleted: {deleted}")
print(f"Remaining items: {qt.count_items()}")

# For object tracking with track_objects=True
qt_tracked = QuadTree((0, 0, 1000, 1000), capacity=4, track_objects=True)
player1 = {"name": "Alice", "score": 100}
player2 = {"name": "Bob", "score": 200}

id1 = qt_tracked.insert((50, 50), obj=player1)
id2 = qt_tracked.insert((150, 150), obj=player2)

# Delete by object reference (O(1) lookup!)
deleted = qt_tracked.delete_by_object(player1, (50, 50))
print(f"Deleted player: {deleted}")  # True

Working with Python objects

You can keep the tree pure and manage your own id → object map, or let the wrapper manage it.

Option A: Manage your own map

from quadtree_rs import QuadTree

qt = QuadTree((0, 0, 1000, 1000), capacity=16)
objects: dict[int, object] = {}

def add(obj) -> int:
    obj_id = qt.insert(obj.position)  # auto id
    objects[obj_id] = obj
    return obj_id

# Later, resolve ids back to objects
ids = [obj_id for (obj_id, x, y) in qt.query((100, 100, 300, 300))]
selected = [objects[i] for i in ids]

Option B: Ask the wrapper to track objects

from quadtree_rs import QuadTree

qt = QuadTree((0, 0, 1000, 1000), capacity=16, track_objects=True)

# Store the object alongside the point
qt.insert((25, 40), obj={"name": "apple"})

# Ask for Item objects so you can access .obj lazily
items = qt.query((0, 0, 100, 100), as_items=True)
for it in items:
    print(it.id, it.x, it.y, it.obj)

You can also attach or replace an object later:

qt.attach(123, my_object)  # binds object to id 123

API

QuadTree(bounds, capacity, *, max_depth=None, track_objects=False, start_id=1)

  • bounds — tuple (min_x, min_y, max_x, max_y) covering all points you will insert
  • capacity — max number of points kept in a leaf before splitting
  • max_depth — optional depth cap. If omitted, the tree can keep splitting as needed
  • track_objects — if True, the wrapper maintains an id → object map
  • start_id — starting value for auto-assigned ids

Methods

  • insert(xy: tuple[float, float], *, id: int | None = None, obj: object | None = None) -> int Insert a point. Returns the id used. Raises ValueError if the point is outside bounds. If track_objects=True and obj is provided, the object is stored under that id.

  • insert_many_points(points: Iterable[tuple[float, float]]) -> int Bulk insert points with auto ids. Returns count inserted.

  • attach(id: int, obj: object) -> None Attach or replace an object for an existing id. If track_objects was false, a map is created on first use.

  • delete(id: int, xy: tuple[float, float]) -> bool Delete an item from the quadtree by ID and location. Returns True if the item was found and deleted, False otherwise. This allows precise deletion when multiple items exist at the same location.

  • delete_by_object(obj: object, xy: tuple[float, float]) -> bool Delete an item from the quadtree by object reference and location. Returns True if the item was found and deleted, False otherwise. Requires track_objects=True. Uses O(1) lookup to find the ID associated with the object and delete that item.

  • query(rect: tuple[float, float, float, float], *, as_items: bool = False) -> list[(id, x, y)] | list[Item] Return all points whose coordinates lie inside the rectangle. Use as_items=True to get Item wrappers with lazy .obj.

  • nearest_neighbor(xy: tuple[float, float], *, as_item: bool = False) -> (id, x, y) | Item | None Return the closest point to xy, or None if empty.

  • nearest_neighbors(xy: tuple[float, float], k: int, *, as_items: bool = False) -> list[(id, x, y)] | list[Item] Return up to k nearest points.

  • get(id: int) -> object | None Get the object associated with id if tracking is enabled.

  • get_all_rectangles() -> list[tuple[float, float, float, float]] Get a list of all rectangle boundaries in the quadtree for visualization purposes.

  • get_all_objects() -> list[object] Get a list of all tracked objects in the quadtree.

  • count_items() -> int Get the total number of items stored in the quadtree (calls the native implementation for accurate count).

  • __len__() -> int Number of successful inserts made through this wrapper.

  • NativeQuadTree Reference to the underlying Rust class quadtree_rs._native.QuadTree for power users.

Item (returned when as_items=True)

  • Attributes: id, x, y, and a lazy obj property
  • Accessing obj performs a dictionary lookup only if tracking is enabled

Geometric conventions

  • Rectangles are (min_x, min_y, max_x, max_y).
  • Containment rule is open on the min edge and closed on the max edge (x > min_x and x <= max_x and y > min_y and y <= max_y). This only matters for points exactly on edges.

Performance tips

  • Choose capacity so that leaves keep a small batch of points. Typical values are 8 to 64.
  • If your data is very skewed, set a max_depth to prevent long chains.
  • For fastest local runs, use maturin develop --release.
  • The wrapper keeps Python overhead low: raw tuple results by default, Item wrappers only when requested.

Benchmarks

quadtree-rs outperforms all other quadtree python packages (at least all the ones I could find and install via pip.)

Library comparison

Generated with benchmarks/benchmark_plotly.py in this repo.

  • 100k points, 500 queries, capacity 20, max depth 10
  • Median over 3 runs per size

Total time Throughput

Summary (largest dataset, PyQtree baseline)

  • Points: 500,000, Queries: 500

  • Fastest total: quadtree-rs at 2.288 s
  • PyQtree total: 9.717 s
  • quadtree-rs total: 2.288 s
  • e-pyquadtree total: 13.504 s
  • Brute force total: 20.450 s

Library Build (s) Query (s) Total (s) Speed vs PyQtree
quadtree-rs 0.330 1.958 2.288 4.25×
PyQtree 4.479 5.238 9.717 1.00×
e-pyquadtree 2.821 10.683 13.504 0.72×
Brute force nan 20.450 20.450 0.48×
nontree-QuadTree 1.687 7.803 9.490 1.02×
quads 3.977 9.070 13.046 0.74×
Rtree 1.676 4.805 6.481 1.50×

Native vs Shim

Setup

  • Points: 500,000
  • Queries: 500
  • Repeats: 5

Timing (seconds)

Variant Build Query Total
Native 0.483 4.380 4.863
Shim (no map) 0.668 4.167 4.835
Shim (track+objs) 1.153 4.458 5.610

Overhead vs Native

  • No map: build 1.38x, query 0.95x, total 0.99x
  • Track + objs: build 2.39x, query 1.02x, total 1.15x

FAQ

What happens if I insert the same id more than once? Allowed. For k-nearest, duplicates are de-duplicated by id. For range queries you will see every inserted point.

Can I delete items from the quadtree? Yes! Use delete(id, xy) to remove specific items. You must provide both the ID and exact location for precise deletion. This handles cases where multiple items exist at the same location. If you're using track_objects=True, you can also use delete_by_object(obj, xy) for convenient object-based deletion with O(1) lookup. The tree automatically merges nodes when item counts drop below capacity.

Can I store rectangles or circles? The core stores points. To index objects with extent, insert whatever representative point you choose. For rectangles you can insert centers or build an AABB tree separately.

Threading Use one tree per thread if you need heavy parallel inserts from Python.

License

MIT. See LICENSE.

Acknowledgments

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

quadtree_rs-0.3.1.tar.gz (622.0 kB view details)

Uploaded Source

Built Distributions

If you're not sure about the file name format, learn more about wheel file names.

quadtree_rs-0.3.1-cp38-abi3-win_amd64.whl (148.4 kB view details)

Uploaded CPython 3.8+Windows x86-64

quadtree_rs-0.3.1-cp38-abi3-manylinux_2_17_x86_64.manylinux2014_x86_64.whl (244.5 kB view details)

Uploaded CPython 3.8+manylinux: glibc 2.17+ x86-64

quadtree_rs-0.3.1-cp38-abi3-macosx_10_12_x86_64.macosx_11_0_arm64.macosx_10_12_universal2.whl (424.4 kB view details)

Uploaded CPython 3.8+macOS 10.12+ universal2 (ARM64, x86-64)macOS 10.12+ x86-64macOS 11.0+ ARM64

File details

Details for the file quadtree_rs-0.3.1.tar.gz.

File metadata

  • Download URL: quadtree_rs-0.3.1.tar.gz
  • Upload date:
  • Size: 622.0 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.9.4

File hashes

Hashes for quadtree_rs-0.3.1.tar.gz
Algorithm Hash digest
SHA256 4ae06a7238976b0607f348ffa767c2df1bb6034a206bef0076a8625fdb950e36
MD5 722c2cf8311b3574f5b9be346db8f7ca
BLAKE2b-256 6e1b5f016ff31617b9de50907a45867519ff1af69714cbc777892065e2c2d98b

See more details on using hashes here.

File details

Details for the file quadtree_rs-0.3.1-cp38-abi3-win_amd64.whl.

File metadata

File hashes

Hashes for quadtree_rs-0.3.1-cp38-abi3-win_amd64.whl
Algorithm Hash digest
SHA256 8c6336d7f30d51d544c27fb5a4e01170c76ff432351e6a363fa8a1d2dba65bf5
MD5 d5872a9c7ca29c82cfac27cbfb16ed53
BLAKE2b-256 3d23c0bd1ea2b98567d324c9d186513a111f621539fcdbae1987ace34575a971

See more details on using hashes here.

File details

Details for the file quadtree_rs-0.3.1-cp38-abi3-manylinux_2_17_x86_64.manylinux2014_x86_64.whl.

File metadata

File hashes

Hashes for quadtree_rs-0.3.1-cp38-abi3-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm Hash digest
SHA256 ef8f86b08806fd95d309ab2cfdfb0e6ef3e77dd27363d0e088eba445b900f5a5
MD5 2d6f461ec35e979f1e47132835f0895f
BLAKE2b-256 439e17493e94c21b2ee9efb236d16fa3381e3fe7308ebbb178b5f9496cd28bf9

See more details on using hashes here.

File details

Details for the file quadtree_rs-0.3.1-cp38-abi3-macosx_10_12_x86_64.macosx_11_0_arm64.macosx_10_12_universal2.whl.

File metadata

File hashes

Hashes for quadtree_rs-0.3.1-cp38-abi3-macosx_10_12_x86_64.macosx_11_0_arm64.macosx_10_12_universal2.whl
Algorithm Hash digest
SHA256 4b19e4cb13aa2cbfc6557a31c5b3529f1c55ff7467ddf6bc3a19fd5af4a7febc
MD5 887f550b3940bf928694cc75d222cf9b
BLAKE2b-256 60cea88945a45e956ddd4cd3508d9be0bf125e838fa4c732f22c4a0ac9c46f81

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page