513. Find Bottom Left Tree Value - LeetCode

Posted okokabcd

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了513. Find Bottom Left Tree Value - LeetCode相关的知识,希望对你有一定的参考价值。

Question

513. Find Bottom Left Tree Value

技术分享图片

Solution

题目大意:

给一个二叉树,求最底层,最左侧节点的值

思路:

按层遍历二叉树,每一层第一个被访问的节点就是该层最左侧的节点

技术分享图片

Java实现:

public int findBottomLeftValue(TreeNode root) {
    Queue<TreeNode> nodeQueue = new LinkedList<>();
    nodeQueue.offer(root); // 向队列追加元素,如果队列满返回false
    int left = -1;
    while (!nodeQueue.isEmpty()) {
        int curLayerSize = nodeQueue.size();
        for (int i = 0; i < curLayerSize; i++) {
            TreeNode cur = nodeQueue.poll(); // 移除并返回队列头部元素,队列为空返回 null
            if (i == 0) left = cur.val; // 当前层的第一个节点最左结点就是最左侧节点
            if (cur.left != null) nodeQueue.offer(cur.left);
            if (cur.right != null) nodeQueue.offer(cur.right);
        }
    }
    return left;
}

以上是关于513. Find Bottom Left Tree Value - LeetCode的主要内容,如果未能解决你的问题,请参考以下文章

513. Find Bottom Left Tree Value

LeetCode - 513. Find Bottom Left Tree Value

513. Find Bottom Left Tree Value - LeetCode

leetcode 513. Find Bottom Left Tree Value

[LC] 513. Find Bottom Left Tree Value

[LeetCode]513 Find Bottom Left Tree Value(BFS)