199. 二叉树的右视图
题目链接
https://leetcode.cn/problems/binary-tree-right-side-view
相关算法
二叉树、广度优先搜索
题目描述
给定一个二叉树的 根节点 root
,想象自己站在它的右侧,按照从顶部到底部的顺序,返回从右侧所能看到的节点值。
- 数据范围:
二叉树的节点个数的范围是[0,100]
-100 <= Node.val <= 100
解题思路
因为我们预先无法知道二叉树的具体形状,因此无法直接求得二叉树最右侧的所有节点,但是如果使用层序遍历,我们可以很轻松得到,每层最右边的节点或者说是最后一个节点就是我们想要求的内容
完整代码
java
class Solution {
public List<Integer> rightSideView(TreeNode root) {
List<Integer> res = new ArrayList<>();
Queue<TreeNode> queue = new LinkedList<>();
queue.add(root);
queue.add(null);
while (!queue.isEmpty() && queue.peek() != null) {
TreeNode node = queue.poll();
while (node != null) {
if (queue.peek() == null) {
res.add(node.val);
}
if (node.left != null) {
queue.add(node.left);
}
if (node.right != null) {
queue.add(node.right);
}
node = queue.poll();
}
queue.add(null);
}
return res;
}
}
- 时间复杂度:
O(n)
- 空间复杂度:
O(n)
相对来说今天的题目不难,就只是二叉树层序遍历最基本的运用方式。