🍕🎉🥓🎊🚗🐷😱❤😀❣🥙🎇🕵️♀️😎🎑🎁🎉😚🎇
题目:
- 给定一个二叉树的 根节点
root
,想象自己站在它的右侧,按照从顶部到底部的顺序,返回从右侧所能看到的节点值。
示例:
- 输入: r o o t = [ 3 , 9 , 20 , n u l l , n u l l , 15 , 7 ] root = [3,9,20,null,null,15,7] root=[3,9,20,null,null,15,7]
- 输出: [ [ 15 , 7 ] , [ 9 , 20 ] , [ 3 ] ] [[15,7],[9,20],[3]] [[15,7],[9,20],[3]]
解题思路:
利用队列,每遍历一个元素,就将其加入到队列q
中,再遍历队列中的元素,当遍历到队列末尾时,代表是每一层最右边的节点,加入到结果集res
中。判断左右孩子是否为空,若不为空则入队。
C++
class Solution {
public:
vector<int> rightSideView(TreeNode* root) {
queue<TreeNode*> q;
vector<int> res;
if(root != NULL) q.push(root);
while(!q.empty()){
int size = q.size();
for(int i = 0; i < size; i++){
TreeNode* temp = q.front();
q.pop();
if(i == (size - 1)) res.push_back(temp->val);
if(temp->left) q.push(temp->left);
if(temp->right) q.push(temp->right);
}
}
return res;
}
};
Java版本
class Solution {
public List<Integer> rightSideView(TreeNode root) {
Deque<TreeNode> q = new LinkedList<>();
List<Integer> res = new ArrayList<>();
if(root == null) return res;
q.offerLast(root);
while(!q.isEmpty()){
int size = q.size();
for(int i = 0; i < size; i++){
TreeNode temp = q.pollFirst();
if(i == size - 1) res.add(temp.val);
if(temp.left != null) q.addLast(temp.left);
if(temp.right != null) q.addLast(temp.right);
}
}
return res;
}
}