【leetcode145】二叉树的后序遍历
程序员文章站
2022-05-20 13:52:38
...
给定一个二叉树,返回它的 后序 遍历。
示例:
输入: [1,null,2,3]
1
\
2
/
3
输出: [3,2,1]
进阶: 递归算法很简单,你可以通过迭代算法完成吗?
1.递归
/**
* 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:
void dfs(TreeNode* root, vector<int>& ans){
if(root == NULL) return;
if(root->left) dfs(root->left, ans);
if(root->right) dfs(root->right, ans);
ans.push_back(root->val);
}
vector<int> postorderTraversal(TreeNode* root) {
vector<int> ans;
dfs(root, ans);
return ans;
}
};
2.非递归
//节点分离
//执行用时 : 8 ms, 在Binary Tree Postorder Traversal的C++提交中击败了97.50% 的用户
// 内存消耗 : 8.7 MB, 在Binary Tree Postorder Traversal的C++提交中击败了98.36% 的用户
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
#include<stack>
class Solution {
public:
vector<int> postorderTraversal(TreeNode* root) {
stack<TreeNode*> s;
s.push(root);
vector<int> ans;
if(root == NULL) return ans;
while(!s.empty()){
TreeNode* temp = s.top();
if(temp->left){
s.push(temp->left);
temp->left = NULL;
} else if(temp->right){
s.push(temp->right);
temp->right = NULL;
} else{
ans.push_back(temp->val);
s.pop();
}
}
return ans;
}
};