写点什么

leetcode 106. Construct Binary Tree from Inorder and Postorder Traversal 从中序与后序遍历序列构造二叉树 (中等)

作者:okokabcd
  • 2022 年 10 月 08 日
    山东
  • 本文字数:940 字

    阅读完需:约 3 分钟

leetcode 106. Construct Binary Tree from Inorder and Postorder Traversal 从中序与后序遍历序列构造二叉树(中等)

一、题目大意

给定两个整数数组 inorder 和 postorder ,其中 inorder 是二叉树的中序遍历, postorder 是同一棵树的后序遍历,请你构造并返回这颗 二叉树 。


示例 1:



输入:inorder = [9,3,15,20,7], postorder = [9,15,7,20,3]

输出:[3,9,20,null,null,15,7]


示例 2:


输入:inorder = [-1], postorder = [-1]

输出:[-1]


提示:


  • 1 <= inorder.length <= 3000

  • postorder.length == inorder.length

  • -3000 <= inorder[i], postorder[i] <= 3000

  • inorder 和 postorder 都由 不同 的值组成

  • postorder 中每一个值都在 inorder 中

  • inorder 保证是树的中序遍历

  • postorder 保证是树的后序遍历


来源:力扣(LeetCode)链接:https://leetcode.cn/problems/construct-binary-tree-from-inorder-and-postorder-traversal著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

二、解题思路

要求从中序和后序遍历的结果来重新建原二叉树,中序遍历顺序是左 根 右,后序遍历顺序是左 右 根,对于这种树的重建一般采用递归来做,由于后序的顺序的最后一个肯定是根,所以原二叉树的根节点可以知道,题目中给了一个很关键的条件就是树中没有相同元素,有了这个条件就可以在中序遍历中也定位出根节点的位置,并根据根节点的位置将中序遍历拆分为春熙路右两部分,分别对其递归调用原函数。

三、解题方法

3.1 Java 实现

public class Solution {    public TreeNode buildTree(int[] inorder, int[] postorder) {        return helper(inorder, 0, inorder.length - 1, postorder, 0, postorder.length - 1);    }
TreeNode helper(int[] in, int inL, int inR, int[] post, int postL, int postR) { if (inL > inR || postL > postR) { return null; } TreeNode node = new TreeNode(post[postR]); int i = 0; for (i = inL; i < in.length; i++) { if (in[i] == node.val) { break; } } node.left = helper(in, inL, i - 1, post, postL, postL + i - inL - 1); node.right = helper(in, i + 1, inR, post, postL + i - inL, postR - 1); return node; }}
复制代码

四、总结小记

  • 2022/10/7 明天又是新的一天

发布于: 刚刚阅读数: 3
用户头像

okokabcd

关注

还未添加个人签名 2019.11.15 加入

一年当十年用的Java程序员

评论

发布
暂无评论
leetcode 106. Construct Binary Tree from Inorder and Postorder Traversal 从中序与后序遍历序列构造二叉树(中等)_LeetCode_okokabcd_InfoQ写作社区