In Python, heaps are a powerful tool for efficiently managing a collection of elements where you frequently need quick access to the smallest (or largest) item.

The heapq module in Python provides an implementation of the heap queue algorithm, also known as the priority queue algorithm.

This guide will explain the basics of heaps and how to use the heapq module and provide some practical examples.


What is a Heap?

A heap is a special tree-based data structure that satisfies the heap property:

  • In a min-heap, for any given node I, the value of I is less than or equal to the values of its children. Thus, the smallest element is always at the root.
  • In a max-heap, the value of I is greater than or equal to the values of its children, making the largest element the root.

In Python, heapq implements a min-heap, meaning the smallest element is always at the root of the heap.


Excited to dive deeper into the world of Python programming? Look no further than my latest ebook, "Python Tricks - A Collection of Tips and Techniques".

Get the eBook

Inside, you'll discover a plethora of Python secrets that will guide you through a journey of learning how to write cleaner, faster, and more Pythonic code. Whether it's mastering data structures, understanding the nuances of object-oriented programming, or uncovering Python's hidden features, this ebook has something for everyone.

Why Use a Heap?

Heaps are particularly useful when you need:

  • Fast access to the minimum or maximum element: Accessing the smallest or largest item in a heap is O(1), meaning it is done in constant time.
  • Efficient insertion and deletion: Inserting an element into a heap or removing the smallest element takes O(log n) time, which is more efficient than operations on unsorted lists.

The heapq Module

The heapq module provides functions to perform heap operations on a regular Python list.

Here’s how you can use it:

Creating a Heap

To create a heap, you start with an empty list and use the heapq.heappush() function to add elements:

import heapq

heap = []
heapq.heappush(heap, 10)
heapq.heappush(heap, 5)
heapq.heappush(heap, 20)

After these operations, heap will be [5, 10, 20], with the smallest element at index 0.

Accessing the Smallest Element

The smallest element can be accessed without removing it by simply referencing heap[0]:

smallest = heap[0]
print(smallest)  # Output: 5

Popping the Smallest Element

To remove and return the smallest element, use heapq.heappop():

smallest = heapq.heappop(heap)
print(smallest)  # Output: 5
print(heap)  # Output: [10, 20]

After this operation, the heap automatically adjusts, and the next smallest element takes the root position.

Converting a List to a Heap

If you already have a list of elements, you can convert it into a heap using heapq.heapify():

Tagged in: