Computational Geometry - Algorithms in a Nutshell 2E (2015)

Algorithms in a Nutshell 2E (2015)

Chapter 9. Computational Geometry

Computational geometry is the rigorous application of mathematics to solve problems involving two-dimensional structures represented in the Cartesian plane. There are natural extensions to n-dimensional problems, but we will confine this discussion to two dimensions. Mathematicians have investigated such problems for centuries, but the field has been recognized as a systematic study since the 1970s. This chapter presents the computational abstractions used to solve computational geometry problems. These techniques are by no means limited to geometry problems and have many real-world applications.

Algorithms in this category solve numerous real-world problems:

Convex Hull

Compute the smallest convex shape that fully encloses a set of two-dimensional points, P. This can be solved in O(n log n) instead of an O(n4) brute force solution.

Intersecting Line Segments

Compute all intersections given a set of two-dimensional line segments, S. This can be solved in O((n+k) log n) where k is the number of intersections, instead of an O(n2) brute force solution.

Voronoi Diagram

Partition a plane into regions based on distance to a set of n two-dimensional points, P. Each of the n regions consists of the Cartesian points closer to point piP than any other pjP. This can be solved in O(n log n).

Along the way we describe the powerful Line Sweep technique that can be used, ultimately, to solve all three of these problems.

Classifying Problems

A computational geometry problem inherently involves geometric objects, such as points, lines, and polygons. It is defined by (a) the type of input data to be processed; (b) the computation to be performed; and (c) whether the task is static or dynamic.

Input data

A computational geometry problem must define the input data. The following are the most common types of input data to be processed:

§ A set of points in the two-dimensional plane

§ A set of line segments in the plane

§ A set of rectangles in the plane

§ A set of arbitrary polygons in the plane

Two-dimensional structures (lines, rectangles, and circles) have three-dimensional counterparts (planes, cubes, and spheres) and even n-dimensional counterparts (such as hyperplanes, hypercubes, and hyperspheres). Examples involving higher dimensions include:

Matching

Using their Compatibility Matching System (U.S. Patent No. 6,735,568), the eHarmony matchmaking service predicts the long-term compatibility between two people. All users of the system (estimated to be 33 million in 2010) fill out a 258-question Relationship Questionnaire. eHarmony then determines closeness of match between two people based on 29 dimensional data.

Data imputation

An input file contains 14 million records, where each record has multiple fields with text or numeric values. Some of these values are suspected to be wrong or missing. We can infer or impute “corrections” for the suspicious values by finding other records “close to” the suspicious records.

This chapter describes a set of core interfaces for computational geometry and then introduces a set of classes that realize these interfaces. All algorithms are coded against these interfaces for maximum interoperability.

IPoint

Represents a Cartesian point (x,y) using double floating-point accuracy. The class provides a default comparator that sorts by x, from left to right, and breaks ties by sorting y, from bottom to top.

IRectangle

Represents a rectangle in Cartesian space. The class can determine whether it intersects an IPoint or contains an IRectangle.

ILineSegment

Represents a finite segment in Cartesian space with a fixed start and end point. In “normal position,” the start point will have a higher y coordinate than the end point, except for horizontal lines (in which case the leftmost end point is designated as the start point). The class can determine intersections with other ILineSegment or IPoint objects and whether an IPoint object is on its left or right when considering the orientation of the line from its end point to its start point.

These concepts naturally extend into multiple dimensions:

IMultiPoint

Represents an n-dimensional Cartesian point with a fixed number of dimensions, with each coordinate value using double floating-point accuracy. The class can determine the distance to another IMultiPoint with same dimensionality. It can return an array of coordinate values to optimize the performance of some algorithms.

IHypercube

Represents an n-dimensional solid shape with [left, right] bounding values for a fixed number of dimensions. The class can determine whether the hypercube intersects an IMultiPoint or contains an IHypercube with the same dimensionality.

Each of these interface types is realized by a set of concrete classes used to instantiate the actual objects (for example, the class TwoDPoint realizes both the IPoint and IMultiPoint interfaces).

Point values are traditionally real numbers, which forces an implementation to use floating-point primitive types to store data. In the 1970s, computations over floating-point values were relatively costly compared to integer arithmetic, but now this is no longer an obstacle to performance.Chapter 2 discusses important issues relating to floating-point computations, such as round-off error, that have an impact on the algorithms in this chapter.

Computation

There are three general tasks in computational geometry that are typically related to spatial questions, such as those shown in Table 9-1:

Query

Select existing elements within the input set based upon a set of desired constraints (e.g., closest, furthest); these tasks are most directly related to the search algorithms discussed in Chapter 5 and will be covered in the next chapter Chapter 10.

Computation

Perform a series of calculations over the input set (e.g., line segments)to produce geometric structures that incorporate the elements from the input set (e.g., intersections over these line segments).

Preprocessing

Embed the input set in a rich data structure to be used to answer a set of questions. In other words, the result of the preprocessing task is used as input for a set of other questions.

Table 9-1. Computational Geometry problems and their application

Computational geometry problem(s)

Real-world application(s)

Find the closest point to a given point.

Given a car’s location, find the closest gasoline station.

Find the furthest point from a given point.

Given an ambulance station, find the furthest hospital from a given set of facilities to determine worst-case travel time.

Determine whether a polygon is simple (i.e., two non-consecutive edges cannot share a point).

An animal from an endangered species has been tagged with a radio transmitter that emits the animal’s location. Scientists would like to know when the animal crosses its own path to find commonly used trails.

Compute the smallest circle enclosing a set of points. Compute the largest interior circle of a set of points that doesn’t contain a point.

Statisticians analyze data using various techniques. Enclosing circles can identify clusters, whereas large gaps in data suggest anomalous or missing data.

Determine the full set of intersections within a set of line segments, or within a set of circles, rectangles, or arbitrary polygons.

Very Large Scale Integration (VLSI) design rule checking.

Nature of the task

A static task requires only that an answer be delivered on demand for a specific input data set. However, two dynamic considerations alter the way a problem might be approached:

§ If the task is requested multiple times over the same input data set, pre-process the input set to improve the efficiency of future task requests.

§ If the input data set changes, investigate data structures that gracefully enable insertions and deletions.

Dynamic tasks require data structures that can grow and shrink as demanded by changes to the input set. Arrays of fixed length might be suitable for static tasks, but dynamic tasks require the creation of linked lists or stacks of information to serve a common purpose.

Assumptions

For most computational geometry problems, an efficient solution starts by analyzing the assumptions and invariants about the input set (or the task to be performed). For example:

§ Given an input set of line segments, can there be horizontal or vertical segments?

§ Given a set of points, is it possible that three points are collinear (that is, can be found on the same mathematical line in the plane)? If not, the points are said to be in general position, which simplifies many algorithms.

§ Does the input set contain a uniform distribution of points? Or is it skewed or clustered in a way that could force an algorithm into its worst-case behavior?

Most of the algorithms presented in this chapter have unusual boundary cases that are challenging to compute properly; we describe these situations in the code examples.

Convex Hull

Given a set of two-dimensional points P, the convex hull is the smallest convex shape that fully encloses all points in P; a line segment drawn between any two points within the hull lies totally within it. The hull is formed by computing a clockwise ordering of h points from P which are labeled L0, L1, … Lh-1. Although any point can be the first (L0), algorithms typically use the leftmost point in the set P; in other words the one with the smallest x coordinate. If multiple such points exist in P, choose the one with smallest y coordinate.

Given n points, there are n*(n-1)*(n-2)/6 different possible triangles. Point piP cannot be part of the convex hull if it is contained within a triangle formed by three other distinct points in P. For example, in Figure 9-1, point p6 can be eliminated by the triangle formed by points p4, p7, andp8. For each of these triangles Ti, a brute-force Slow Hull algorithm could eliminate any of the n−3 remaining points from the convex hull if they exist within Ti.

Sample set of points in plane with its convex hull drawn

Figure 9-1. Sample set of points in plane with its convex hull drawn

Once the hull points are known, the algorithm labels the left-most point L0 and sorts all other points by the angle formed with a vertical line through L0. Each sequence of three hull points Li, Li+1, Li+2 creates a right turn; note that this property holds for Lh−2, Lh−1, L0 as well.

This inefficient approach requires O(n4) individual executions of the triangle detection step. We now present an efficient Convex Hull Scan algorithm that computes the convex hull in O(n log n).

Convex Hull Scan

Convex Hull Scan, invented by Andrew (1979), divides the problem by constructing a partial upper hull and a partial lower hull and then combining them. First, all points are sorted by their x coordinate (breaking ties by considering y). The partial upper hull starts with the leftmost two points in P. Convex Hull Scan extends the partial upper hull by finding the point p ∈ P whose x coordinate comes next in sorted order after the partial upper hull’s last point Li.

CONVEX HULL SCAN SUMMARY

Best, Average, Worst: O(n log n)

convexHull (P)

sort P ascending by x-coordinate (break ties by sorting y) 1

if n < 3 then return P

upper = {p0, p1} 2

for i = 2 to n-1 do

append pi to upper

while last three in upper make left turn do 3

remove middle of last three in upper 4

lower = {pn-1, pn-2} 5

for i = n-3 downto 0 do

append pi to lower

while last three in lower make left turn do

remove middle of last three in lower

join upper andlower (remove duplicate end points) 6

return computed hull

1

Sorting points is the largest cost for this algorithm

2

Propose these two points as being on the upper hull

3

A left turn means the last three hull points forms a non-convex angle

4

Middle point was wrong choice so remove

5

Similar procedure computes lower hull

6

Stitch these together to form the convex hull

If the three points Li−1, Li and the candidate point p form a right turn, Convex Hull Scan extends the partial hull to include p. This decision is equivalent to computing the determinant of the three-by-three matrix shown in Figure 9-2, which represents the cross product cp=(Li.x - Li−1.x)(p.y -Li−1.y)-(Li.y - Li−1.y)(p.x - Li−1.x). If cp is negative, then the three points determine a right turn and Convex Hull Scan continues on. If cp=0 (the three points are collinear) or if cp > 0 (the three points determine a left turn), then the middle point Li must be removed from the partial hull to retain its convex property. Convex Hull Scan computes the convex upper hull by processing all points up to the rightmost point. The lower hull is similarly computed (this time by choosing points in decreasing x coordinate value), and the two partial hulls are joined together.

Computing determinant decides whether right turn exists

Figure 9-2. Computing determinant decides whether right turn exists

Figure 9-3 shows Convex Hull Scan in action as it computes the partial upper hall. Note that the overall approach makes numerous mistakes as it visits every point in P from left to right, yet it adjusts by dropping—sometimes repeatedly—the middle of the last three points while it correctly computes the upper partial hull.

Incremental construction of upper partial convex hull

Figure 9-3. Incremental construction of upper partial convex hull

Input/Output

The input is a set of two-dimensional points P in a plane.

Convex Hull Scan computes an ordered list L containing the h vertices of the convex hull of P in clockwise order. The convex hull is a polygon defined by the points L0, L1, …, Lh−1, where H is the number of points in L. Note that the polygon is formed from the H line segments <L0, L1>,<L1, L2>, …, <Lh−1, L0>.

To avoid trivial solutions, we assume |P|≥3. No two points are “too close” to each other (as determined by the implementation). If two points are too close to each other and one of those points is on the convex hull, Convex Hull Scan might incorrectly select an invalid convex hull point (or discard a valid convex hull point); however, the difference would be negligible.

Context

Convex Hull Scan requires only primitive operations (such as multiply and divide), making it easier to implement than GrahamScan (Graham, 1972), which uses trigonometric identities as demonstrated in Chapter 3. Convex Hull Scan can support a large number of points because it is not recursive.

Linked lists can be substituted for arrays in the algorithm. In this case, the initial sort must use Insertion Sort, which worsens the performance to O(n2). Using balanced binary trees to store the input points instead of arrays would eliminate the sorting step, but add extra complication to the code requesting the convex hull.

The fastest implementation occurs if the input set is uniformly distributed and thus can be sorted in O(n) using Bucket Sort, because the resulting performance would also be O(n). The supporting code repository contains each of the described implementations that we benchmark for performance.

Solution

Example 9-1 shows how Convex Hull Scan first computes the partial upper hull before reversing direction and computing the partial lower hull. The final convex hull is the combination of the two partial hulls.

Example 9-1. Convex Hull Scan solution to convex hull

public class ConvexHullScan implements IConvexHull {

public IPoint [] compute (IPoint[] points) {

// sort by x-coordinate (and if ==, by y-coordinate).

int n = points.length;

new HeapSort<IPoint>().sort(points, 0, n-1, IPoint.xy_sorter);

if (n < 3) { return points; }

// Compute upper hull by starting with leftmost two points

PartialHull upper = new PartialHull(points[0], points[1]);

for (int i = 2; i < n; i++) {

upper.add(points[i]);

while (upper.hasThree() && upper.areLastThreeNonRight()) {

upper.removeMiddleOfLastThree();

}

}

// Compute lower hull by starting with rightmost two points

PartialHull lower = new PartialHull(points[n-1], points[n-2]);

for (int i = n-3; i >= 0; i--) {

lower.add(points[i]);

while (lower.hasThree() && lower.areLastThreeNonRight()) {

lower.removeMiddleOfLastThree();

}

}

// remove duplicate end points when combining.

IPoint[] hull = new IPoint[upper.size()+lower.size()-2];

System.arraycopy(upper.getPoints(), 0, hull, 0, upper.size());

System.arraycopy(lower.getPoints(), 1, hull,

upper.size(), lower.size()-2);

return hull;

}

Because the first step of this algorithm must sort the points, we rely on Heap Sort to achieve the best average performance without suffering from the worst-case behavior of Quicksort. However, in the average case, Quicksort will outperform Heap Sort.

The Akl-Toussaint heuristic (1978) can noticeably improve performance of the overall algorithm by discarding all points that exist within the extreme quadrilateral (the minimum and maximum points along both x and y axes) computed from the initial set P. Figure 9-4 shows the extreme quadrilateral for the sample points from Figure 9-1. The discarded points are shown in gray; none of these points can belong to the convex hull.

The Akl-Toussaint heuristic at work

Figure 9-4. The Akl-Toussaint heuristic at work

To determine whether a point p is within the extreme quadrilateral, imagine a line segment s from p to an extreme point at (p.x, -∞), and count the number of times that s intersects the four line segments of the quadrilateral; if the count is 1, p is inside and can be eliminated. The implementation handles special cases, such as when line segment s exactly intersects one of the end points of the extreme quadrilateral. This computation requires a fixed number of steps, so it is O(1), which means applying the Akl-Toussaint heuristic to all points is O(n). For large random samples, this heuristic can remove nearly half of the initial points, and because these points are discarded before the sort operation, the costly sorting step in the algorithm is reduced.

Analysis

We ran a set of 100 trials on randomly generated two-dimensional points from the unit square; the best and worst trials were discarded, and Table 9-2 shows the average performance results of the remaining 98 trials. The table also shows the breakdown of average times to perform the heuristic plus some information about the solution.

Given a uniform distribution of n random points within the [0,1] unit square, Table 9-2 describes statistics that reveal some of the underlying reasons why Convex Hull Scan is so efficient.

Table 9-2. Example showing running times (in milliseconds) and applied Akl-Toussaint heuristic

n

Average number of points on hull

Average time to compute

Average number of points removed by heuristic

Average time to compute heuristic

Average time to compute with heuristic

4,096

21.65

8.95

2,023

1.59

4.46

8,192

24.1

18.98

4,145

2.39

8.59

16,384

25.82

41.44

8,216

6.88

21.71

32,768

27.64

93.46

15,687

14.47

48.92

65,536

28.9

218.24

33,112

33.31

109.74

131,072

32.02

513.03

65,289

76.36

254.92

262,144

33.08

1168.77

129,724

162.94

558.47

524,288

35.09

2617.53

265,982

331.78

1159.72

1,048,576

36.25

5802.36

512,244

694

2524.30

As the size of the input set increases, nearly half of its points can be removed by the Akl-Toussaint heuristic. More surprising, perhaps, is the low number of points on the convex hull. The second column in Table 9-2 validates the claim by Preparata and Shamos (1985) that the number of points on the convex hull should be O(log n), which may be surprising given the large number of points. One insight behind this low number is that in a large random set, each individual point has a small probability of being on the convex hull.

The first step in Convex Hull Scan explains the cost of O(n log n) when the points are sorted using one of the standard comparison-based sorting techniques described in Chapter 4. As previously mentioned, if the points are already sorted, this step can be skipped and the resulting steps require just O(n) processing. The loop that computes the upper partial hull processes n−2 points; the inner while loop cannot execute more than n−2 times, and the same logic applies to the loop that computes the lower partial hull. The total time for the remaining steps of Convex Hull Scanis thus O(n).

Problems with floating-point arithmetic appear when Convex Hull Scan computes the cross product calculation. Instead of strictly comparing whether the cross product cp < 0, PartialHull determines whether cp < δ, where δ is 10−9.

Variations

The sorting step of Convex Hull Scan can be eliminated if the points are already known to be in sorted order; in this case, Convex Hull Scan can perform in O(n). Alternatively, if the input points are drawn from a uniform distribution, then one can use Bucket Sort (see “Bucket Sort” inChapter 4) to also achieve O(n) performance. Another convex hull variation known as QuickHull (Preparata and Shamos, 1985) uses the “divide and conquer” technique inspired by Quicksort to compute the convex hull.

There is one final variation to consider. Convex Hull Scan doesn’t actually need a sorted array when it constructs the partial upper hull; it just needs to iterate over all points in P in order, from smallest x coordinate to highest x coordinate. This behavior is exactly what occurs if one constructs a binary heap from the points in P and repeatedly removes the smallest element from the heap. If the removed points are stored in a linked list, the points can be simply “read off” the linked list to process the points in reverse order from right to left. The code for this variation (identified as Heap in Figure 9-5) is available in the code repository accompanying this book.

Performance of convex hull variations

Figure 9-5. Performance of convex hull variations

The performance results shown in Figure 9-5 were generated from two data set distributions:

Circle data

n points distributed evenly over a unit circle. All points will belong to the convex hull, so this is an extreme case.

Uniform data

n points distributed evenly over the unit square. As n increases, the majority of these points will not be part of the convex hull, so this represents another extreme case.

We ran a series of trials using data sets with 512 to 131,072 points, the two data set distributions, and the different implementations described in Example 9-1 and the code repository. We did not employ the Akl-Toussaint heuristic. For each data set size, we ran 100 trials and discarded the best—and worst-performing runs. The resulting average time (in milliseconds) of the remaining 98 trials is depicted in Figure 9-5. The implementation using balanced binary trees shows the best performance of the approaches that use comparison-based sorting techniques. Note that the implementation using Bucket Sort offers the most efficient implementation, but only because the input set is drawn from a uniform distribution. In the general case, computing a convex hull can be performed in O(n log n).

However, these implementations also suffer poor performance should the input data be skewed. Consider n points distributed unevenly with with points (0,0), (1,1) and n−2 points clustered in thin slices just to the left of .502. This data set is constructed to defeat Bucket Sort. Table 9-3 shows how Bucket Sort degenerates into an O(n2) algorithm because it relies on Insertion Sort to sort its buckets.

Table 9-3. Timing comparison (in milliseconds) with highly skewed data

n

Andrew

Heap

Balanced

Bucket

512

0.28

0.35

0.33

1.01

1024

0.31

0.38

0.41

3.30

2048

0.73

0.81

0.69

13.54

The convex hull problem can be extended to three dimensions and higher where the goal is to compute the bounding polyhedron surrounding the three-dimensional point space. Unfortunately, in higher dimensions, more complex implementations are required.

Melkman (1987) has developed an algorithm that produces the convex hull for a simple polyline or polygon in O(n). Quite simply, it avoids the need to sort the initial points by taking advantage of the ordered arrangement of points in the polygon itself.

A convex hull can be maintained efficiently using an approach proposed by Overmars and van Leeuwen (1981). The convex hull points are stored in a tree structure that supports both deletion and insertion of points. The cost of either an insert or delete is known to be O(log2 n), so the overall cost of constructing the hull becomes O(n log2 n) while still requiring only O(n) space. This result reinforces the principle that every performance benefit comes with its own tradeoff.

One of the earliest convex hull algorithms is GrahamScan, developed in 1972 using simple trigonometric identities. We described this algorithm in Chapter 3. Using the determinant computation shown earlier in Figure 9-2, an appropriate implementation needs only simple data structures and basic mathematical operations. GrahamScan computes the convex hull in O(n log n), because it first sorts points by the angles they make with the point sP with the smallest y coordinate and the x-axis. One challenge in completing this sort is that points with the same angle must be ordered by the distance from s.

Computing Line Segment Intersections

Given a set of line segments S in a two-dimensional plane, you might need to determine the full set of intersection points between all segments. In the example in Figure 9-6 there are two intersections (shown as small black circles) found in this set of four line segments. A brute-force approach will compute all intersections of the line segments in S using O(n2) time. For each pair, the implementation outputs the intersection, if it exists.

Three line segments with two intersections

Figure 9-6. Three line segments with two intersections

Example 9-2. Brute Force Intersection implementation

public class BruteForceAlgorithm extends IntersectionDetection {

public Hashtable<IPoint, ILineSegment[]> intersections

(ILineSegment[] segments) {

initialize();

for (int i = 0; i < segments.length-1; i++) {

for (int j = i+1; j < segments.length; j++) {

IPoint p = segments[i].intersection(segments[j]);

if (p != null) {

record (p, segments[i], segments[j]);

}

}

}

return report;

}

}

This computation requires O(n2) individual intersection computations and it may require complex trigonometric functions.

It is not immediately clear that any improvement over O(n2) is possible, yet this chapter presents the innovative Line Sweep algorithm, which on average shows how to compute the results in O((n+k) log n) where k represents the number of reported intersection points.

LineSweep

There are numerous situations where one must detect intersections between geometric shapes. In VLSI chip design, precise circuits are laid out on a circuit board, and there must be no unplanned intersections. For travel planning, a set of roads could be stored in a database as line segments whose street intersections are determined by line segment intersections.

Figure 9-7 shows an example with seven intersections between six line segments. Perhaps we don’t have to compare all possible C(n,2) or n*(n−1)/2 line segments. After all, line segments that are clearly apart from one another (in this example, S1 and S4) cannot intersect. LineSweep is a proven approach that improves efficiency by focusing on a subset of the input elements as it progresses. Imagine sweeping a horizontal line L across the input set of line segments from the top to the bottom and reporting the intersections when they are found by L. Figure 9-7 shows the state of line L as the sweep occurs from top to bottom (at nine distinct and specific locations).

Detecting seven intersections for six line segments

Figure 9-7. Detecting seven intersections for six line segments

The innovation of LineSweep is in recognizing that line segments can be ordered from left to right at a specific y coordinate. Horizontal segments are addressed by considering the left end point to be “higher” than the right end point. Line segment intersections can then occur only between neighboring segments in the state of the sweep line. Specifically, for two line segments si and sj to intersect, there must be some time during the line sweep when they are neighbors. LineSweep can efficiently locate intersections by maintaining this line state.

Looking closer at the nine selected locations of the horizontal sweep line in Figure 9-7, you will see that each occurs at (i) the start or end of a line segment, or (ii) an intersection. LineSweep doesn’t actually “sweep” a line across the Cartesian plane; rather, it inserts the 2*n segment end points into an event queue, which is a modified priority queue. All intersections involving start and end points of existing line segments can be detected when processing these points. LineSweep processes the queue to build up the state of the sweep line L to determine when neighboring line segments intersect.

LINESWEEP SUMMARY

Best,Average: O((n+k) log n) Worst: O(n2)

intersection (S)

EQ = new EventQueue

foreach s in S do 1

ep = find s.start in EQ orcreate new one andinsert into EQ

add s to ep.upperLineSegments 2

ep = find s.end in EQ orcreate new one andinsert into EQ

add s to ep.lowerLineSegments

state = new lineState

while EQ is notempty do

handleEvent (EQ, state, getMin(EQ))

end

handleEvent (EQ, state, ep)

left = segment in state to left of ep

right = segment in state to right of ep

compute intersections in state between left to right 3

remove segments in state between left andright

advance state sweep point down to ep

if new segments start at ep then 4

insert new segments into state

update = true

if intersections associated with ep then 5

insert intersections into state

update = true

if update then

updateQueue (EQ, left, left successor)

updateQueue (EQ, right, right predecessor)

else

updateQueue (EQ, left, right)

end

updateQueue (EQ, A, B) 6

if neighboring A andB segments intersect below sweep point then

insert their intersection point into EQ

end

1

Initialize event queue with up to 2*n points

2

Event points refer to segments (upper or lower end points)

3

Any intersection occurs between neighboring line segments

4

Maintain line state as new segments are discovered below sweep line

5

At an intersection, neighboring line segments switch relative position

6

Add intersection to event queue only if below sweep line

Input/Output

LineSweep processes a set of n line segments S in the Cartesian plane. There can be no duplicate segments in S. No two line segments in S are collinear (that is, overlap each other and have the same slope). The algorithm supports both horizontal and vertical line segments by carefully performing computations and ordering segments appropriately. No line segment should be a single point (i.e., a line segment whose start and end point are the same).

The output contains the k points representing the intersections (if any exist) between these line segments and, for each of these k points, pi, the actual line segments from S that intersect at pi.

Context

When the expected number of intersections is much smaller than the number of line segments, this algorithm handily outperforms a brute-force approach. When there are a significant number of intersections, the bookkeeping of the algorithm may outweigh its benefits.

A sweep-based approach is useful when you can (a) efficiently construct the line state, and (b) manage the event queue that defines when the sweep line is interpreted. There are numerous special cases to consider within the LineSweep implementation, and the resulting code is much more complex than the brute force approach, whose worst-case performance is O(n2). Choose this algorithm because of the expected performance savings and improved worst-case behavior.

LineSweep produces partial results incrementally until the entire input set has been processed and all output results are produced. In the example here, the line state is a balanced binary tree of line segments, which is possible because we can impose an ordering on the segments at the sweep line. The event queue can also simply be a balanced binary tree of event points sorted lexicographically, meaning that points with a higher y value appear first (because the sweep line moves down the Cartesian plane from top to bottom); if there are two points with the same y value, the one with the lower x value appears first.

To simplify the coding of the algorithm, the binary tree used to store the line state is an augmented balanced binary tree in which only the leaf nodes contain actual information. Interior nodes store min and max information about the leftmost segment in the left subtree and rightmost segment in the right subtree. The ordering of segments within the tree is made based upon the sweep point, the current EventPoint being processed from the priority queue.

Solution

The solution described in Example 9-3 depends upon the EventPoint, EventQueue, and LineState classes found in the code repository.

Example 9-3. LineSweep Java implementation

public class LineSweep extends IntersectionDetection {

// Store line sweep state and event queue

LineState lineState = new LineState();

EventQueue eq = new EventQueue();

// Compute the intersection of all segments from array of segments.

public Hashtable<IPoint,ILineSegment[]>intersections (ILineSegment[] segs){

// construct Event Queue from segments. Ensure that only unique

// points appear by combining all information as it is discovered

for (ILineSegment ils : segs) {

EventPoint ep = new EventPoint(ils.getStart());

EventPoint existing = eq.event(ep);

if (existing == null) { eq.insert(ep); } else { ep = existing; }

// add upper line segments to ep (the object in the queue)

ep.addUpperLineSegment(ils);

ep = new EventPoint(ils.getEnd());

existing = eq.event(ep);

if (existing == null) { eq.insert(ep); } else { ep = existing; }

// add lower line segments to ep (the object in the queue)

ep.addLowerLineSegment(ils);

}

// Sweep top to bottom, processing each Event Point in the queue

while (!eq.isEmpty()) {

EventPoint p = eq.min();

handleEventPoint(p);

}

// return report of all computed intersections

return report;

}

// Process events by updating line state and reporting intersections.

private void handleEventPoint (EventPoint ep) {

// Find segments, if they exist, to left (and right) of ep in

// linestate. Intersections can happen only between neighboring

// segments. Start with nearest ones because as line sweeps down

// we will find any other intersections that (for now) we put off.

AugmentedNode<ILineSegment> left = lineState.leftNeighbor(ep);

AugmentedNode<ILineSegment> right = lineState.rightNeighbor(ep);

// determine intersections 'ints' from neighboring line segments and

// get upper segments 'ups' and lower segments 'lows' for this event

// point. An intersection exists if > 1 segment is associated with

// event point

lineState.determineIntersecting(ep, left, right);

List<ILineSegment> ints = ep.intersectingSegments();

List<ILineSegment> ups = ep.upperEndpointSegments();

List<ILineSegment> lows = ep.lowerEndpointSegments();

if (lows.size() + ups.size() + ints.size() > 1) {

record (ep.p, new List[]{lows,ups,ints});

}

// Delete everything after left until left's successor is right.

// Then update the sweep point, so insertions will be ordered. Only

// ups and ints are inserted because they are still active.

lineState.deleteRange(left, right);

lineState.setSweepPoint(ep.p);

boolean update = false;

if (!ups.isEmpty()) {

lineState.insertSegments (ups);

update = true;

}

if (!ints.isEmpty()) {

lineState.insertSegments (ints);

update = true;

}

// If state shows no intersections at this event point, see if left

// and right segments intersect below sweep line, and update event

// queue properly. Otherwise, if there was an intersection, the order

// of segments between left & right have switched so we check two

// specific ranges, namely, left and its (new) successor, and right

// and its (new) predecessor.

if (!update) {

if (left != null && right != null) { updateQueue (left, right); }

} else {

if (left != null) { updateQueue (left, lineState.successor(left)); }

if (right != null) { updateQueue (lineState.pred(right), right); }

}

}

// Any intersections below sweep line are inserted as event points.

private void updateQueue (AugmentedNode<ILineSegment> left,

AugmentedNode<ILineSegment> right) {

// If two neighboring line segments intersect. make sure that new

// intersection point is *below* the sweep line and not added twice.

IPoint p = left.key().intersection(right.key());

if (p == null) { return; }

if (EventPoint.pointSorter.compare(p,lineState.sweepPt) > 0) {

EventPoint new_ep = new EventPoint(p);

if (!eq.contains(new_ep)) { eq.insert(new_ep); }

}

}

}

When the EventQueue is initialized with up to 2*n EventPoint objects, each stores the ILineSegment objects that start (known as upper segments) and end (known as lower segments) at the stored IPoint object. When LineSweep discovers an intersection between line segments, anEventPoint representing that intersection is inserted into the EventQueue as long as it occurs below the sweep line. In this way, no intersections are missed and none are duplicated. For proper functioning, if this intersecting event point already exists within the EventQueue, the intersecting information is updated within the queue rather than being inserted twice. It is for this reason that LineSweep must be able to determine whether the event queue contains a specific EventPoint object.

In Figure 9-7, when the event point representing the lower point for segment S6 (technically the rightmost end point, because S6 is horizontal) is inserted into the priority queue, LineSweep only stores S6 as a lower segment; once it is processed, it will additionally store S4 as an intersecting segment. For a more complex example, when the event point representing the intersection of segments S2 and S5 is inserted into the priority queue, it stores no additional information. But after this event point is processed, it will store segments S6, S2, and S5 as intersecting segments.

The computational engine of LineSweep is the LineState class, which maintains the current sweep point as it sweeps from the top of the Cartesian plane downward. When the minimum entry is extracted from the EventQueue, the provided pointSorter comparator properly returns theEventPoint objects from top to bottom and left to right.

The true work of LineSweep occurs in the determineIntersecting method of LineState: the intersections are determined by iterating over those segments between left and right. Full details on these supporting classes are found in the code repository.

LineSweep achieves O((n+k) log n) performance because it can reorder the active line segments when the sweep point is advanced. If this step requires more than O(log s) for its operations, where s is the number of segments in the state, the performance of the overall algorithm will degenerate to O(n2). For example, if the line state were stored simply as a doubly linked list (a useful structure to rapidly find predecessor and successor segments), the insert operation would increase to require O(s) time to properly locate the segment in the list, and as the set s of line segments increases, the performance degradation would soon become noticeable.

Similarly, the event queue must support an efficient operation to determine whether an event point is already present in the queue. Using a heap-based priority queue implementation—as provided by java.util.PriorityQueue, for example—also forces the algorithm to degenerate to O(n2). Beware of code that claims to implement an O(n log n) algorithm but instead produces an O(n2) implementation!

Analysis

LineSweep inserts up to 2*n segment end points into an event queue, a modified priority queue that supports the following operations in time O(log q), where q is the number of elements in the queue:

min

Remove the minimum element from the queue

insert (e)

Insert e into its proper location within the ordered queue

member (e)

Determine whether e is a member of the queue. This operation is not strictly required of a generic priority queue

Only unique points appear in the event queue; that is, if the same event point is re-inserted, its information is combined with the event point already in the queue. Thus when the points from Figure 9-7 are initially inserted, the event queue contains only eight event points.

LineSweep sweeps from top to bottom and updates the line state by adding and deleting segments in their proper order. In Figure 9-7, the ordered line state reflects the line segments that intersect the sweep line, from left to right after processing the event point. To properly compute intersections, LineSweep determines the segment in the state to the left of (or right of) a given segment si. LineSweep uses an augmented balanced binary tree to process all of the following operations in time O(log t), where t is the number of elements in the tree:

insert (s)

Insert line segment s into the tree

delete (s)

Delete segment s from the tree

previous (s)

Return segment immediately before s in the ordering, if one exists

successor (s)

Return segment immediately after s in the ordering, if one exists

To properly maintain the ordering of segments, LineSweep swaps the order of segments when a sweep detects an intersection between segments si and sj; fortunately, this too can be performed in O(log t) time simply by updating the sweep line point and then deleting and reinserting the line segments si and sj. In Figure 9-7, for example, this swap occurs when the third intersection (6.66, 6.33) is found.

The initialization phase of the algorithm constructs a priority queue from the 2*n points (start and end) in the input set of n lines. The event queue must additionally be able to determine whether a new point p already exists within the queue; for this reason, we cannot simply use a heap to store the event queue, as is commonly done with priority queues. Since the queue is ordered, we must define an ordering of two-dimensional points. Point p1 < p2 if p1.y > p2.y; however, if p1.y = p2.y, p1 < p2 if p1.x < p2.x. The size of the queue will never be larger than 2*n+k, where k is the number of intersections and n is the number of input line segments.

All intersection points detected by LineSweep below the sweep line are added to the event queue, where they will be processed to swap the order of intersecting segments when the sweep line finally reaches the intersection point. Note that all intersections between neighboring segments will be found below the sweep line, and no intersection point will be missed.

As LineSweep processes each event point, line segments are added to the state when an upper end point is visited, and removed when a lower end point is visited. Thus the line state will never store more than n line segments. The operations that probe the line state can be performed in O(log n) time, and because there are never more than O(n+k) operations over the state, our cost is O((n+k) log (n+k)). Because k is no larger than C(n,2) or n*(n−1)/2, performance is O((n+k) log n).

Because the performance of LineSweep is dependent upon complex properties of the input (i.e., the total number of intersections and the average number of line segments maintained by the sweep line at any given moment), we can benchmark its performance only for a specific problem and input data. We’ll discuss two such problems now.

An interesting problem from mathematics is how to compute an approximate value of π using just a set of toothpicks and a piece of paper (known as Buffon’s needle problem). If the toothpicks all are len units long, draw a set of vertical lines on the paper, d units apart from one another wheredlen. Randomly toss n toothpicks on the paper and let k be the number of intersections with the vertical lines. It turns out that the probability that a toothpick intersects a line (which can be computed as k/n) is equal to (2*len)/(π*d).

When the number of intersections is much less than n2, the brute force approach wastes time checking lines that don’t intersect (as we see in Table 9-4). When there are many intersections, the determining factor will be the average number of line segments maintained by LineState during the duration of LineSweep. When it is low (as might be expected with random line segments in the plane), LineSweep will be the winner.

Table 9-4. Timing comparison (in milliseconds) between algorithms on Buffon’s needle problem

n

LineSweep

Brute Force

Average number of intersections

Estimate for π

Error

16

1.77

0.18

0.84

3.809524

±9.072611

32

0.58

0.1

2.11

3.033175

±4.536306

64

0.45

0.23

3.93

3.256997

±2.268153

128

0.66

0.59

8.37

3.058542

±1.134076

256

1.03

1.58

16.2

3.1644

±0.567038

512

1.86

5.05

32.61

3.146896

±0.283519

1,024

3.31

18.11

65.32

3.149316

±0.14176

2,048

7

67.74

131.54

3.149316

±0.07088

4,096

15.19

262.21

266.16

3.142912

±0.03544

8,192

34.86

1028.83

544.81

3.12821

±0.01772

In the worst case, that is, when there are O(n2) intersections among the line segments, LineSweep will seriously under-perform because of the overhead in maintaining the line state in the face of so many intersections. Table 9-5 shows how brute force handily outperforms LineSweep, wheren is the number of line segments whose intersection creates the maximum of n*(n−1)/2 intersection points.

Table 9-5. Worst-case comparison of LineSweep vs. brute force (in ms)

n

LineSweep (avg)

BruteForce (avg)

2

0.17

0.03

4

0.66

0.05

8

1.11

0.08

16

0.76

0.15

32

1.49

0.08

64

7.57

0.38

128

45.21

1.43

256

310.86

6.08

512

2252.19

39.36

Variations

One interesting variation requires only that the algorithm report one of the intersection points, rather than all points which would be useful to detect whether two polygons intersect. This algorithm requires only O(n log n) time, and may more rapidly locate the first intersection in the average case. Another variation considers an input set of red and blue lines where the only desired intersections are those between different colored line segments (Palazzi and Snoeyink, 1994).

Voronoi Diagram

In 1986, Fortune applied the line sweeping technique to solve another Computational Geometry problem, namely, constructing the Voronoi diagram for a set of points, P, in the Cartesian plane. This diagram is useful in a number of disciplines, ranging from the Life Sciences to Economics (Aurenhammer, 1991).

A Voronoi diagram partitions a plane into regions based on each region’s distance to a set of n two-dimensional points, P. Each of the n regions consists of the Cartesian points closer to point piP than any other pjP. Figure 9-8 shows the computed Voronoi diagram (black lines) for 18 sample points (shown as squares). The Voronoi diagram consists of 18 convex regions formed from edges (the lines in the figure) and vertices (where these lines intersect, including those that are out of view). Given the Voronoi diagram for a set of points, you can:

§ Compute the convex hull

§ Determine the largest empty circle within the points

§ Find the nearest neighbor for each point

§ Find the two closest points in the set

Sample Voronoi Diagram

Figure 9-8. Sample Voronoi Diagram

Fortune Sweep implements a line sweep similar to the one used to detect where line segments intersect. Recall that a line sweep inserts existing points into a priority queue and processes those points in order, thus defining a sweep line. The algorithm maintains a line state that can be updated efficiently to determine the Voronoi diagram. In Fortune Sweep, the key observation to make is that the sweeping line divides the plane into three distinct regions, as shown in Figure 9-9.

Elements of Fortune Sweep

Figure 9-9. Elements of Fortune Sweep

As the line sweeps down the plane, a partial Voronoi diagram is formed; in Figure 9-9, the region associated with point p2 is fully computed as a semi-infinite polygon delimited by four line segments, shown in bold. The sweep line is currently ready to process point p6 and points p7 throughp11 are waiting to be processed. The line state structure currently maintains points { p1, p3, p4 and p5 }.

The challenge in understanding Fortune Sweep is that the line state is a complex structure called a beach line. Each of the points in the line state defines a parabola with respect to the sweep line. The beach line is defined as the intersection of these parabolas closest to the sweep line. InFigure 9-9, the beach line is the thin collection of curved fragments from left to right; the point where two parabolas meet is known as a breakpoint, and the dashed lines represent partial edges in the Voronoi diagram that have yet to be confirmed.

To explain the structure of the curved segments in the beach line, we need to define the parabola geometric shape. Given a focus point, f, and a line, L, a parabola is a symmetric shape composed of the Cartesian points that are equidistant from f and the line L. The vertex of the parabola, v = (h, k), is the lowest point on the shape. p represents the distance between L and f, which in this case means p is twice the distance between the line L and the vertex v. Given those variables, the equation 4_p_(y-k) = (x-h)2 defines the parabola’s structure, which is easy to visualize when L is a horizontal line and the parabola opens upwards.

The sweep starts at the topmost point in P and sweeps downward, discovering points known as sites to process. The parabolas in the beach line change shape as the sweep line moves down, as shown in Figure 9-10, which means that breakpoints also change their location. Fortunately, the algorithm updates the sweep line only O(n) times.

Parabolas change shape as the sweep line moves down

Figure 9-10. Parabolas change shape as the sweep line moves down

A vertex in the Voronoi diagram is computed by detecting three points in P that lie on a circle that doesn’t containing any other points in P. The center of this circle defines the Voronoi vertex, because that is a point equidistant from the three points. The three rays that radiate from the center become edges in the Voronoi diagram because these lines define the points that are equidistant from two points in the collection. These edges bisect the chord line segments in the circle between the points. For example, line L3 in Figure 9-11 is perpendicular to the line segment that would be drawn between (r1, r3).

Circle formed by three points

Figure 9-11. Circle formed by three points

We now show how Fortune Sweep maintains state to detect these circles. The characteristics of the beach line minimizes the number of circles Fortune Sweep checks; specifically, whenever the beach line is updated, Fortune Sweep needs to check only the neighboring arcs (to the left and to the right) where the update occurred. Figure 9-11 shows the mechanics of Fortune Sweep with just three points. These three points are processed in order from top to bottom, namely, r1, r2, and r3. No circle appears until the third point is processed.

Figure 9-12 shows the state of the beach line after processing r1 and r2. The beach line is formed by the parabola segments that are closest to the sweep line; in this case, the state of the sweep line is represented as a binary tree where leaf nodes declare the associated parabola segment and internal nodes represent breakpoints. The beach line, from left to right, is formed by three parabolic segments, s1, s2 and then s1 again. The breakpoints s1:s2 and s2:s1 determine when these intersecting parabolas switch being closer to the line sweep line moving downwards.

Beach line after two points

Figure 9-12. Beach line after two points

Figure 9-13 shows when the line sweep processes the third point, r3. By its location, a vertical line through r3 intersects the beach line at the rightmost arc, s1, and the updated beach line state is shown on the right side in Figure 9-13. There are four internal nodes, representing the four intersections that occur on the beach line between the three parabolas. There are five leaf nodes, representing the five arc segments that form the beach line, from left to right.

Beach line after three points

Figure 9-13. Beach line after three points

Once this beach line is formed, observe that these three points form a circle. The center of the circle has the potential to become a Voronoi point in the diagram, but this will happen only if no other point in P is contained within the circle. The algorithm handles this situation elegantly by creating a circle event, whose coordinates are the lowest point on this circle (shown in Figure 9-14), and inserting that event into the event priority queue. Should some other site event be processed before this circle event, which “gets in the way,” this circle event will be eliminated. Otherwise it will be processed in turn and the center point of the circle becomes a point in the Voronoi diagram. Note that the middle arc associated with r1 in this case has no further effect on any other point in P, so it can be removed from the beach line. The resulting beach line state is shown in the binary tree on the right side of Figure 9-14.

Beach line after processing circle event

Figure 9-14. Beach line after processing circle event

FORTUNE SWEEP SUMMARY

Best, Average, Worst: O(n log n)

fortune (P)

PQ = new Priority Queue

LineState = new Binary Tree

foreach p in P do 1

event = new SiteEvent(p)

insert event into PQ

while PQ is notempty do

event = getMin(PQ)

sweepPt = event.p 2

if event.site then

processSite(event)

else

processCircle(event)

finishEdges() 3

processSite(e) 4

leaf = find arc A in beach line bisected by e.p

modify beach line andremove unneeded circle events 5

detect new potential circle events

processCircle(e) 6

determine (left,right) neighboring arcs in beach line

remove unneeded circle events

record Voronoi vertex andVoroni edges

modify beach line to remove "middle" arc

detect new potential circle events to left andright

1

Priority queue orders events by descending y-coordinate

2

Sweep line is updated with each event removed

3

Remaining breakpoints in beach line determine final edges

4

Update beach line with each new point…

5

…which might remove potential circle events

6

Compute Voronoi point and update beach line state

Input/Output

The input is a set of two-dimensional points P in a plane.

Fortune Sweep computes a Voronoi diagram composed of n Voronoi polygons, each of which defines the region for one of the points in P. Mathematically, there may be partially infinite regions, but the algorithm eliminates these by computing the Voronoi diagram within a bounding box of suitable size to enclose all points in P. The output will be a set of line segments and Voronoi polygons, which are defined by edges in clockwise order around each point in P.

Some implementations assume that P does not contain four co-circular points that form a circle.

Some implementations assume that no two points share the same x- or y-coordinate. Doing so eliminates many of the special cases. This is easy to implement when the input set (x, y) contains integer coordinates:, simply add a random fractional number to each coordinate before invokingFortune Sweep.

Solution

The implementation is complicated because of the computations needed to maintain the beach line’s state; some of the special cases are omitted from the presentation here. The code repository contains functions that perform the geometric computations of intersecting parabolas. The classes that support this implementation are summarized in Figure 9-15.

Classes supporting the code

Figure 9-15. Classes supporting the code

The process method creates site events for each of the input points and processes each event one at a time by descending y coordinate (ties are broken by smaller x-coordinate).

Example 9-4. Voronoi Python implementation

from heapq import heappop, heappush

class Voronoi:

def process(self, points):

self.pq = []

self.tree = None

self.firstPoint = None # handle tie breakers with first point

for idx inrange(len(points)):

pt = Point(points[idx], idx)

self.points.append(pt)

event = Event(pt, site=True)

heappush(self.pq, event)

while self.pq:

event = heappop(self.pq)

if event.deleted:

continue

self.sweepPt = event.p

if event.site:

self.processSite(event)

else:

self.processCircle(event)

# complete edges that remain and stretch to infinity

if self.tree and notself.tree.isLeaf:

self.finishEdges(self.tree)

# Complete Voronoi Edges with partners.

for e inself.edges:

if e.partner:

e.start = e.partner.end

The implementation handles the special case when there is no unique topmost point with largest y coordinate value; it does so by storing the firstPoint detected within processSite. The true details of Fortune Sweep are contained within the processSite implementation shown inExample 9-5 and processCircle shown in Example 9-6.

Example 9-5. Voronoi process site event

def processSite(self, event):

if self.tree == None:

self.tree = Arc(event.p)

self.firstPoint = event.p

return

# Must handle special case when two points are at top-most y coordinate, in

# which case the root is a leaf node. Note that when sorting events, ties

# are broken by x coordinate, so the next point must be to the right

if self.tree.isLeaf andevent.y == self.tree.site.y:

left = self.tree

right = Arc(event.p)

start = Point(((self.firstPoint.x + event.p.x)/2, self.height))

edge = VoronoiEdge(start, self.firstPoint, event.p)

self.tree = Arc(edge = edge)

self.tree.setLeft(left)

self.tree.setRight(right)

self.edges.append(edge)

return

# If leaf had a circle event, it is no longer valid

# since it is being split

leaf = self.findArc(event.p.x)

if leaf.circleEvent:

leaf.circleEvent.deleted = True

# find point on parabola where event.pt.x bisects with vertical line,

start = leaf.pointOnBisectionLine(event.p.x, self.sweepPt.y)

# Potential Voronoi edges discovered between two sites

negRay = VoronoiEdge(start, leaf.site, event.p)

posRay = VoronoiEdge(start, event.p, leaf.site)

negRay.partner = posRay

self.edges.append(negRay)

# modify beach line with new interior nodes

leaf.edge = posRay

leaf.isLeaf = False

left = Arc()

left.edge = negRay

left.setLeft(Arc(leaf.site))

left.setRight(Arc(event.p))

leaf.setLeft(left)

leaf.setRight(Arc(leaf.site))

self.generateCircleEvent(left.left)

self.generateCircleEvent(leaf.right)

The processSite method modifies the beach line with each discovered site event to insert two additional interior nodes and two additional leaf nodes. The findArc method, in O(log n) time, locates the arc that must be modified by the newly discovered site event. In modifying the beach line, the algorithm computes two edges that will ultimately be in the final Voronoi diagram. These are attached with the breakpoint Arc nodes in the tree. Whenever the beach line state changes, the algorithm checks to the left and to the right to determine whether neighboring arcs form a potential circle event.

Example 9-6. Voronoi process circle event

def processCircle(self, event):

node = event.node

# Find neighbors on the left and right.

leftA = node.getLeftAncestor()

left = leftA.getLargestDescendant()

rightA = node.getRightAncestor()

right = rightA.getSmallestDescendant()

# remove old circle events if they exist

if left.circleEvent:

left.circleEvent.deleted = True

if right.circleEvent:

right.circleEvent.deleted = True

# Circle defined by left - node - right. Terminate Voronoi rays

p = node.pointOnBisectionLine(event.p.x, self.sweepPt.y)

leftA.edge.end = p

rightA.edge.end = p

# Update ancestor node in beach line to record new potential edges

t = node

ancestor = None

while t != self.tree:

t = t.parent

if t == leftA:

ancestor = leftA

elif t == rightA:

ancestor = rightA

ancestor.edge = VoronoiEdge(p, left.site, right.site)

self.edges.append(ancestor.edge)

# eliminate middle arc (leaf node) from beach line tree

node.remove()

# May find new neighbors after deletion so must check for circles

self.generateCircleEvent(left)

self.generateCircleEvent(right)

These code examples depend on helper methods that perform geometrical computations, including pointOnBisectionLine and the intersect line intersection method. These details are found in the code repository. Much of the difficulty in implementing Fortune Sweep lies in the proper implementation of these necessary geometric computations. One way to minimize the number of special cases is to assume that all coordinate values in the input (both x and y) are unique and that no four points are co-circular. Making these assumptions simplifies the computational processing, especially since you can ignore cases where the Voronoi diagram contains horizontal or vertical lines.

Example 9-7. Voronoi generate new circle event

def generateCircleEvent(self, node):

"""

With new node, there is possibility of a circle event with this node being the

middle of three consecutive nodes. If this is the case, then add new circle

event to the priority queue for further processing.

"""

# Find neighbors on the left and right, should they exist

leftA = node.getLeftAncestor()

if leftA isNone:

return

left = leftA.getLargestLeftDescendant()

# Find neighbor on the right.

rightA = node.getRightAncestor()

if rightA isNone:

return

right = rightA.getSmallestRightDescendant()

# sanity check. Must be different

if left.site == right.site:

return

# If two edges have no valid intersection, leave now

p = leftA.edge.intersect(rightA.edge)

if p isNone:

return

radius = ((p.x-left.site.x)**2 + (p.y-left.site.y)**2)**0.5

# make sure choose point at bottom of circumcircle

circleEvent = Event(Point((p.x, p.y-radius)))

if circleEvent.p.y >= self.sweepPt.y:

return

node.circleEvent = circleEvent

circleEvent.node = node

heappush(self.pq, circleEvent)

The final code example, generateCircleEvent, shown in Example 9-7, determine when three neighboring arcs on the beachline form a circle. If the lowest point of this circle is above the sweep line (that is, it would already have been processed) then it is ignored; otherwise, an event is added to the event queue to be processed in order. It may yet be eliminated if another site to be processed falls within the circle.

Analysis

The performance of Fortune Sweep is determined by the number of events inserted into the priority queue. At the start, the n points must be inserted. During processing, each new site can generate at most two additional arcs, thus the beach line is at most 2*n-1 arcs. By using a binary tree to store the beach line state, we can locate desired arc nodes in O(log n) time.

Modifying the leaf node in processSite requires a fixed number of operations, so it can be considered to complete in constant time. Similarly, removing an arc node within the processCircle method is also a constant time operation. The binary tree containing the line state is not guaranteed to be balanced, but adding this capability only increases the performance of insert and remove to O(log n). In addition, after rebalancing a binary tree, its previously existing leaf nodes remain leaf nodes in the rebalanced tree.

Thus, whether the algorithm is processing a site event or a circle event, the performance will be bounded by 2*n * log(n), which results in O(n log n) overall performance.

References

Andrew, “Another efficient algorithm for convex hulls in two dimensions”, Information Processing Letters, 9(5), (1979), pp. 216–219.

Aurenhammer, “Voronoi Diagrams: A Survey of a Fundamental Geometric Data Structure”, ACM Computing Surveys 23 (1991), pp. 345-405.