515. 在每个树行中找最大值

您需要在二叉树的每一行中找到最大的值。

示例:

输入:

          1
         / \
        3   2
       / \   \  
      5   3   9 

输出: [1, 3, 9]

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/find-largest-value-in-each-tree-row
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

题解

/**
 * Definition for a binary tree node.
 * function TreeNode(val) {
 *     this.val = val;
 *     this.left = this.right = null;
 * }
 */
/**
 * @param {TreeNode} root
 * @return {number[]}
 */
var largestValues = function(root) {
    let res = []
    if (root == null) {
        return res
    }
    let bfs = (root, i) => {
        if (!root) {
            return
        }
        if (!res[i]) {
            res[i] = []
        }
        res[i].push(root.val)
        bfs(root.left, i + 1)
        bfs(root.right, i + 1)
    }
    bfs(root, 0)
    for (let i in res) {
        res[i] = Math.max.apply(null, res[i])
    }
    return res
};