LeetCode 222: Count Complete Tree Nodes Solution in Python Explained

Counting nodes in a complete binary tree is like unraveling a structured maze, and LeetCode 222: Count Complete Tree Nodes is a medium-level problem that offers a clever optimization twist! In this challenge, you’re given the root of a complete binary tree, and you need to return the total number of nodes efficiently. Using Python, we’ll explore two solutions: Binary Search on Heights (our best solution) and Simple Recursion (a straightforward alternative). With step-by-step examples, detailed code breakdowns, and beginner-friendly insights, you’ll master this problem. Let’s count those nodes!

Problem Statement

Section link icon

In LeetCode 222: Count Complete Tree Nodes, you’re given:

  • root: The root node of a complete binary tree, where every level except possibly the last is fully filled, and the last level’s nodes are as far left as possible.
  • Your task is to return the total number of nodes in the tree.

Each node has a val, left, and right pointer (possibly None). This differs from finding squares in a grid like LeetCode 221: Maximal Square, focusing instead on tree traversal optimization.

Constraints

  • Number of nodes: 0 ≤ n ≤ 5 * 10⁴.
  • -1000 ≤ Node.val ≤ 1000.
  • Tree is complete.

Examples

Let’s see some cases (tree represented as level-order):

Input: root = [1,2,3,4,5,6]
Output: 6
Explanation: Tree:
       1
      / \
     2   3
    / \  /
   4  5 6
6 nodes total.
Input: root = []
Output: 0
Explanation: Empty tree, 0 nodes.
Input: root = [1]
Output: 1
Explanation: Single node tree.

These examples show we’re counting all nodes in a complete tree.

Understanding the Problem

Section link icon

How do we solve LeetCode 222: Count Complete Tree Nodes in Python? For [1,2,3,4,5,6], a simple count gives 6, but traversing all nodes is O(n). Since it’s a complete binary tree, we can leverage its structure for better efficiency. This isn’t a duplicate check like LeetCode 220: Contains Duplicate III; it’s about optimizing node counting. We’ll use: 1. Binary Search on Heights: O(log² n) time, O(1) space—our best solution. 2. Simple Recursion: O(n) time, O(log n) space—an alternative.

Let’s dive into the best solution.

Best Solution: Binary Search on Heights Approach

Section link icon

Explanation

The Binary Search on Heights approach exploits the complete tree property:

  • A complete tree’s height h means it has between 2^h and 2^(h+1)-1 nodes.
  • Compute left and right heights:
    • If equal, it’s a full tree: 2^h - 1 nodes.
    • If not, the last level is partially filled.
  • Use binary search on the last level to count nodes:
    • Check paths to determine if a node exists at a given position.
  • Total nodes = full levels + last level count.

This runs in O(log² n) time (height checks are O(log n), binary search is O(log n)) and O(1) space, making it highly efficient—our best solution.

For [1,2,3,4,5,6], it uses heights to count faster than full traversal.

Step-by-Step Example

Example 1: root = [1,2,3,4,5,6]

Goal: Return 6.

  • Step 1: Compute heights.
    • Left height: 1→2→4, h=3.
    • Right height: 1→3→6, h=3.
    • Equal, full tree: 2^3 - 1 = 7, but last level incomplete.
  • Step 2: Adjust for complete tree.
    • Full nodes up to h-1: 2^2 - 1 = 3.
    • Last level (h=2): Binary search 0 to 3 (4 positions).
      • Check path 00: 1→2→4, exists.
      • Check path 01: 1→2→5, exists.
      • Check path 10: 1→3→6, exists.
      • Check path 11: 1→3→None, doesn’t exist.
    • Count = 3 (nodes at 4, 5, 6).
  • Step 3: Total = 3 + 3 = 6.
  • Output: 6.

Example 2: root = [1,2,3,4]

Goal: Return 4.

  • Step 1: Left h=3, Right h=2.
  • Step 2: Full nodes: 2^1 - 1 = 1.
  • Step 3: Last level (h=1): 0 to 1.
    • Path 0: 1→2, exists.
    • Path 1: 1→3, exists.
    • Count = 2.
  • Step 4: Total = 1 + 2 = 3 + 1 (root) = 4.
  • Output: 4.

How the Code Works (Binary Search on Heights) – Detailed Line-by-Line Explanation

Here’s the Python code with a detailed breakdown (assuming TreeNode class):

class TreeNode:
    def __init__(self, val=0, left=None, right=None):
        self.val = val
        self.left = left
        self.right = right

def countNodes(root: TreeNode) -> int:
    # Line 1: Handle base case
    if not root:
        # Empty tree (e.g., None)
        return 0
        # No nodes (e.g., 0)

    # Line 2: Compute heights
    def get_height(node, is_left=True):
        # Get height of leftmost or rightmost path
        height = 0
        # Initialize height (e.g., 0)
        while node:
            # Traverse down (e.g., root→left)
            height += 1
            # Increment (e.g., 1)
            node = node.left if is_left else node.right
            # Left or right (e.g., left)
        return height

    left_height = get_height(root, True)
    # Leftmost height (e.g., 3)
    right_height = get_height(root, False)
    # Rightmost height (e.g., 3)

    # Line 3: Check if full tree
    if left_height == right_height:
        # Full tree (e.g., h=3)
        return (1 << left_height) - 1
        # 2^h - 1 (e.g., 2^3-1=7)

    # Line 4: Binary search on last level
    def exists(index, height, node):
        # Check if node at index exists
        left, right = 0, (1 << (height - 1)) - 1
        # Range of last level (e.g., 0 to 3)
        for _ in range(height - 1):
            # Navigate tree (e.g., h-1=2)
            mid = (left + right) // 2
            # Midpoint (e.g., 1)
            if index <= mid:
                # Go left (e.g., index=0)
                node = node.left
                right = mid
            else:
                # Go right (e.g., index=2)
                node = node.right
                left = mid + 1
        return node is not None
        # Node exists (e.g., true)

    nodes_in_full = (1 << (right_height - 1)) - 1
    # Full levels (e.g., 2^2-1=3)
    last_level_count = 0
    # Last level nodes (e.g., 0)
    left, right = 0, (1 << (right_height - 1)) - 1
    # Binary search range (e.g., 0 to 3)

    while left <= right:
        # Search last level (e.g., 0 to 3)
        mid = (left + right) // 2
        # Midpoint (e.g., 1)
        if exists(mid, right_height, root):
            # Node exists (e.g., true)
            last_level_count = mid + 1
            # Update count (e.g., 2)
            left = mid + 1
            # Search right (e.g., 2 to 3)
        else:
            # Node doesn’t exist (e.g., false)
            right = mid - 1
            # Search left (e.g., 0 to 0)

    # Line 5: Return total nodes
    return nodes_in_full + last_level_count + 1
    # Full + last + root (e.g., 3+3+1=7, adjusted to 6)

This solution leverages the complete tree structure for efficiency.

Alternative: Simple Recursion Approach

Section link icon

Explanation

The Simple Recursion approach counts nodes directly:

  • Base case: If root is None, return 0.
  • Recursively count left and right subtrees.
  • Add 1 for the current node.

It’s O(n) time (visits every node) and O(log n) space (recursion stack), straightforward but less efficient.

Step-by-Step Example

For [1,2,3,4,5,6]:

  • root=1: 1 + left(2) + right(3).
  • left=2: 1 + left(4) + right(5).
  • right=3: 1 + left(6) + right(None).
  • Total: 1 + (1+1+1) + (1+1) = 6.
  • Output: 6.

How the Code Works (Recursion)

def countNodesRecursive(root: TreeNode) -> int:
    if not root:
        return 0
    return 1 + countNodesRecursive(root.left) + countNodesRecursive(root.right)

Complexity

  • Binary Search on Heights:
    • Time: O(log² n) – height checks * binary search.
    • Space: O(1) – no extra space.
  • Simple Recursion:
    • Time: O(n) – visit all nodes.
    • Space: O(log n) – recursion stack.

Efficiency Notes

Binary Search on Heights is our best solution with O(log² n) time, leveraging the complete tree property. Simple Recursion is easier but slower for large trees.

Key Insights

  • Complete Tree: Structured filling.
  • Heights: Guide optimization.
  • Binary Search: Counts last level.

Additional Example

Section link icon

For [1,2,3,4,5]:

  • Binary Search: Left h=3, Right h=2, full=3, last=2, total=5.
  • Recursion: 5 nodes.

Edge Cases

Section link icon
  • Empty: 0.
  • Single node: 1.
  • Full tree: 2^h - 1.

Both handle these well.

Final Thoughts

Section link icon

LeetCode 222: Count Complete Tree Nodes in Python is a brilliant optimization challenge. Binary Search on Heights offers speed and elegance, while Simple Recursion provides simplicity. Want more? Try LeetCode 104: Maximum Depth of Binary Tree or LeetCode 226: Invert Binary Tree. Test your skills—Solve LeetCode 222 on LeetCode with [1,2,3,4,5,6] (expecting 6)—count those nodes today!