Post

515. Find Largest Value in Each Tree Row

515. Find Largest Value in Each Tree Row

[Problem]

Medium

Tree Depth-First Search Breadth-First Search Binary Tree


Intuition

  • Traversing level-by-level(row) = BFS

Approach

  • Traverse using BFS:
  • Use a queue to perform a BFS of the tree.
  • For each level, keep updating maximum element.
  • After exploring the level, add max element in the result

Complexity Analysis

  • Time Complexity: O(n)
    • BFS: Visiting all nodes once O(n).
  • Space Complexity: O(n)
    • Queue has at max n/2 elements (Complete binary tree has maximum n/2 elements at last level)

Code

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
class Solution {
    public List<Integer> largestValues(TreeNode root) {
        List<Integer> result = new ArrayList<>();
        
        if(root == null){
            return result;
        }

        bfs(root, result);
        return result;
    }

    public void bfs(TreeNode root, List<Integer> result){
        Queue<TreeNode> q = new LinkedList<>();
        q.add(root);

        while(!q.isEmpty()){
            int lvlSize = q.size();

            // tracks maximum element at a particular level(row)
            int maxElement = Integer.MIN_VALUE;

            for(int i = 0; i < lvlSize; i++){
                TreeNode current = q.poll();

                if(current.left != null){
                    q.add(current.left);
                }
                if(current.right != null){
                    q.add(current.right);
                }
                
                // keep updating maximum element in the current level(row)
                if(maxElement < current.val){
                    maxElement = current.val;
                }
            }
            
            // max element of this level(row)
            result.add(maxElement);
        }
    }
}
This post is licensed under CC BY 4.0 by the author.