【力扣 - 二叉树的中序遍历】

news2025/1/17 0:46:54

题目描述

给定一个二叉树的根节点 root ,返回 它的 中序 遍历 。
在这里插入图片描述

提示:

树中节点数目在范围 [0, 100]

-100 <= Node.val <= 100

方法一:递归

思路与算法

首先我们需要了解什么是二叉树的中序遍历:按照访问左子树——根节点——右子树的方式遍历这棵树,而在访问左子树或者右子树的时候我们按照同样的方式遍历,直到遍历完整棵树。因此整个遍历过程天然具有递归的性质,我们可以直接用递归函数来模拟这一过程。

定义 inorder(root) 表示当前遍历到 root 节点的答案,那么按照定义,我们只要递归调用 inorder(root.left) 来遍历 root 节点的左子树,然后将 root 节点的值加入答案,再递归调用inorder(root.right) 来遍历 root 节点的右子树即可,递归终止的条件为碰到空节点。

代码

/**
 * 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().
 */
 /*
  * The  inorder  function performs an inorder traversal of a binary tree recursively. 
  * It stores the values of the nodes in the result array  res  and increments the size  resSize  accordingly. 
 */
 /*
  * The function "inorder" in the provided code is a recursive function. 
  * When a function calls itself inside its own definition, it is known as recursion. 
  * In this case, the "inorder" function is designed to perform an inorder traversal of a binary tree. 
  * 1. The "inorder" function is called with the root node of the binary tree.
  * 2. Inside the function, it first checks if the current node is NULL. If it is NULL, the function returns and the recursion stops.
  * 3. If the current node is not NULL, the function recursively calls itself for the left child of the current node (root->left). This step continues until it reaches a NULL node (i.e., the left subtree is fully traversed).
  * 4. After traversing the left subtree, the function stores the value of the current node in the result array and increments the size of the result array.
  * 5. Finally, the function recursively calls itself for the right child of the current node (root->right) to traverse the right subtree.
  * This recursive process repeats for each node in the binary tree, 
  * effectively performing an inorder traversal by visiting the nodes in the order of left subtree - current node - right subtree. 
  * Each recursive call maintains its own set of variables and execution context, 
  * allowing the function to traverse the entire tree in an ordered manner.
  */ 
void inorder(struct TreeNode* root, int* res, int* resSize) {
    // Check if the current node is NULL
    if (!root) {
        return;  // Return if the current node is NULL
    }
    
    // Traverse the left subtree in inorder
    inorder(root->left, res, resSize);
    
    // Store the value of the current node in the result array and increment the size
    res[(*resSize)++] = root->val;
    
    // Traverse the right subtree in inorder
    inorder(root->right, res, resSize);
    /*
     * `res[(*resSize)++] = root->val;`  is not needed here,
     * because the inorder traversal of a binary tree is structured in such a way that after traversing the left subtree and the current node, 
     * the traversal of the right subtree will naturally continue the process of storing the values in the correct order in the result array  `res` .
     * In an inorder traversal, the sequence of operations ensures that the left subtree is fully explored before visiting the current node, 
     * and then the right subtree is explored after the current node. 
     * Therefore, by the time the function returns from the recursive call  `inorder(root->right, res, resSize);` , 
     * the right subtree has been traversed and the values have been stored in the result array in the correct order relative to the current node.
     * Including  `res[(*resSize)++] = root->val;`  after the right subtree traversal would result in duplicating the value of the current node in the result array, 
     * which is unnecessary and would disrupt the correct inorder traversal sequence.
     */
}
/*
 * The  inorderTraversal  function initializes the result array, 
 * calls the  inorder  function to perform the traversal, and then returns the result array. 
 */ 
int* inorderTraversal(struct TreeNode* root, int* returnSize) {
    // Allocate memory for the result array
    // Create an integer array of size 501 dynamically on the heap and assigning the address of the first element of the array to the pointer variable  res .
    int* res = malloc(sizeof(int) * 501);
    
    // Initialize the return size to 0
    *returnSize = 0;
    
    // Perform inorder traversal starting from the root node
    inorder(root, res, returnSize);
    
    // Return the result array containing the inorder traversal of the binary tree
    return res;
}

复杂度分析

时间复杂度:O(n),其中 n 为二叉树节点的个数。二叉树的遍历中每个节点会被访问一次且只会被访问一次。
空间复杂度:O(n)。空间复杂度取决于递归的栈深度,而栈深度在二叉树为一条链的情况下会达到 O(n)的级别。

方法二:迭代

思路与算法

方法一的递归函数我们也可以用迭代的方式实现,两种方式是等价的,区别在于递归的时候隐式地维护了一个栈,而我们在迭代的时候需要显式地将这个栈模拟出来,其他都相同。
在这里插入图片描述

代码

/**
 * Definition for a binary tree node.
 */
struct TreeNode {
    int val;
    struct TreeNode *left;
    struct TreeNode *right;
};
/**
 * An iterative version of the inorder traversal of a binary tree without using recursion.
 */
int* inorderTraversal(struct TreeNode* root, int* returnSize) {
    // Initialize return size to 0
    *returnSize = 0;
    
    // Allocate memory for the result array
    int* res = malloc(sizeof(int) * 501);
    
    // Allocate memory for the stack to keep track of nodes
    struct TreeNode** stk = malloc(sizeof(struct TreeNode*) * 501);
    
    // Initialize top of the stack
    // variable top to keep track of the top of the stack. 
    int top = 0;
    
    // Iterative inorder traversal using a stack
    // The while loop continues until the current node  root  is NULL and the stack is empty (indicated by  top > 0 ).
    while (root != NULL || top > 0) {
        // Traverse left subtree and push nodes onto the stack 
        // a nested while loop to traverse the left subtree of the current node and pushes each node onto the stack. 
        while (root != NULL) {
            stk[top++] = root;
            root = root->left;
        }
        // Check if the stack is not empty before popping
        if (top > 0)
        {
        	// Once the left subtree is fully traversed
        	// Pop a node from the stack
        	root = stk[--top];
        
        	// Add the value of the popped node to the result array
        	res[(*returnSize)++] = root->val;
        
        	// Move to the right child of the popped node
        	root = root->right;
        }
    }
    // Free the memory allocated for the stack
    free(stk);
    
    // Return the result array containing inorder traversal
    return res;
}

复杂度分析

时间复杂度:O(n),其中 n 为二叉树节点的个数。二叉树的遍历中每个节点会被访问一次且只会被访问一次。

空间复杂度:O(n)。空间复杂度取决于栈深度,而栈深度在二叉树为一条链的情况下会达到 O(n)的级别。

方法三:Morris 中序遍历

思路与算法

Morris 遍历算法是另一种遍历二叉树的方法,它能将非递归的中序遍历空间复杂度降为 O(1)。

Morris 遍历算法整体步骤如下(假设当前遍历到的节点为 xxx):

  1. 如果 xxx 无左孩子,先将 xxx 的值加入答案数组,再访问 xxx 的右孩子,即 x=x.right
  2. 如果 xxx 有左孩子,则找到 xxx 左子树上最右的节点(即左子树中序遍历的最后一个节点,xxx 在中序遍历中的前驱节点),我们记为 predecessor。根据 predecessor 的右孩子是否为空,进行如下操作。
    • 如果 predecessor 的右孩子为空,则将其右孩子指向 xxx,然后访问 xxx 的左孩子,即 x=x.left
    • 如果 predecessor\ 的右孩子不为空,则此时其右孩子指向 xxx,说明我们已经遍历完 xxx 的左子树,我们将 predecessor 的右孩子置空,将 xxx 的值加入答案数组,然后访问 xxx 的右孩子,即 x=x.right
  3. 重复上述操作,直至访问完整棵树。
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    在这里插入图片描述
    其实整个过程我们就多做一步:假设当前遍历到的节点为 x,将 x 的左子树中最右边的节点的右孩子指向 x,这样在左子树遍历完成后我们通过这个指向走回了 x,且能通过这个指向知晓我们已经遍历完成了左子树,而不用再通过栈来维护,省去了栈的空间复杂度。

代码

/**
 * Definition for a binary tree node.
 */
struct TreeNode {
    int val;
    struct TreeNode *left;
    struct TreeNode *right;
};
/**
 * The algorithm uses a predecessor node to establish temporary links 
 * between nodes to simulate the recursive call stack 
 * that would be used in a recursive inorder traversal. 
 * This approach allows for an iterative inorder traversal of the binary tree.
 */
int* inorderTraversal(struct TreeNode* root, int* returnSize) {
    // Allocate memory for the result array
    int* res = malloc(sizeof(int) * 501);
    
    // Initialize return size to 0
    *returnSize = 0;
    
    // Initialize predecessor node to NULL
    struct TreeNode* predecessor = NULL;
    
    // Traverse the tree in inorder without using recursion
    while (root != NULL) {
        // If the current node has a left child
        if (root->left != NULL) {
            // Find the predecessor node, which is the rightmost node in the left subtree
            predecessor = root->left;
            while (predecessor->right != NULL && predecessor->right != root) {
                predecessor = predecessor->right;
            }
            
            // If predecessor's right child is NULL, establish a link and move to the left child
            if (predecessor->right == NULL) {
                predecessor->right = root;
                root = root->left;
            }
            // If the left subtree has been visited, disconnect the link and move to the right child
            else {
                res[(*returnSize)++] = root->val;
                predecessor->right = NULL;
                root = root->right;
            }
        }
        // If there is no left child, visit the current node and move to the right child
        else {
            res[(*returnSize)++] = root->val;
            root = root->right;
        }
    }
    
    // Return the result array containing inorder traversal
    return res;
}

复杂度分析

时间复杂度:O(n),其中 n 为二叉树的节点个数。Morris 遍历中每个节点会被访问两次,因此总时间复杂度为 O(2n)=O(n)。

空间复杂度:O(1)。

作者:力扣官方题解
链接:https://leetcode.cn/problems/binary-tree-inorder-traversal/solutions/412886/er-cha-shu-de-zhong-xu-bian-li-by-leetcode-solutio/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1458734.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

适用于预算少企业的网络组网方案

在中小企业的日常运营中&#xff0c;建立稳定高效的网络连接至关重要。无论是进行内部协作、访问云应用、处理大量数据还是与客户进行沟通&#xff0c;都需要一个可靠的网络基础设施。然而&#xff0c;由于预算有限和资源限制&#xff0c;中小企业在构建适合自身需求的网络环境…

java面试题之redis篇

1.redis 中的数据类型有哪些 随着 Redis 版本的更新&#xff0c;后面又支持了四种数据类型&#xff1a; BitMap&#xff08;2.2 版新增&#xff09;、HyperLogLog&#xff08;2.8 版新增&#xff09;、GEO&#xff08;3.2 版新增&#xff09;、Stream&#xff08;5.0 版新增&am…

php实现讯飞星火大模型3.5

前期准备 vscode下载安装好 composer下载安装好 php环境安装好 &#xff08;以上可以自行网上查阅资料&#xff09; 开始实现 1.注册讯飞星火用户&#xff0c;获取token使用 讯飞星火认知大模型-AI大语言模型-星火大模型-科大讯飞 2.修改对应php文件中的key等 可以参考…

Vue3自定义全局指令批量注册

指令封装代码&#xff1a; import type { App } from "vue";const content {mounted(el : any, binding : any) {console.dir(binding.value);el.remove();} };const operate {mounted(el : any, binding : any) {console.dir(binding.value);el.remove();} };cons…

第十篇:node处理404和服务器错误

🎬 江城开朗的豌豆:个人主页 🔥 个人专栏 :《 VUE 》 《 javaScript 》 📝 个人网站 :《 江城开朗的豌豆🫛 》 ⛺️ 生活的理想,就是为了理想的生活 ! 目录</

PostgreSQL教程(四):高级特性

一、简介 在之前的章节里我们已经涉及了使用SQL在PostgreSQL中存储和访问数据的基础知识。现在我们将要讨论SQL中一些更高级的特性&#xff0c;这些特性有助于简化管理和防止数据丢失或损坏。最后&#xff0c;我们还将介绍一些PostgreSQL扩展。 本章有时将引用教程&#xff0…

有事休假店铺无人看守怎么办?智能远程视频监控系统保卫店铺安全

在春节期间&#xff0c;很多自营店主也得到了久违的假期&#xff0c;虽然很多店主都是长期在店铺中看守&#xff0c;但遇到春节这样的日子&#xff0c;多数人还是选择回乡休假。面对店主休假或有事不能管理店铺时&#xff0c;传统的监控虽然可以做到单一的监控&#xff0c;却仍…

【Vuforia+Unity】AR01实现单张多张图片识别产生对应数字内容

1.官网注册 Home | Engine Developer Portal 2.下载插件SDK&#xff0c;导入Unity 3.官网创建数据库上传图片&#xff0c;官网处理成数据 下载好导入Unity&#xff01; 下载好导入Unity&#xff01; 下载好导入Unity&#xff01; 下载好导入Unity&#xff01; 4.在Unity设…

白银交易新手指南:怎样选择可靠的现货交易平台?

在投资市场上&#xff0c;白银作为一种贵金属&#xff0c;具有较高的投资价值和风险防范功能。对于白银交易新手来说&#xff0c;选择一个可靠的现货交易平台是至关重要的。那么&#xff0c;如何挑选一个适合自己的现货交易平台呢&#xff1f; 1. 平台资质 一个正规的现货交易…

微信小程序-表单提交和校验

一、使用vant组件生成如下页面 二、前端代码如下 <form bindsubmit"submitForm"><view class"cell-group"><van-cell-group><van-field value"{{ title }}" label"商品名称" placeholder"请输入商品名称&qu…

不再烦恼!微信自动回复,消息秒回利器!

在当今社交网络高度发达的时代&#xff0c;微信已成为人们日常沟通不可或缺的重要工具。然而&#xff0c;随着微信好友数量的增加&#xff0c;消息的频繁和多样化也让人感到压力倍增。 针对这一现状&#xff0c;微信管理系统应运而生&#xff0c;为用户提供了一种便捷而高效的…

胶管生产中可自动控制外径的测径仪 你心动吗?

摘要&#xff1a;在线测径仪是测控一体的精密仪器&#xff0c;PID闭环控制方法&#xff0c;提升产品外径质量&#xff0c;可以说连测带控才是真绝色&#xff0c;为胶管品质负责。 关键词&#xff1a;胶管测径仪,测径仪,在线测径仪,外径测量仪,直径测量仪 引言 胶管应用领域众多…

云数据库 Redis 性能深度评测(阿里云、华为云、腾讯云、百度智能云)

在当今的云服务市场中&#xff0c;阿里云、腾讯云、华为云和百度智能云都是领先的云服务提供商&#xff0c;他们都提供了全套的云数据库服务&#xff0c;其中 Redis属于RDS 之后第二被广泛应用的服务&#xff0c;本次测试旨在深入比较这四家云服务巨头在Redis云数据库性能方面的…

2024-02-19(Flume,DataX)

1.flume中拦截器的作用&#xff1a;个人认为就是修改或者删除事件中的信息&#xff08;处理一下事件&#xff09;。 2.一些拦截器 Host Interceptor&#xff0c;Timestamp Interceptor&#xff0c;Static Interceptor&#xff0c;UUID Interceptor&#xff0c;Search and Rep…

C# OpenCvSharp DNN Image Retouching

目录 介绍 模型 项目 效果 代码 下载 C# OpenCvSharp DNN Image Retouching 介绍 github地址&#xff1a;https://github.com/hejingwenhejingwen/CSRNet (ECCV 2020) Conditional Sequential Modulation for Efficient Global Image Retouching 模型 Model Properti…

steam搬砖项目真的假的,2024年到底还能不能做?

2024年steam搬砖项目到底还能不能做&#xff0c;很多小伙伴比较关注国外steam搬砖项目&#xff0c;那steam搬砖到底需要什么东西就可以启动&#xff1f;它被很多人吹得天花乱坠&#xff0c;神神秘秘&#xff0c;高深莫测。甚至还有人说steam搬砖需要特定的环境和国外手机。 st…

【PX4-AutoPilot教程-TIPS】PX4控制无人机在Gazebo中飞行时由于视角跟随无人机在画面中心导致视角乱晃的解决方法

PX4控制无人机在Gazebo中飞行时由于视角跟随无人机在画面中心导致视角乱晃的解决方法 问题描述解决方法 问题描述 无人机在Gazebo中飞行时&#xff0c;无人机始终处于画面中央&#xff0c;会带着视角乱晃&#xff0c;在Gazebo中进行任何操作视角都无法固定。 观察Gazebo左侧Wo…

学习如何在js中指定按照数组中某一个值排序sort方法

学习如何在js中指定按照数组中某一个值排序sort方法 定义和用法排序数组按升序对数组中的数字进行排序按降序对数组中的数字进行排序获取数组中的最小值获取数组中的最大值获取数组中的最大值按字母顺序对数组进行排序&#xff0c;然后反转排序项的顺序&#xff08;降序&#x…

植隆业务中台和金蝶云星空单据接口对接

植隆业务中台和金蝶云星空单据接口对接 源系统:金蝶云星空 金蝶K/3Cloud在总结百万家客户管理最佳实践的基础上&#xff0c;提供了标准的管理模式&#xff1b;通过标准的业务架构&#xff1a;多会计准则、多币别、多地点、多组织、多税制应用框架等&#xff0c;有效支持企业的运…

LeetCode 热题 100 | 二叉树(中下)

目录 1 基础知识 1.1 队列 queue 1.2 栈 stack 1.3 常用数据结构 1.4 排序 2 98. 验证二叉搜索树 3 230. 二叉搜索树中第 K 小的元素 4 199. 二叉树的右视图 菜鸟做题忘了第几周&#xff0c;躺平过了个年TT 1 基础知识 1.1 队列 queue queue<type> q…