590.N叉树的后序遍历
给定一个N叉树,返回其节点值的后序遍历。
例如,给定一个 3叉树 :
返回其后序遍历: [5,6,3,2,4,1].
说明: 递归法很简单,你可以使用迭代法完成此题吗?
递归法:
分析: 用一个函数遍历并存数据到数组。
/*
// Definition for a Node.
class Node {
public:
int val;
vector<Node*> children;
Node() {}
Node(int _val, vector<Node*> _children) {
val = _val;
children = _children;
}
};
*/
class Solution {
public:
vector<int> postorder(Node* root) {
vector<int> res;
if(root==NULL) return res;
postord(root,res);
return res;
}
void postord(Node* root, vector<int> &res)
{
if(root==NULL) return;
for(int i=0;i<root->children.size();i++)
{
postord(root->children[i],res);
}
res.push_back(root->val);
}
};
迭代法:
分析: 迭代法用栈来存节点,依次取栈顶节点的数据并出栈。要注意的是,此时存孩子节点的顺序应该从左到右,即先遍历左孩子再遍历右孩子,最后父节点。最后使用reverse函数反转结果数组即可得到所求。
/*
// Definition for a Node.
class Node {
public:
int val;
vector<Node*> children;
Node() {}
Node(int _val, vector<Node*> _children) {
val = _val;
children = _children;
}
};
*/
class Solution {
public:
vector<int> postorder(Node* root) {
vector<int> res;
if(root==NULL) return res;
stack<Node*> s;
s.push(root);
Node* node;
while(!s.empty())
{
node=s.top();
s.pop();
for(int i=0;i<node->children.size();i++)
{
s.push(node->children[i]);
}
res.push_back(node->val);
}
reverse(res.begin(),res.end());
return res;
}
};