二叉树的两种中序遍历方法

Posted Rainbowman 0

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了二叉树的两种中序遍历方法相关的知识,希望对你有一定的参考价值。

1.递归

思路:

根据中序遍历的定义:递归遍历左子树、根节点、右子树。

代码:

/**
 * 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:
    void inorder(TreeNode* root, vector<int> &res){
        if(root){
            inorder(root->left, res);
            res.push_back(root->val);
            inorder(root->right, res);
        }
    }

    vector<int> inorderTraversal(TreeNode* root) {
        vector<int> res;
        inorder(root, res);
        return res;
    }
};

2. 迭代(栈)

思路:

递归时隐式维护了一个栈,现在使用迭代的思路将这个栈显示建立,栈的创建思路:

在这里插入图片描述

代码:

/**
 * 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> res;
        stack<TreeNode*> noteStack;
        while(root!=nullptr || !noteStack.empty()){
            while(root!=nullptr){
                noteStack.push(root);
                root = root->left;
            }
            root = noteStack.top();
            res.push_back(root->val);
            noteStack.pop();
            root = root->right;
        }
        return res;
    }
};

以上是关于二叉树的两种中序遍历方法的主要内容,如果未能解决你的问题,请参考以下文章

通过两种深度优先遍历方式重建二叉树或者得到其余一种遍历方式

为啥树的后根遍历对应二叉树的中序遍历

通过遍历序列构造二叉树(扩展二叉树的先序先序和中序后序和中序层序和中序)附可执行完整代码

二叉树的遍历方法之层序-先序-中序-后序遍历的简单讲解和代码示例

二叉树遍历的三种方法:先序遍历,中序遍历,后序遍历

二叉树的建立与遍历 两天之内就要,急用!!!!