算法思路
这道题本质上就是二叉树的层次遍历,只不过每一层在插入结果数组时不是按顺序加入,而是从结果数组的开始插入。
具体层次遍历代码及过程,可参考 LeetCode 102. 二叉树的层序遍历 ,层次遍历的代码框架都是一样的。
C ++代码
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
vector<vector<int>> levelOrderBottom(TreeNode* root) {
vector<vector<int>> res;
if (!root) return res;
queue<TreeNode*> q;
q.push(root);
while (q.size())
{
int n = q.size();
vector<int> level;
for (int i = 0; i < n; i ++)
{
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.insert(res.begin(), level);
}
return res;
}
};