leetcode199. 二叉树的右视图
来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/binary-tree-right-side-view
题目描述
给定一个二叉树的 根节点 root,想象自己站在它的右侧,按照从顶部到底部的顺序,返回从右侧所能看到的节点值。
示例1:
输入: [1,2,3,null,5,null,4]
输出: [1,3,4]
示例 2:
输入: [1,null,3]
输出: [1,3]
示例 3:
输入: []
输出: []
提示:
二叉树的节点个数的范围是 [0,100]
-100 <= Node.val <= 100
广度优先遍历
对二叉树进行深度优先遍历,每遍历一层,记录当前层的最右侧节点.
最后输出最右侧节点,就是答案了.
代码演示
public static class TreeNode{
int val;
TreeNode left;
TreeNode right;
TreeNode() {}
TreeNode(int val) { this.val = val; }
TreeNode(int val, TreeNode left, TreeNode right) {
this.val = val;
this.left = left;
this.right = right;
}
}
/**
* 宽度优先遍历
* @param root
* @return
*/
public static List<Integer> rightSideView(TreeNode root) {
if (root == null){
return null;
}
//记录每层的最右侧节点
HashMap<Integer, Integer> rightViewMap = new HashMap<>();
//先进后出的队列,进行宽度优先遍历
Deque<TreeNode> nodeStacks = new LinkedList<>();
//记录节点所在的层
Deque<Integer> depthStacks = new LinkedList<>();
//root节点先加进去
nodeStacks.push(root);
//第一层是0
depthStacks.push(0);
//记录最大深度
int maxDepth = -1;
while (!nodeStacks.isEmpty()){
//弹出节点
TreeNode cur = nodeStacks.pop();
//弹出深度
Integer depth = depthStacks.pop();
//更新最大深度
maxDepth = Math.max(maxDepth,depth);
if (cur != null){
//保存最右侧节点,
if (!rightViewMap.containsKey(depth)){
rightViewMap.put(depth,cur.val);
}
if (cur.left != null){
nodeStacks.push(cur.left);
depthStacks.push(depth + 1);
}
if (cur.right != null){
nodeStacks.push(cur.right);
depthStacks.push(depth + 1);
}
}
}
ArrayList<Integer> ans = new ArrayList<>();
for (int i = 0; i <= maxDepth;i++ ){
ans.add(rightViewMap.get(i));
}
return ans;
}
二叉树专题
leetcode109. 有序链表转换二叉搜索树
leetcode652. 寻找重复的子树
leetcode450. 删除二叉搜索树中的节点
leetcode701. 二叉搜索树中的插入操作
leetcode98. 验证二叉搜索树
leetcode700. 二叉搜索树中的搜索
leetcode95–不同的二叉搜索树 II文章来源:https://www.toymoban.com/news/detail-484562.html
leetcode96–不同的二叉搜索树文章来源地址https://www.toymoban.com/news/detail-484562.html
到了这里,关于leetcode199. 二叉树的右视图(java)的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!