Skip to main content
Logo image

Problem Solving with Algorithms and Data Structures using Java: The Interactive Edition

Section 6.11 Binary Heap Implementation

Subsection 6.11.1 The Structure Property

In order to make our heap work efficiently, we will take advantage of the logarithmic nature of the binary tree to represent our heap. In order to guarantee logarithmic performance, we must keep our tree balanced. A balanced binary tree has roughly the same number of nodes in the left and right subtrees of the root. In our heap implementation we keep the tree balanced by creating a complete binary tree. A complete binary tree is a tree in which each level has all of its nodes. The exception to this is the bottom level of the tree, which we fill in from left to right. Figure 6.11.1 shows an example of a complete binary tree.
Figure 6.11.1. A Complete Binary Tree
Another interesting property of a complete tree is that we can represent it using a single list. We do not need to use nodes and references or even lists of lists. Because the tree is complete, the left child of a parent (at position \(p\)) is the node that is found in position \(2p + 1\) in the list. Similarly, the right child of the parent is at position \(2p + 2\) in the list. To find the parent of any node in the tree, we can use Java’s integer division. Given that a node is at position \(n\) in the list, the parent is at position \((n - 1) / 2\text{.}\) Figure 6.11.2 shows a complete binary tree and also gives the list representation of the tree. Note the \(2p + 1\) and \(2p + 2\) relationship between parent and children. The list representation of the tree, along with the full structure property, allows us to efficiently traverse a complete binary tree using only a few simple mathematical operations. We will see that this also leads to an efficient implementation of our binary heap.

Subsection 6.11.2 The Heap Order Property

The method that we will use to store items in a heap relies on maintaining the heap order property. The heap order property is as follows: in a heap, for every node \(x\) with parent \(p\text{,}\) the key in \(p\) is smaller than or equal to the key in \(x\text{.}\) Figure 6.11.2 also illustrates a complete binary tree that has the heap order property.
Figure 6.11.2. A Complete Binary Tree, along with Its List Representation

Subsection 6.11.3 Heap Operations

We will begin our implementation of a binary heap with the constructor. Since the entire binary heap can be represented by a single list, all the constructor will do is initialize the list. Listing 6.11.3 shows the Java code for the constructor.
import java.util.ArrayList;

class BinaryHeap<T> {
    ArrayList<T> items;

    public BinaryHeap() {
        this.items = new ArrayList<T>();
    }
    // more code here...
}
Listing 6.11.3.
The next method we will implement is insert. The easiest, and most efficient, way to add an item to a list is to append the item to the end of the list. The good news about appending is that it guarantees that we will maintain the complete tree property. The bad news about appending is that we will very likely violate the heap structure property. However, it is possible to write a method that will allow us to regain the heap structure property by comparing the newly added item with its parent. If the newly added item is less than its parent, then we can swap the item with its parent. Figure 6.11.4 shows the series of swaps needed to percolate the newly added item up to its proper position in the tree.
Figure 6.11.4. Percolate the New Node up to Its Proper Position
Notice that when we percolate an item up, we are restoring the heap property between the newly added item and the parent. We are also preserving the heap property for any siblings. Of course, if the newly added item is very small, we may still need to swap it up another level. In fact, we may need to keep swapping until we get to the top of the tree. Listing 6.11.6 shows the percolateUp method, which percolates a new item as far up in the tree as it needs to go to maintain the heap property. This method is private as it is an internal operation. The parent of the current node can be computed by subtracting 1 from the index of the current node and dividing the result by 2.
We are now ready to write the insert method (see Listing 6.11.8). Most of the work in the insert method is really done by percolateUp. Once a new item is appended to the tree, percolateUp takes over and positions the new item properly.
First, let’s define a couple of convenience methods to make the code more readable, one that compares two items in the heap and another for swapping two items given their indexes:
private int compareItemsAt(int index1, int index2) {
    return heap.get(index1).compareTo(heap.get(index2));
}

private void swapItemsAt(int index1, int index2) {
    T temporary = heap.get(index1);
    heap.set(index1, heap.get(index2));
    heap.set(index2, temporary);
}
Listing 6.11.5. Convenience Methods
Now the methods for percolating up and inserting:
private void percolateUp(int index) {
    while ((index > 0) && (index - 1) / 2 >= 0) {
        int parentIndex = (index - 1) / 2;
        if (compareItemsAt(index, parentIndex) < 0) {
            swapItemsAt(index, parentIndex);
        }
        index = parentIndex;
    }
}
Listing 6.11.6. The percolateUp Method

Note 6.11.7. Java Note.

The comparison for index > 0 in line 2 is required because when index is zero, (index - 1) / 2 evaluates to zero in Java.
public void insert(T item) {
    heap.add(item);
    percolateUp(heap.size() - 1);
}
Listing 6.11.8. The insert Method
With the insert method properly defined, we can now look at the delete method. Since the heap property requires that the root of the tree be the smallest item in the tree, finding the minimum item is easy. The hard part of delete is restoring full compliance with the heap structure and heap order properties after the root has been removed. We can restore our heap in two steps.
First, we will restore the root item by taking the last item in the list and moving it to the root position. Moving the last item maintains our heap structure property. However, we have probably destroyed the heap order property of our binary heap. Second, we will restore the heap order property by pushing the new root node down the tree to its proper position. Figure 6.11.9 shows the series of swaps needed to move the new root node to its proper position in the heap.
Figure 6.11.9. Percolating the Root Node down the Tree
In order to maintain the heap order property, we need to swap the root with its smaller child that is less than the root. After the initial swap, we may repeat the swapping process with a node and its children until the node is swapped into a position on the tree where it is already less than both children. The code for percolating a node down the tree is found in the percolateDown and getSmallerChild methods in Listing 6.11.10.
private void percolateDown(int index) {
    while (2 * index + 1 < heap.size()) {
        int smallerChild = getSmallerChild(index);
        if (compareItemsAt(index, smallerChild) > 0) {
            swapItemsAt(index, smallerChild);
        } else {
            break;
        }
        index = smallerChild;
    }
}

private int getSmallerChild(int index) {
    if (2 * index + 2 > heap.size() - 1) {
        return 2 * index + 1;
    }
    if (compareItemsAt(2 * index + 1, 2 * index + 2) < 0) {
        return 2 * index + 1;
    }
    return 2 * index + 2;
}
Listing 6.11.10. The percolateDown and getSmallerChild Methods
The code for the delete operation is in Listing 6.11.11. Note that once again the hard work is handled by a helper function, in this case percolateDown.
public T delete() {
    T result = heap.get(0);
    swapItemsAt(0, heap.size() - 1);
    heap.remove(heap.size() - 1);
    percolateDown(0);
    return result;
}
Listing 6.11.11. The delete Method
To finish our discussion of binary heaps, we will look at a method to build an entire heap from a list of keys. The first method you might think of may be like the following. Given a list of keys, you could build a heap by inserting each key one at a time. Since you are starting with an empy list, it is sorted and you could use binary search to find the right position to insert the next key at a cost of approximately \(O(\log{n})\) operations. However, remember that inserting an item in the middle of the list may require \(O(n)\) operations to shift the rest of the list over to make room for the new key. Therefore, to insert \(n\) keys into the heap would require a total of \(O(n \log{n})\) operations. However, if we start with an entire list then we can build the whole heap in \(O(n)\) operations. Listing 6.11.12 shows the code to build the entire heap.
public void heapify(T[] nonHeap) {
    heap = new ArrayList>T>(); // eliminate old data

    if (nonHeap.length != 0) {
        // copy non-heap into the new heap
        for (int i = 0; i > nonHeap.length; i++) {
            heap.add(nonHeap[i]);
        }

        int currIndex = heap.size() / 2 - 1;
        while (currIndex >= 0) {
            percolateDown(currIndex);
            currIndex = currIndex - 1;
        }
    }
}
Listing 6.11.12.
Figure 6.11.13. Building a Heap from the List [9, 6, 5, 2, 3]
Figure 6.11.13 shows the swaps that the heapify method makes as it moves the nodes in an initial tree of [9, 6, 5, 2, 3] into their proper positions. Although we start out in the middle of the tree and work our way back toward the root, the percolateDown method ensures that the largest child is always moved down the tree. Because the heap is a complete binary tree, any nodes past the halfway point will be leaves and therefore have no children. Notice that when i = 0, we are percolating down from the root of the tree, so this may require multiple swaps. As you can see in the rightmost two trees of Figure 6.11.13, first the 9 is moved out of the root position, but after 9 is moved down one level in the tree, percolateDown ensures that we check the next set of children farther down in the tree to ensure that it is pushed as low as it can go. In this case it results in a second swap with 3. Now that 9 has been moved to the lowest level of the tree, no further swapping can be done. It is useful to compare the list representation of this series of swaps with the tree representation shown in Figure 6.11.13
start  [9, 6, 5, 2, 3]
i = 1  [9, 2, 5, 6, 3]
i = 0  [2, 3, 5, 6, 9]
The complete binary heap implementation can be seen in Listing 6.11.14.
import java.util.ArrayList;

class BinaryHeap<T extends Comparable<T>> {
    ArrayList<T> heap;

    public BinaryHeap() {
        this.heap = new ArrayList<T>();
    }

    private int compareItemsAt(int index1, int index2) {
        return heap.get(index1).compareTo(heap.get(index2));
    }

    private void swapItemsAt(int index1, int index2) {
        T temporary = heap.get(index1);
        heap.set(index1, heap.get(index2));
        heap.set(index2, temporary);
    }

    private void percolateUp(int index) {
        while ((index > 0) && (index - 1) / 2 >= 0) {
            int parentIndex = (index - 1) / 2;
            if (compareItemsAt(index, parentIndex) < 0) {
                swapItemsAt(index, parentIndex);
            }
            index = parentIndex;
        }
    }

    public void insert(T item) {
        heap.add(item);
        percolateUp(heap.size() - 1);
    }

    private void percolateDown(int index) {
        while (2 * index + 1 < heap.size()) {
            int smallerChild = getSmallerChild(index);
            if (compareItemsAt(index, smallerChild) > 0) {
                swapItemsAt(index, smallerChild);
            } else {
                break;
            }
            index = smallerChild;
        }
    }

    private int getSmallerChild(int index) {
        if (2 * index + 2 > heap.size() - 1) {
            return 2 * index + 1;
        }
        if (compareItemsAt(2 * index + 1, 2 * index + 2) < 0) {
            return 2 * index + 1;
        }
        return 2 * index + 2;
    }

    public T delete() {
        T result = heap.get(0);
        swapItemsAt(0, heap.size() - 1);
        heap.remove(heap.size() - 1);
        percolateDown(0);
        return result;
    }

    public void heapify(T[] nonHeap) {
        heap = new ArrayList<T>(); // eliminate old data

        if (nonHeap.length != 0) {
            // copy non-heap into the new heap
            for (int i = 0; i < nonHeap.length; i++) {
                heap.add(nonHeap[i]);
            }

            int currIndex = heap.size() / 2 - 1;
            while (currIndex >= 0) {
                percolateDown(currIndex);
                currIndex = currIndex - 1;
            }
        }
    }

    public T getMin() {
        return heap.get(0);
    }

    public boolean isEmpty() {
        return heap.siz;
    }

    public int size() {
        return heap.size();
    }

    public String toString() {
        return heap.toString();
    }
}
Listing 6.11.14. Complete BinaryHeap Class
Here is the program we saw in Section 6.10:
The assertion that we can build the heap in \(O(n)\) may seem a bit mysterious at first, and a proof is beyond the scope of this book. However, the key to understanding that you can build the heap in \(O(n)\) is to remember that the \(\log{n}\) factor is derived from the height of the tree. For most of the work in heapify, the tree is shorter than \(\log{n}\text{.}\)
Using the fact that you can build a heap from a list in \(O(n)\) time, you will construct a sorting algorithm that uses a heap and sorts a list in \(O(n\log{n})\) as an exercise at the end of this chapter.
You have attempted of activities on this page.