给定两个整数数组 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
保证是树的后序遍历
题解:
后序遍历的数组最后一个元素代表的即为根节点。可以利用已知的根节点信息在中序遍历的数组中找到根节点所在的下标,然后根据其将中序遍历的数组分成左右两部分,左边部分即左子树,右边部分为右子树,针对每个部分可以用同样的方法继续递归下去构造。
注意:这里有需要先创建右子树,再创建左子树的依赖关系。
可以理解为在后序遍历的数组中整个数组是先存储左子树的节点,再存储右子树的节点,最后存储根节点,如果按每次选择「后序遍历的最后一个节点」为根节点,则先被构造出来的应该为右子树。文章来源:https://www.toymoban.com/news/detail-833572.html
code:文章来源地址https://www.toymoban.com/news/detail-833572.html
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
int post_idx;
public TreeNode buildTree(int[] inorder, int[] postorder) {
// 从后序遍历的最后一个元素开始
post_idx = postorder.length - 1;
return helper(postorder, inorder, 0, inorder.length - 1);
}
public TreeNode helper(int[] postorder, int[] inorder, int inL, int inR) {
if(inL > inR) {
return null;
}
int rootNum = postorder[post_idx];
int i = inL;
for(; i <= inR; i++) {
if (rootNum == inorder[i]) {
break;
}
}
TreeNode root = new TreeNode(rootNum);
// 下标减一
post_idx--;
root.right = helper(postorder, inorder, i+1, inR);
root.left = helper(postorder, inorder, inL, i - 1);
return root;
}
}
到了这里,关于106. 从中序与后序遍历序列构造二叉树的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!