知识来源:力扣
例子:
中
/ \
左 右
前序:中,左,右
中序:左,中,右
后续:左,右,中
二叉树的遍历,递归的实现方法简单,但是受限于系统栈的空间,模拟栈的过程,前序,中序,后续遍历的代码差异较大,不方便记忆。所以通过增加一个属性来判断是否是第一次遍历,如果是第一次根据栈先进后出的特性将入栈顺序根据输出顺序的倒序来输入,例如前序改为,右,左,中来入栈,使得再第二次遍历到弹栈输出的时候就会变为中,左,右,另外两种方法同理。
中序遍历
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
public:
vector<int> inorderTraversal(TreeNode* root) {
vector<int> result;
stack<pair<TreeNode*,int>> stk;
stk.push(make_pair(root,0));// 0代表第一次弹栈,1代表第二次
while(stk.size())
{
auto [node,type]=stk.top();
stk.pop();
if(node==nullptr) continue;
if(type==0)
{
stk.push(make_pair(node->right,0));
stk.push(make_pair(node,1));
stk.push(make_pair(node->left,0));
}
else
result.push_back(node->val);
}
return result;
}
};
层次遍历
bfs
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
public:
vector<vector<int>> levelOrder(TreeNode* root) {
vector<vector<int>> res;
queue<TreeNode*> q;
if(!root)
return res;
q.push(root);
while(q.size())
{
int t=q.size();
res.push_back(vector<int>());
for(int i=1;i<=t;i++)
{
TreeNode *x=q.front();
q.pop();
res.back().push_back(x->val);
if(x->left) q.push(x->left);
if(x->right) q.push(x->right);
}
}
return res;
}
};