从中序与后序遍历序列构造二叉树-106

dfj-blog 2024-10-14 08:09:02 阅读 71

题目描述

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

解题思路

这题我们的思路还是递归去构造我们的二叉树,首先题目给出二叉树的中序遍历和后序遍历,由后序遍历我们可以确定我们当前这颗二叉树的根节点,然后转到中序遍历我们可以根据根节点判断哪些节点是左孩子,哪些节点是右孩子,然后再去后序遍历中判断左孩子节点的后序遍历顺序和右孩子节点的后序遍历顺序,然后我们递归一层一层往下去构建我们的二叉树就行了

代码实例

<code>import java.util.*;

class Solution {

public TreeNode buildTree(int[] inorder, int[] postorder) {

if(postorder.length==0){

return null;

}

int rootValue=postorder[postorder.length-1];

TreeNode root=new TreeNode(rootValue);

if(postorder.length==1){

return root;

}

int rootIndex;

for(rootIndex=0;rootIndex<inorder.length;rootIndex++){

if(inorder[rootIndex]==rootValue){

break;

}

}

//确定中序中左孩子节点的中序遍历顺序

int[] leftzhongxu=Arrays.copyOfRange(inorder,0,rootIndex);

//确定中序右左孩子节点的中序遍历顺序

int[] rightzhongxu=Arrays.copyOfRange(inorder,rootIndex+1,inorder.length);

//确定后序中左孩子节点的后序遍历顺序

int[] lefthouxu=Arrays.copyOfRange(postorder,0,rootIndex);

//确定后序中右孩子节点的后序遍历顺序

int[] righthouxu=Arrays.copyOfRange(postorder,rootIndex,postorder.length-1);

//递归去构建根节点的左右子树

root.left=buildTree(leftzhongxu,lefthouxu);

root.right=buildTree(rightzhongxu,righthouxu);

//返回结果

return root;

}

}



声明

本文内容仅代表作者观点,或转载于其他网站,本站不以此文作为商业用途
如有涉及侵权,请联系本站进行删除
转载本站原创文章,请注明来源及作者。