662. Maximum Width of Binary Tree
Problem Description
You are given the root of a binary tree. Your task is to find the maximum width of the tree.
The width of a tree level is measured as the distance between the leftmost and rightmost non-null nodes at that level, plus 1. When calculating this distance, you must also count any null nodes that would exist between these endpoints if the tree were a complete binary tree at that level.
The maximum width is the largest width value among all levels in the tree.
For example, consider a tree where level 3 has nodes at positions that would be indices 2 and 7 in a complete binary tree. The width would be 7 - 2 + 1 = 6, even if there are null nodes in positions 3, 4, 5, and 6.
The solution uses a level-order traversal (BFS) approach with a queue. Each node is paired with its position index as if it were in a complete binary tree:
- The root starts at position 1
- For any node at position i, its left child is at position2*i(achieved byi << 1)
- Its right child is at position 2*i + 1(achieved byi << 1 | 1)
During the traversal, for each level, the width is calculated as rightmost_position - leftmost_position + 1. The algorithm keeps track of the maximum width seen across all levels and returns it as the final answer.
The answer is guaranteed to fit within a 32-bit signed integer.
Flowchart Walkthrough
First, let's pin down the algorithm using the Flowchart. Here's a step-by-step walkthrough:
Is it a graph?
- Yes: A binary tree is a special type of graph where each node has at most two children and there are no cycles.
Is it a tree?
- Yes: The problem explicitly states we're working with a binary tree structure.
DFS
- Following the flowchart, when we have a tree structure, the natural conclusion is to use DFS (Depth-First Search).
Conclusion: The flowchart suggests using a DFS approach for this binary tree problem.
However, it's worth noting that while the flowchart leads us to DFS, the actual solution provided uses BFS (Breadth-First Search) with a queue. This is because the problem requires us to process the tree level by level to calculate the width at each level. BFS is more natural for level-order traversal since it processes all nodes at the same depth before moving to the next level.
The DFS pattern could also solve this problem by tracking the leftmost and rightmost positions at each depth using recursion, but BFS provides a more straightforward implementation for this particular width calculation problem where we need to examine nodes level by level.
Intuition
The key insight is to treat the binary tree as if it were a complete binary tree and assign position indices to each node. Think of it like numbering seats in a theater where every row has twice as many seats as the previous row, even if some seats are empty.
When we number nodes in a complete binary tree starting from 1 at the root:
- Every left child gets position 2 * parent_position
- Every right child gets position 2 * parent_position + 1
This numbering system naturally captures the "distance" between nodes. If we have two nodes at the same level with positions i and j, the width between them is j - i + 1, which accounts for all positions (including empty ones) between them.
Why does this work? Consider two nodes at the same level - one far to the left and one far to the right. Their position numbers will reflect how many "empty spots" exist between them because each missing node still increments the position counter in our numbering scheme.
For example, if at level 3 we only have nodes at what would be positions 2 and 7 in a complete tree, we know there are 5 positions between them (positions 3, 4, 5, 6 are empty), giving us a width of 7 - 2 + 1 = 6.
We need to examine every level to find which one has the maximum width. BFS is perfect for this because it naturally processes nodes level by level. At each level, we can easily identify the leftmost position (first in queue) and rightmost position (last in queue) to calculate that level's width.
The bit manipulation (i << 1 for 2*i and i << 1 | 1 for 2*i + 1) is just an efficient way to compute the child positions, but the core idea remains the same: we're simulating position indices in a complete binary tree to measure distances.
Learn more about Tree, Depth-First Search, Breadth-First Search and Binary Tree patterns.
Solution Approach
The solution implements a level-order traversal (BFS) using a queue to track nodes along with their position indices.
Data Structure Setup:
- We use a deque (double-ended queue) to store pairs: (node, position_index)
- Initialize the queue with the root node at position 1: q = deque([(root, 1)])
- Track the maximum width seen so far in variable ans
Algorithm Steps:
- 
Process each level: While the queue is not empty, we process all nodes at the current level. 
- 
Calculate width for current level: Before processing nodes, calculate the width using the positions of the first and last nodes in the queue: ans = max(ans, q[-1][1] - q[0][1] + 1)- q[0][1]gives the position of the leftmost node
- q[-1][1]gives the position of the rightmost node
- The width is rightmost - leftmost + 1
 
- 
Process all nodes at current level: Use a for loop with range(len(q))to ensure we only process nodes from the current level:for _ in range(len(q)): root, i = q.popleft()
- 
Add children with calculated positions: For each node, add its children to the queue with their computed positions: - Left child position: i << 1(equivalent to2 * i)
- Right child position: i << 1 | 1(equivalent to2 * i + 1)
 if root.left: q.append((root.left, i << 1)) if root.right: q.append((root.right, i << 1 | 1))
- Left child position: 
- 
Return result: After processing all levels, return the maximum width found. 
Why this works:
- By assigning positions as if nodes were in a complete binary tree, we preserve the spatial relationship between nodes
- The BFS ensures we process complete levels before moving to the next
- The position difference accurately captures the width including null nodes between the endpoints
- Using bit operations (<<and|) provides efficient position calculations
The time complexity is O(n) where n is the number of nodes, as we visit each node once. The space complexity is O(w) where w is the maximum width of the tree (the maximum number of nodes in any level).
Ready to land your dream job?
Unlock your dream job with a 5-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's walk through a small example to illustrate the solution approach.
Consider this binary tree:
1 / \ 3 2 / \ 5 9 / \ 6 7
Initial Setup:
- Queue: [(node_1, 1)]
- Maximum width: 0
Level 1 (Root):
- Queue has 1 element: [(node_1, 1)]
- Width calculation: 1 - 1 + 1 = 1
- Update max width to 1
- Process node_1 at position 1:
- Add left child (node_3) at position 1 << 1 = 2
- Add right child (node_2) at position 1 << 1 | 1 = 3
 
- Add left child (node_3) at position 
- Queue after level: [(node_3, 2), (node_2, 3)]
Level 2:
- Queue has 2 elements: [(node_3, 2), (node_2, 3)]
- Width calculation: 3 - 2 + 1 = 2
- Update max width to 2
- Process node_3 at position 2:
- Add left child (node_5) at position 2 << 1 = 4
- No right child
 
- Add left child (node_5) at position 
- Process node_2 at position 3:
- No left child
- Add right child (node_9) at position 3 << 1 | 1 = 7
 
- Queue after level: [(node_5, 4), (node_9, 7)]
Level 3:
- Queue has 2 elements: [(node_5, 4), (node_9, 7)]
- Width calculation: 7 - 4 + 1 = 4
- Update max width to 4
- Note: Even though we only have 2 actual nodes, the width is 4 because positions 5 and 6 would exist between them in a complete tree
- Process node_5 at position 4:
- Add left child (node_6) at position 4 << 1 = 8
- No right child
 
- Add left child (node_6) at position 
- Process node_9 at position 7:
- No left child
- Add right child (node_7) at position 7 << 1 | 1 = 15
 
- Queue after level: [(node_6, 8), (node_7, 15)]
Level 4:
- Queue has 2 elements: [(node_6, 8), (node_7, 15)]
- Width calculation: 15 - 8 + 1 = 8
- Update max width to 8
- Process both nodes (they have no children)
- Queue becomes empty
Result: The maximum width is 8 (found at level 4).
The key insight is how position indices capture the "spread" of nodes. At level 4, node_6 is at position 8 (far left subtree) and node_7 is at position 15 (far right subtree). The width of 8 accounts for all the missing nodes that would exist between them in a complete binary tree.
Solution Implementation
1# Definition for a binary tree node.
2# class TreeNode:
3#     def __init__(self, val=0, left=None, right=None):
4#         self.val = val
5#         self.left = left
6#         self.right = right
7
8from collections import deque
9from typing import Optional
10
11class Solution:
12    def widthOfBinaryTree(self, root: Optional[TreeNode]) -> int:
13        """
14        Calculate the maximum width of a binary tree.
15        Width is defined as the number of nodes between the leftmost and rightmost
16        nodes at the same level (including null nodes in between).
17      
18        Args:
19            root: The root node of the binary tree
20          
21        Returns:
22            The maximum width of the tree
23        """
24        max_width = 0
25        # Queue stores tuples of (node, position_index)
26        # Position index uses binary heap indexing: root=1, left_child=2*i, right_child=2*i+1
27        queue = deque([(root, 1)])
28      
29        while queue:
30            # Calculate width of current level
31            # Width = rightmost_position - leftmost_position + 1
32            current_level_width = queue[-1][1] - queue[0][1] + 1
33            max_width = max(max_width, current_level_width)
34          
35            # Process all nodes at current level
36            level_size = len(queue)
37            for _ in range(level_size):
38                node, position = queue.popleft()
39              
40                # Add left child with position 2*i
41                if node.left:
42                    queue.append((node.left, position << 1))
43              
44                # Add right child with position 2*i+1
45                if node.right:
46                    queue.append((node.right, (position << 1) | 1))
47      
48        return max_width
491/**
2 * Definition for a binary tree node.
3 * public class TreeNode {
4 *     int val;
5 *     TreeNode left;
6 *     TreeNode right;
7 *     TreeNode() {}
8 *     TreeNode(int val) { this.val = val; }
9 *     TreeNode(int val, TreeNode left, TreeNode right) {
10 *         this.val = val;
11 *         this.left = left;
12 *         this.right = right;
13 *     }
14 * }
15 */
16class Solution {
17    public int widthOfBinaryTree(TreeNode root) {
18        // Queue to store pairs of (node, position index)
19        // Using position indexing: root=1, left child=2*i, right child=2*i+1
20        Deque<Pair<TreeNode, Integer>> queue = new ArrayDeque<>();
21        queue.offer(new Pair<>(root, 1));
22      
23        int maxWidth = 0;
24      
25        // Level-order traversal (BFS)
26        while (!queue.isEmpty()) {
27            // Calculate width of current level
28            // Width = rightmost position - leftmost position + 1
29            int currentLevelWidth = queue.peekLast().getValue() - queue.peekFirst().getValue() + 1;
30            maxWidth = Math.max(maxWidth, currentLevelWidth);
31          
32            // Process all nodes in current level
33            int levelSize = queue.size();
34            for (int i = 0; i < levelSize; i++) {
35                Pair<TreeNode, Integer> currentPair = queue.pollFirst();
36                TreeNode currentNode = currentPair.getKey();
37                int currentPosition = currentPair.getValue();
38              
39                // Add left child with position = 2 * parent_position
40                if (currentNode.left != null) {
41                    queue.offer(new Pair<>(currentNode.left, currentPosition * 2));
42                }
43              
44                // Add right child with position = 2 * parent_position + 1
45                if (currentNode.right != null) {
46                    queue.offer(new Pair<>(currentNode.right, currentPosition * 2 + 1));
47                }
48            }
49        }
50      
51        return maxWidth;
52    }
53}
541/**
2 * Definition for a binary tree node.
3 * struct TreeNode {
4 *     int val;
5 *     TreeNode *left;
6 *     TreeNode *right;
7 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
8 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
9 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
10 * };
11 */
12class Solution {
13public:
14    int widthOfBinaryTree(TreeNode* root) {
15        // Queue stores pairs of (node, position index)
16        // Position indexing: root = 1, left child = 2*parent, right child = 2*parent + 1
17        queue<pair<TreeNode*, int>> nodeQueue;
18        nodeQueue.push({root, 1});
19      
20        int maxWidth = 0;
21      
22        // Level-order traversal to find maximum width
23        while (!nodeQueue.empty()) {
24            // Calculate width of current level
25            // Width = rightmost position - leftmost position + 1
26            int currentLevelWidth = nodeQueue.back().second - nodeQueue.front().second + 1;
27            maxWidth = max(maxWidth, currentLevelWidth);
28          
29            // Store the leftmost position of current level for normalization
30            int leftmostPosition = nodeQueue.front().second;
31          
32            // Process all nodes in current level
33            int levelSize = nodeQueue.size();
34            for (int i = 0; i < levelSize; ++i) {
35                auto [currentNode, currentPosition] = nodeQueue.front();
36                nodeQueue.pop();
37              
38                // Add left child with normalized position to prevent overflow
39                // Normalization: subtract (leftmostPosition * 2) to keep indices smaller
40                if (currentNode->left) {
41                    int leftChildPosition = (currentPosition << 1) - (leftmostPosition << 1);
42                    nodeQueue.push({currentNode->left, leftChildPosition});
43                }
44              
45                // Add right child with normalized position to prevent overflow
46                // Using bitwise OR with 1 is equivalent to (2 * currentPosition + 1)
47                if (currentNode->right) {
48                    int rightChildPosition = ((currentPosition << 1) | 1) - (leftmostPosition << 1);
49                    nodeQueue.push({currentNode->right, rightChildPosition});
50                }
51            }
52        }
53      
54        return maxWidth;
55    }
56};
571/**
2 * Definition for a binary tree node.
3 */
4class TreeNode {
5    val: number;
6    left: TreeNode | null;
7    right: TreeNode | null;
8    constructor(val?: number, left?: TreeNode | null, right?: TreeNode | null) {
9        this.val = (val === undefined ? 0 : val);
10        this.left = (left === undefined ? null : left);
11        this.right = (right === undefined ? null : right);
12    }
13}
14
15/**
16 * Calculates the maximum width of a binary tree
17 * Width is defined as the maximum number of nodes between the leftmost and rightmost nodes at any level,
18 * including null nodes between them
19 * @param root - The root node of the binary tree
20 * @returns The maximum width of the tree
21 */
22function widthOfBinaryTree(root: TreeNode | null): number {
23    // Handle edge case of empty tree
24    if (!root) {
25        return 0;
26    }
27  
28    // Queue stores tuples of [node, position index]
29    // Position indexing scheme: root = 1, left child = 2*parent, right child = 2*parent + 1
30    const nodeQueue: Array<[TreeNode, number]> = [];
31    nodeQueue.push([root, 1]);
32  
33    let maxWidth = 0;
34  
35    // Perform level-order traversal to find maximum width across all levels
36    while (nodeQueue.length > 0) {
37        // Calculate width of current level
38        // Width = rightmost position - leftmost position + 1
39        const currentLevelWidth = nodeQueue[nodeQueue.length - 1][1] - nodeQueue[0][1] + 1;
40        maxWidth = Math.max(maxWidth, currentLevelWidth);
41      
42        // Store the leftmost position of current level for normalization
43        // This prevents integer overflow for deep trees
44        const leftmostPosition = nodeQueue[0][1];
45      
46        // Process all nodes in the current level
47        const levelSize = nodeQueue.length;
48        for (let i = 0; i < levelSize; i++) {
49            const [currentNode, currentPosition] = nodeQueue.shift()!;
50          
51            // Add left child with normalized position to prevent overflow
52            // Normalization: subtract (leftmostPosition * 2) to keep indices manageable
53            if (currentNode.left) {
54                const leftChildPosition = (currentPosition * 2) - (leftmostPosition * 2);
55                nodeQueue.push([currentNode.left, leftChildPosition]);
56            }
57          
58            // Add right child with normalized position to prevent overflow
59            // Right child position = 2 * parent position + 1
60            if (currentNode.right) {
61                const rightChildPosition = (currentPosition * 2 + 1) - (leftmostPosition * 2);
62                nodeQueue.push([currentNode.right, rightChildPosition]);
63            }
64        }
65    }
66  
67    return maxWidth;
68}
69Time and Space Complexity
Time Complexity: O(n) where n is the number of nodes in the binary tree. The algorithm uses BFS (Breadth-First Search) to traverse the tree level by level. Each node is visited exactly once - we add it to the queue once and remove it once. The operations inside the loop (max comparison, append, popleft) are all O(1) operations. Therefore, the overall time complexity is linear with respect to the number of nodes.
Space Complexity: O(w) where w is the maximum width of the tree. The space complexity is determined by the queue that stores nodes at each level. In the worst case, the queue will contain all nodes at the widest level of the tree. For a complete binary tree, this could be up to n/2 nodes at the last level, making it O(n) in the worst case. However, more precisely, the space complexity is bounded by the maximum number of nodes that can exist at any single level, which is the width of the tree.
Learn more about how to find time and space complexity quickly.
Common Pitfalls
1. Integer Overflow with Position Indices
The most critical pitfall in this solution is integer overflow when dealing with deep or skewed trees. As we traverse deeper levels, the position indices grow exponentially (doubling at each level). For a skewed tree of depth d, the position index can reach 2^d, which quickly exceeds integer limits.
Example scenario:
- A left-skewed tree with 100 levels would have the rightmost node at position 2^100
- This far exceeds even 64-bit integer limits
Solution - Position Normalization: Normalize positions at each level by subtracting the leftmost position from all positions in that level. This keeps the relative distances the same while preventing overflow:
def widthOfBinaryTree(self, root: Optional[TreeNode]) -> int:
    max_width = 0
    queue = deque([(root, 0)])  # Start with position 0
  
    while queue:
        # Calculate width before normalization
        current_level_width = queue[-1][1] - queue[0][1] + 1
        max_width = max(max_width, current_level_width)
      
        # Get the leftmost position for normalization
        left_most = queue[0][1]
      
        level_size = len(queue)
        for _ in range(level_size):
            node, position = queue.popleft()
          
            # Normalize position relative to leftmost node
            normalized_pos = position - left_most
          
            # Add children with normalized positions
            if node.left:
                queue.append((node.left, normalized_pos * 2))
            if node.right:
                queue.append((node.right, normalized_pos * 2 + 1))
  
    return max_width
2. Not Processing Levels Completely
Another common mistake is forgetting to capture the queue length before the loop, leading to processing nodes from multiple levels together:
# WRONG - processes nodes from different levels
while queue:
    for node, pos in queue:  # This iterates over a changing queue!
        # Process node...
# CORRECT - processes one level at a time
while queue:
    level_size = len(queue)  # Capture size before loop
    for _ in range(level_size):
        node, pos = queue.popleft()
        # Process node...
3. Using Wrong Position Formula
Mixing up the position calculation formulas or using 0-based vs 1-based indexing inconsistently:
# If using 0-based indexing: left_child_pos = parent_pos * 2 right_child_pos = parent_pos * 2 + 1 # If using 1-based indexing: left_child_pos = parent_pos * 2 right_child_pos = parent_pos * 2 + 1 # Common mistake: mixing conventions # Starting with 1 but using 0-based formulas would give wrong results
The key is to be consistent throughout the implementation and ensure the width calculation formula matches the indexing scheme used.
What's the output of running the following function using input 56?
1KEYBOARD = {
2    '2': 'abc',
3    '3': 'def',
4    '4': 'ghi',
5    '5': 'jkl',
6    '6': 'mno',
7    '7': 'pqrs',
8    '8': 'tuv',
9    '9': 'wxyz',
10}
11
12def letter_combinations_of_phone_number(digits):
13    def dfs(path, res):
14        if len(path) == len(digits):
15            res.append(''.join(path))
16            return
17
18        next_number = digits[len(path)]
19        for letter in KEYBOARD[next_number]:
20            path.append(letter)
21            dfs(path, res)
22            path.pop()
23
24    res = []
25    dfs([], res)
26    return res
271private static final Map<Character, char[]> KEYBOARD = Map.of(
2    '2', "abc".toCharArray(),
3    '3', "def".toCharArray(),
4    '4', "ghi".toCharArray(),
5    '5', "jkl".toCharArray(),
6    '6', "mno".toCharArray(),
7    '7', "pqrs".toCharArray(),
8    '8', "tuv".toCharArray(),
9    '9', "wxyz".toCharArray()
10);
11
12public static List<String> letterCombinationsOfPhoneNumber(String digits) {
13    List<String> res = new ArrayList<>();
14    dfs(new StringBuilder(), res, digits.toCharArray());
15    return res;
16}
17
18private static void dfs(StringBuilder path, List<String> res, char[] digits) {
19    if (path.length() == digits.length) {
20        res.add(path.toString());
21        return;
22    }
23    char next_digit = digits[path.length()];
24    for (char letter : KEYBOARD.get(next_digit)) {
25        path.append(letter);
26        dfs(path, res, digits);
27        path.deleteCharAt(path.length() - 1);
28    }
29}
301const KEYBOARD = {
2    '2': 'abc',
3    '3': 'def',
4    '4': 'ghi',
5    '5': 'jkl',
6    '6': 'mno',
7    '7': 'pqrs',
8    '8': 'tuv',
9    '9': 'wxyz',
10}
11
12function letter_combinations_of_phone_number(digits) {
13    let res = [];
14    dfs(digits, [], res);
15    return res;
16}
17
18function dfs(digits, path, res) {
19    if (path.length === digits.length) {
20        res.push(path.join(''));
21        return;
22    }
23    let next_number = digits.charAt(path.length);
24    for (let letter of KEYBOARD[next_number]) {
25        path.push(letter);
26        dfs(digits, path, res);
27        path.pop();
28    }
29}
30Recommended Readings
Everything About Trees A tree is a type of graph data structure composed of nodes and edges Its main properties are It is acyclic doesn't contain any cycles There exists a path from the root to any node Has N 1 edges where N is the number of nodes in the tree and
https assets algo monster cover_photos dfs svg Depth First Search Prereqs Recursion Review problems recursion_intro Trees problems tree_intro With a solid understanding of recursion under our belts we are now ready to tackle one of the most useful techniques in coding interviews Depth First Search DFS As the name suggests
https assets algo monster cover_photos bfs svg Breadth First Search on Trees Hopefully by this time you've drunk enough DFS Kool Aid to understand its immense power and seen enough visualization to create a call stack in your mind Now let me introduce the companion spell Breadth First Search BFS
Want a Structured Path to Master System Design Too? Don’t Miss This!