项目场景:
力扣练习题
问题描述:
提示:这里描述项目中遇到的问题:
给定一个二叉树,返回它的 后序 遍历。
示例:
原因分析:
提示:这里填写问题的分析:
递归:二叉树的后序遍历:按照访问左子树——右子树——根节点的方式遍历这棵树,而在访问左子树或者右子树的时候,我们按照同样的方式遍历,直到遍历完整棵树
迭代:栈模拟
两种方式是等价的,区别在于递归的时候隐式地维护了一个栈,而在迭代的时候需要显式地将这个栈模拟出来
解决方案:
提示:这里填写该问题的具体解决方案:
递归
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* struct TreeNode *left;
* struct TreeNode *right;
* };
*/
/**
* Note: The returned array must be malloced, assume caller calls free().
*/
#define SIZE 2000
void postorder(struct TreeNode* root, int* res,int* resSize)
{
if(root==NULL)return;
postorder(root->left,res,resSize);
postorder(root->right,res,resSize);
res[(*resSize)++] = root->val;
}
int* postorderTraversal(struct TreeNode* root, int* returnSize)
{
int* res = malloc(sizeof(int)*SIZE);
*returnSize=0;
postorder(root,res,returnSize);
return res;
}
递归
#define SIZE 2000
int *postorderTraversal(struct TreeNode *root, int *returnSize)
{
int *res = malloc(sizeof(int) * SIZE );
*returnSize = 0;
if (root == NULL) return res;
struct TreeNode **stk = malloc(sizeof(struct TreeNode *) * SIZE );
int top = 0;
struct TreeNode *prev = NULL;
while (root != NULL || top > 0)
{
while (root != NULL)
{
stk[top++] = root;
root = root->left;
}
root = stk[--top];
if (root->right == NULL || root->right == prev)
{
res[(*returnSize)++] = root->val;
prev = root;
root = NULL;
}
else
{
stk[top++] = root;
root = root->right;
}
}
return res;
}