【LeetCode从零单刷】Binary Tree Postorder Traversal

题目:

Given a binary tree, return the postorder traversal of its nodes' values.

For example:
Given binary tree {1,#,2,3},

   1
    \
     2
    /
   3

return [3,2,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:
    vector<int> postorderTraversal(TreeNode* root) {
        stack<TreeNode*> postorder; 
        vector<int> ans; ans.clear();
        
        if(root == NULL)    return ans;
        
        TreeNode* tmp = root;
        postorder.push(root);
        
        while(!postorder.empty()){
            
            // 区分加入vector与加入stack的不同
            ans.push_back(postorder.top()->val);
            tmp = postorder.top();
            postorder.pop();
            
            // 与前序遍历相同,最后reverse
            if(tmp->left)   postorder.push(tmp->left);
            if(tmp->right)  postorder.push(tmp->right);
        }
        reverse(ans.begin(), ans.end());
        
        return ans;
    }
};

你可能感兴趣的:(LeetCode,C++,后序遍历,postorder)