博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
求树的后序遍历(binary-tree-postorder)
阅读量:5096 次
发布时间:2019-06-13

本文共 1793 字,大约阅读时间需要 5 分钟。

1、递归

1 struct TreeNode{ 2     TreeNode *left; 3     TreeNode *right; 4     int val; 5     TreeNode(int x):val(x),left(NULL),right(NULL){} 6 } 7 vector
postorder(treeNode*root){ 8 vector
res; 9 postordertraversal(root,res);10 return res;11 }12 13 void postorderTraversal(TreeNode *root,vector
&res){14 if(root==NULL) return; 15 postorderTraversal(root->left);16 postorderTraversal(root->right);17 res.push_back(root->val);18 }

2、非递归方法一

使用一个辅助栈存放待访问的树节点,一个辅助节点pre记录前一个访问节点。当栈顶元素的左右孩子节点为空或者上一个访问节点是栈顶节点的孩子节点时,访问该节点,并将其从栈顶弹出。

vector
postorderTraversal(TreeNode *root){ vector
res; if(root==NULL) return res; stack
s; s.push(root); TreeNode *cur,*pre=NULL; while(!s.empty()){ cur=s.top(); if((cur->left==NULL&&cur->right==NULL) || ((pre!=NULL)&&(pre==cur->left||pre==cur->right))){ res.push_back(cur->val); s.pop(); pre=cur; continue; } if(cur->right!=NULL) s.push(cur->right); if(cur->left!=NULL) s.push(cue->left); } return res;}

3、非递归方法二

先求出树的根->右->左遍历序列,然后将其翻转即得到树的后序遍历序列

vector
postorderTraversal(TreeNode *root){ vector
res; if(root==NULL) return res; stack
s; s.push(root); TreeNode *cur; while(!s.empty()){ cur=s.top(); s.pop(); res.push_back(cur->val); if(cur->left!=NULL) s.push(cur->left); if(cur->right!=NULL) s.push(cur->right); } reverse(res.begin(),res.end()); return res; }

 

转载于:https://www.cnblogs.com/wangdake-qq/p/7193235.html

你可能感兴趣的文章
AIO 开始不定时的抛异常: java.io.IOException: 指定的网络名不再可用
查看>>
MyBaits动态sql语句
查看>>
HDU4405(期望DP)
查看>>
拉格朗日乘子法 那些年学过的高数
查看>>
vs code 的便捷使用
查看>>
Spring MVC @ResponseBody返回中文字符串乱码问题
查看>>
用户空间与内核空间,进程上下文与中断上下文[总结]
查看>>
JS 中的跨域请求
查看>>
JAVA开发环境搭建
查看>>
mysql基础语句
查看>>
Oracle中的rownum不能使用大于>的问题
查看>>
[Data Structure & Algorithm] 有向无环图的拓扑排序及关键路径
查看>>
cassandra vs mongo (1)存储引擎
查看>>
Visual Studio基于CMake配置opencv1.0.0、opencv2.2
查看>>
Vue音乐项目笔记(三)
查看>>
遍历Map对象
查看>>
计算剪贴板里仿制的代码行数
查看>>
MySQL索引背后的数据结构及算法原理
查看>>
#Leetcode# 209. Minimum Size Subarray Sum
查看>>
SDN第四次作业
查看>>