Back to all solutions
#513 - Find Bottom Left Tree Value
Problem Description
Given the root of a binary tree, return the leftmost value in the last row of the tree.
Solution
/**
* Definition for a binary tree node.
* function TreeNode(val, left, right) {
* this.val = (val===undefined ? 0 : val)
* this.left = (left===undefined ? null : left)
* this.right = (right===undefined ? null : right)
* }
*/
/**
* @param {TreeNode} root
* @return {number}
*/
var findBottomLeftValue = function(root) {
const queue = [root];
let result = root.val;
while (queue.length) {
const size = queue.length;
result = queue[0].val;
for (let i = 0; i < size; i++) {
const node = queue.shift();
if (node.left) queue.push(node.left);
if (node.right) queue.push(node.right);
}
}
return result;
};