【每日算法】LeetCode 107 —— 二叉树的层次遍历II(一百九十九)

题目内容

给定一个二叉树,返回其节点值自底向上的层序遍历。 (即按从叶子节点所在层到根节点所在的层,逐层从左向右遍历)

示例

给定二叉树 [3,9,20,null,null,15,7]

返回其自底向上的层序遍历为:

[
[15,7],
[9,20],
[3]
]

题解

本题可以通过将lc102中的答案整体反转得到本题答案。因此这里不再解释,具体的代码与lc102基本一致,具体请再复习一下层序遍历的代码即可。

代码

/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
public:
vector<vector<int>> levelOrderBottom(TreeNode* root) {
vector<vector<int>> res;
queue<TreeNode*> q;
if(root) q.push(root);
while(q.size()){
vector<int> level;
int len = q.size();
while(len--){
auto t = q.front();
q.pop();
level.push_back(t->val);
if(t->left) q.push(t->left);
if(t->right) q.push(t->right);
}
res.push_back(level);
}
reverse(res.begin(),res.end());//整体将答案内部的元素反转一下即可得到本题答案
return res;
}
};
Author: Frederic Niu
Link: https://www.fredericniu.cn/2021/07/24/【每日算法】LeetCode-107-——-二叉树的层次遍历II(一百九十九)/
Copyright Notice: All articles in this blog are licensed under CC BY-NC-SA 4.0 unless stating additionally.
我的公众号