给定一个二叉树,返回它的 后序 遍历。
示例:
输入: [1,null,2,3]
1
2
/
3
输出: [3,2,1]
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/binary-tree-postorder-traversal
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
后序遍历
二叉树的后序遍历有个很奇怪的特点,就是通过对二叉树使用栈进行层序遍历,可以恰好得到一个后序遍历的结果。
class Solution {
public:
vector<int> postorderTraversal(TreeNode* root) {
stack<TreeNode*> s;
vector<int>res;
TreeNode* T=root;
if(T)
s.push(T);
while(!s.empty()){
T=s.top();
s.pop();
res.push_back(T->val);
if(T->left){
s.push(T->left);
}
if(T->right){
s.push(T->right);
}
}
reverse(res.begin(),res.end());
return res;
}
};