题目描述
Given a binary tree, return the postorder traversal of its nodes' values.
对给定二叉树后序遍历
题目解析
二叉树的后序遍历,网上很很多文章写得很好,这里不在赘述,可以用递归和遍历两个方法解决。
方法一:递归方法代码如下
/**
* Definition for binary tree
* 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)
{
vector<int> a;
postorderT(root, a);
return a;
}
void postorderT(TreeNode *root, vector<int> &a)
{
if (!root) return ;
postorderT(root->left, a);
postorderT(root->right, a);
a.push_back(root->val);
}
};
方法二:遍历方法
遍历的方法会较难,