Computer Science    
   
Table of contents
(Prev) Quadrature (mathematics)Quake (series) (Next)

Quadtree

A region quadtree with point data

A quadtree is a tree data structure in which each internal node has exactly four children. Quadtrees are most often used to partition a two dimensional space by recursively subdividing it into four quadrants or regions. The regions may be square or rectangular, or may have arbitrary shapes. This data structure was named a quadtree by Raphael Finkel and J.L. Bentley in 1974. A similar partitioning is also known as a Q-tree. All forms of Quadtrees share some common features:

  • They decompose space into adaptable cells
  • Each cell (or bucket) has a maximum capacity. When maximum capacity is reached, the bucket splits
  • The tree directory follows the spatial decomposition of the Quadtree.

Contents

Types

Quadtrees may be classified according to the type of data they represent, including areas, points, lines and curves. Quadtrees may also be classified by whether the shape of the tree is independent of the order data is processed. Some common types of quadtrees are:

The region quadtree

The region quadtree represents a partition of space in two dimensions by decomposing the region into four equal quadrants, subquadrants, and so on with each leaf node containing data corresponding to a specific subregion. Each node in the tree either has exactly four children, or has no children (a leaf node). The region quadtree is a type of trie.

A region quadtree with a depth of n may be used to represent an image consisting of 2n × 2n pixels, where each pixel value is 0 or 1. The root node represents the entire image region. If the pixels in any region are not entirely 0s or 1s, it is subdivided. In this application, each leaf node represents a block of pixels that are all 0s or all 1s.

A region quadtree may also be used as a variable resolution representation of a data field. For example, the temperatures in an area may be stored as a quadtree, with each leaf node storing the average temperature over the subregion it represents.

If a region quadtree is used to represent a set of point data (such as the latitude and longitude of a set of cities), regions are subdivided until each leaf contains at most a single point.

Point quadtree

The point quadtree is an adaptation of a binary tree used to represent two dimensional point data. It shares the features of all quadtrees but is a true tree as the center of a subdivision is always on a point. The tree shape depends on the order data is processed. It is often very efficient in comparing two dimensional ordered data points, usually operating in O(log n) time.

Node structure for a point quadtree

A node of a point quadtree is similar to a node of a binary tree, with the major difference being that it has four pointers (one for each quadrant) instead of two ("left" and "right") as in an ordinary binary tree. Also a key is usually decomposed into two parts, referring to x and y coordinates. Therefore a node contains following information:

  • 4 Pointers: quad[‘NW’], quad[‘NE’], quad[‘SW’], and quad[‘SE’]
  • point; which in turn contains:
    • key; usually expressed as x, y coordinates
    • value; for example a name

Edge quadtree

Edge quadtrees are specifically used to store lines rather than points. Curves are approximated by subdividing cells to a very fine resolution. This can result in extremely unbalanced trees which may defeat the purpose of indexing.

Polygonal Map Quadtree

The Polygonal Map Quadtree (or PMQuadtree) is a variation of quadtrees which are used to store collections of polygons that may be degenerate (meaning that they have isolated vertices or edges).[1] There are three main classes of PMQuadtrees which vary depending on what information they store within each black node. PM3 Quadtrees can store any amount of non intersecting edges and at most one point. PM2 Quadtrees are the same as PM3 Quadtrees except that all edges must share the same end point. Finally PM1 Quadtrees are similar to PM2 but in this case black nodes can either contain a point and its edges or just a set of edges that share a point but you cannot have a point and a set of edges which do not contain that point.

Some common uses of quadtrees

  • Image representation
    Bitmap and its compressed quadtree representation
  • Spatial indexing
  • Efficient collision detection in two dimensions
  • View frustum culling of terrain data
  • Storing sparse data, such as a formatting information for a spreadsheet or for some matrix calculations
  • Solution of multidimensional fields (computational fluid dynamics, electromagnetism)
  • Conway's Game of Life simulation program.[2]
  • State estimation[3]
  • Quadtrees are also used in the area of fractal image analysis

Quadtrees are the two-dimensional analog of octrees.

Pseudo code

The following pseudo code shows one means of implementing a quadtree which handles only points. There are other approaches available.

Prerequisites

It is assumed these structures are used.

// Simple coordinate object to represent points and vectorsstruct XY{  float x;  float y;  function __construct(float _x, float _y) {...}}// Axis-aligned bounding box with half dimension and centerstruct AABB{  XY center;  XY halfDimension;  function __construct(XY center, XY halfDimension) {...}  function containsPoint(XY p) {...}  function intersectsAABB(AABB other) {...}}

QuadTree class

This class represents both one quad tree and the node where it is rooted.

class QuadTree{  // Arbitrary constant to indicate how many elements can be stored in this quad tree node  constant int QT_NODE_CAPACITY = 4;  // Axis-aligned bounding box stored as a center with half-dimensions  // to represent the boundaries of this quad tree  AABB boundary;  // Points in this quad tree node  Array of XY [size = QT_NODE_CAPACITY] points;  // Children  QuadTree* northWest;  QuadTree* northEast;  QuadTree* southWest;  QuadTree* southEast;  // Methods  function __construct(AABB _boundary) {...}  function insert(XY p) {...}  function subdivide() {...} // create four children which fully divide this quad into four quads of equal area  function queryRange(AABB range) {...}}

Insertion

The following method inserts a point into the appropriate quad of a quadtree, splitting if necessary.

class QuadTree{  ...  // Insert a point into the QuadTree  function insert(XY p)  { // Ignore objects which do not belong in this quad tree if (!boundary.containsPoint(p)) return false; // object cannot be added // If there is space in this quad tree, add the object here if (points.size < QT_NODE_CAPACITY) {  points.append(p);  return true; } // Otherwise, we need to subdivide then add the point to whichever node will accept it if (northWest == null)  subdivide(); if (northWest->insert(p)) return true; if (northEast->insert(p)) return true; if (southWest->insert(p)) return true; if (southEast->insert(p)) return true; // Otherwise, the point cannot be inserted for some unknown reason (which should never happen) return false;  }}

Query range

The following method finds all points which are contained within a range.

class QuadTree{  ...  // Find all points which appear within a range  function queryRange(AABB range)  { // Prepare an array of results Array of XY pointsInRange; // Automatically abort if the range does not collide with this quad if (!boundary.intersectsAABB(range))  return pointsInRange; // empty list // Check objects at this quad level for (int p := 0; p < points.size; p++) {  if (range.containsPoint(points[p])) pointsInRange.append(points[p]); } // Terminate here, if there are no children if (northWest == null)  return pointsInRange; // Otherwise, add the points from the children pointsInRange.appendArray(northWest-& gt;queryRange(range)); pointsInRange.appendArray(northEast-& gt;queryRange(range)); pointsInRange.appendArray(southWest-& gt;queryRange(range)); pointsInRange.appendArray(southEast-& gt;queryRange(range)); return pointsInRange;  }}

See also

References

Notes

  1. ^ Hanan Samet and Robert Webber. "Storing a Collection of Polygons Using Quadtrees". ACM Transactions on Graphics July 1985: 182-222. InfoLAB. Web. 23 March 2012
  2. ^ Tomas G. Rokicki (2006-04-01). "An Algorithm for Compressing Space and Time". http://www.ddj.com/hpc-high-performan ce-computing/184406478. Retrieved 2009-05-20.
  3. ^ Henning Eberhardt, Vesa Klumpp, Uwe D. Hanebeck, Density Trees for Efficient Nonlinear State Estimation, Proceedings of the 13th International Conference on Information Fusion, Edinburgh, United Kingdom, July, 2010.

General references

  1. Raphael Finkel and J.L. Bentley (1974). "Quad Trees: A Data Structure for Retrieval on Composite Keys". Acta Informatica 4 (1): 1–9. doi:10.1007/BF00288933. 
  2. Mark de Berg, Marc van Kreveld, Mark Overmars, and Otfried Schwarzkopf (2000). Computational Geometry (2nd revised ed.). Springer-Verlag. ISBN 3-540-65620-0.  Chapter 14: Quadtrees: pp. 291–306.
  3. Samet, Hanan; Webber, Robert (July 1985). "Storing a Collection of Polygons Using Quadtrees". http://infolab.usc.edu/csci585/Spring 2008/den_ar/p182-samet.pdf. Retrieved 23 March 2012.

External links

(Prev) Quadrature (mathematics)Quake (series) (Next)