Mutating counts without cleanup
Wrong move: Zero-count keys stay in map and break distinct/count constraints.
Usually fails on: Window/map size checks are consistently off by one.
Fix: Delete keys when count reaches zero.
Break down a hard problem into reliable checkpoints, edge-case handling, and complexity trade-offs.
Given the root of a binary tree, calculate the vertical order traversal of the binary tree.
For each node at position (row, col), its left and right children will be at positions (row + 1, col - 1) and (row + 1, col + 1) respectively. The root of the tree is at (0, 0).
The vertical order traversal of a binary tree is a list of top-to-bottom orderings for each column index starting from the leftmost column and ending on the rightmost column. There may be multiple nodes in the same row and same column. In such a case, sort these nodes by their values.
Return the vertical order traversal of the binary tree.
Example 1:
Input: root = [3,9,20,null,null,15,7] Output: [[9],[3,15],[20],[7]] Explanation: Column -1: Only node 9 is in this column. Column 0: Nodes 3 and 15 are in this column in that order from top to bottom. Column 1: Only node 20 is in this column. Column 2: Only node 7 is in this column.
Example 2:
Input: root = [1,2,3,4,5,6,7]
Output: [[4],[2],[1,5,6],[3],[7]]
Explanation:
Column -2: Only node 4 is in this column.
Column -1: Only node 2 is in this column.
Column 0: Nodes 1, 5, and 6 are in this column.
1 is at the top, so it comes first.
5 and 6 are at the same position (2, 0), so we order them by their value, 5 before 6.
Column 1: Only node 3 is in this column.
Column 2: Only node 7 is in this column.
Example 3:
Input: root = [1,2,3,4,6,5,7] Output: [[4],[2],[1,5,6],[3],[7]] Explanation: This case is the exact same as example 2, but with nodes 5 and 6 swapped. Note that the solution remains the same since 5 and 6 are in the same location and should be ordered by their values.
Constraints:
[1, 1000].0 <= Node.val <= 1000Problem summary: Given the root of a binary tree, calculate the vertical order traversal of the binary tree. For each node at position (row, col), its left and right children will be at positions (row + 1, col - 1) and (row + 1, col + 1) respectively. The root of the tree is at (0, 0). The vertical order traversal of a binary tree is a list of top-to-bottom orderings for each column index starting from the leftmost column and ending on the rightmost column. There may be multiple nodes in the same row and same column. In such a case, sort these nodes by their values. Return the vertical order traversal of the binary tree.
Start with the most direct exhaustive search. That gives a correctness anchor before optimizing.
Pattern signal: Hash Map · Tree
[3,9,20,null,null,15,7]
[1,2,3,4,5,6,7]
[1,2,3,4,6,5,7]
Source-backed implementations are provided below for direct study and interview prep.
// Accepted solution for LeetCode #987: Vertical Order Traversal of a Binary Tree
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
private List<int[]> nodes = new ArrayList<>();
public List<List<Integer>> verticalTraversal(TreeNode root) {
dfs(root, 0, 0);
Collections.sort(nodes, (a, b) -> {
if (a[0] != b[0]) {
return Integer.compare(a[0], b[0]);
}
if (a[1] != b[1]) {
return Integer.compare(a[1], b[1]);
}
return Integer.compare(a[2], b[2]);
});
List<List<Integer>> ans = new ArrayList<>();
int prev = -2000;
for (int[] node : nodes) {
int j = node[0], val = node[2];
if (prev != j) {
ans.add(new ArrayList<>());
prev = j;
}
ans.get(ans.size() - 1).add(val);
}
return ans;
}
private void dfs(TreeNode root, int i, int j) {
if (root == null) {
return;
}
nodes.add(new int[] {j, i, root.val});
dfs(root.left, i + 1, j - 1);
dfs(root.right, i + 1, j + 1);
}
}
// Accepted solution for LeetCode #987: Vertical Order Traversal of a Binary Tree
/**
* Definition for a binary tree node.
* type TreeNode struct {
* Val int
* Left *TreeNode
* Right *TreeNode
* }
*/
func verticalTraversal(root *TreeNode) (ans [][]int) {
nodes := [][3]int{}
var dfs func(*TreeNode, int, int)
dfs = func(root *TreeNode, i, j int) {
if root == nil {
return
}
nodes = append(nodes, [3]int{j, i, root.Val})
dfs(root.Left, i+1, j-1)
dfs(root.Right, i+1, j+1)
}
dfs(root, 0, 0)
sort.Slice(nodes, func(i, j int) bool {
a, b := nodes[i], nodes[j]
return a[0] < b[0] || a[0] == b[0] && (a[1] < b[1] || a[1] == b[1] && a[2] < b[2])
})
prev := -2000
for _, node := range nodes {
j, val := node[0], node[2]
if j != prev {
ans = append(ans, nil)
prev = j
}
ans[len(ans)-1] = append(ans[len(ans)-1], val)
}
return
}
# Accepted solution for LeetCode #987: Vertical Order Traversal of a Binary Tree
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def verticalTraversal(self, root: Optional[TreeNode]) -> List[List[int]]:
def dfs(root: Optional[TreeNode], i: int, j: int):
if root is None:
return
nodes.append((j, i, root.val))
dfs(root.left, i + 1, j - 1)
dfs(root.right, i + 1, j + 1)
nodes = []
dfs(root, 0, 0)
nodes.sort()
ans = []
prev = -2000
for j, _, val in nodes:
if prev != j:
ans.append([])
prev = j
ans[-1].append(val)
return ans
// Accepted solution for LeetCode #987: Vertical Order Traversal of a Binary Tree
struct Solution;
use rustgym_util::*;
use std::cmp::Reverse;
use std::collections::BTreeMap;
use std::collections::BinaryHeap;
type Nodes = BTreeMap<i32, BTreeMap<i32, BinaryHeap<Reverse<i32>>>>;
trait VerticalOrder {
fn vertical_order(self) -> Vec<Vec<i32>>;
}
impl VerticalOrder for Nodes {
fn vertical_order(self) -> Vec<Vec<i32>> {
let n = self.len();
let mut nodes = self;
let mut res: Vec<Vec<i32>> = vec![vec![]; n];
for (i, col) in nodes.values_mut().enumerate() {
for row in col.values_mut() {
while let Some(Reverse(smallest)) = row.pop() {
res[i].push(smallest);
}
}
}
res
}
}
trait Preorder {
fn preorder(&self, x: i32, y: i32, nodes: &mut Nodes);
}
impl Preorder for TreeLink {
fn preorder(&self, x: i32, y: i32, nodes: &mut Nodes) {
if let Some(node) = self {
let node = node.borrow();
nodes
.entry(x)
.or_default()
.entry(y)
.or_default()
.push(Reverse(node.val));
node.left.preorder(x - 1, y + 1, nodes);
node.right.preorder(x + 1, y + 1, nodes);
}
}
}
impl Solution {
fn vertical_traversal(root: TreeLink) -> Vec<Vec<i32>> {
let mut nodes: Nodes = BTreeMap::new();
root.preorder(0, 0, &mut nodes);
nodes.vertical_order()
}
}
#[test]
fn test() {
let root = tree!(3, tree!(9), tree!(20, tree!(15), tree!(7)));
let res = vec![vec![9], vec![3, 15], vec![20], vec![7]];
assert_eq!(Solution::vertical_traversal(root), res);
let root = tree!(
1,
tree!(2, tree!(4), tree!(5)),
tree!(3, tree!(6), tree!(7))
);
let res = vec![vec![4], vec![2], vec![1, 5, 6], vec![3], vec![7]];
assert_eq!(Solution::vertical_traversal(root), res);
}
// Accepted solution for LeetCode #987: Vertical Order Traversal of a Binary Tree
/**
* Definition for a binary tree node.
* class TreeNode {
* val: number
* left: TreeNode | null
* right: TreeNode | null
* constructor(val?: number, left?: TreeNode | null, right?: TreeNode | null) {
* this.val = (val===undefined ? 0 : val)
* this.left = (left===undefined ? null : left)
* this.right = (right===undefined ? null : right)
* }
* }
*/
function verticalTraversal(root: TreeNode | null): number[][] {
const nodes: [number, number, number][] = [];
const dfs = (root: TreeNode | null, i: number, j: number) => {
if (!root) {
return;
}
nodes.push([j, i, root.val]);
dfs(root.left, i + 1, j - 1);
dfs(root.right, i + 1, j + 1);
};
dfs(root, 0, 0);
nodes.sort((a, b) => a[0] - b[0] || a[1] - b[1] || a[2] - b[2]);
const ans: number[][] = [];
let prev = -2000;
for (const [j, _, val] of nodes) {
if (j !== prev) {
prev = j;
ans.push([]);
}
ans.at(-1)!.push(val);
}
return ans;
}
Use this to step through a reusable interview workflow for this problem.
BFS with a queue visits every node exactly once — O(n) time. The queue may hold an entire level of the tree, which for a complete binary tree is up to n/2 nodes = O(n) space. This is optimal in time but costly in space for wide trees.
Every node is visited exactly once, giving O(n) time. Space depends on tree shape: O(h) for recursive DFS (stack depth = height h), or O(w) for BFS (queue width = widest level). For balanced trees h = log n; for skewed trees h = n.
Review these before coding to avoid predictable interview regressions.
Wrong move: Zero-count keys stay in map and break distinct/count constraints.
Usually fails on: Window/map size checks are consistently off by one.
Fix: Delete keys when count reaches zero.
Wrong move: Recursive traversal assumes children always exist.
Usually fails on: Leaf nodes throw errors or create wrong depth/path values.
Fix: Handle null/base cases before recursive transitions.