[LeetCode]199. 二叉树的右视图(BFS)

Posted coding-gaga

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了[LeetCode]199. 二叉树的右视图(BFS)相关的知识,希望对你有一定的参考价值。

题目

给定一棵二叉树,想象自己站在它的右侧,按照从顶部到底部的顺序,返回从右侧所能看到的节点值。

示例:

输入:?[1,2,3,null,5,null,4]
输出:?[1, 3, 4]
解释:

   1            <---
 /   2     3         <---
        5     4       <---

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

题解

  • BFS层序遍历, 将每一层最后一个节点加入答案中。
  • 需要区分层次时,可以如下代码在while中加入for当层的循环。
  • 树的BFS遍历:
根结点入队;
while队列非空:
      弹出队首节点,
      处理队首节点,
      左孩子节点非空则入队,右孩子节点非空则入队。

待做

此题DFS也可解。

代码

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    public List<Integer> rightSideView(TreeNode root) {
        List<Integer> res = new ArrayList<>();
        Queue<TreeNode> q = new LinkedList<>();
        if(root!=null){
            q.offer(root);
        }

        while(!q.isEmpty()){
            int size = q.size();
            for(int i=0;i<size;++i){
                TreeNode node = q.poll();
                if(node.left!=null){
                    q.offer(node.left);
                }
                if(node.right!=null){
                    q.offer(node.right);
                }
                
                if(i==size-1){
                    res.add(node.val);
                }
            }
        }

        return res;
    }
}

以上是关于[LeetCode]199. 二叉树的右视图(BFS)的主要内容,如果未能解决你的问题,请参考以下文章

leetcode199二叉树的右视图

leetcode.199二叉树的右视图

LeetCode 199. 二叉树的右视图(Binary Tree Right Side View)

LeetCode Java刷题笔记—199. 二叉树的右视图

Leetcode-199. 二叉树的右视图

Leetcode No.199 二叉树的右视图