美文网首页
重建二叉树

重建二叉树

作者: 梅涅劳斯 | 来源:发表于2017-04-07 17:33 被阅读0次

    问题描述
    输入某二叉树的前序遍历和中序遍历的结果,请重建出该二叉树。假设输入的前序遍历和中序遍历的结果中都不含重复的数字。例如输入前序遍历序列{1,2,4,7,3,5,6,8}和中序遍历序列{4,7,2,1,5,3,8,6},则重建二叉树并返回。
    思路:

    ![Uploading 2016427100615131_321824.png . . .]

    1. 首先根据前序遍历确定跟节点;
    2. 中序排列中,根节点的左右内容分别是二叉树左右子树的内容;
    3. 找到左子树后,找到左子树的根节点;在中序排列中,左子树根节点的左右分别包含其左右子树的内容;
    4. 右子树按照左子树的思路进行递归,最后重建二叉树。
    public class Solution {
        public TreeNode reConstructBinaryTree(int [] pre,int [] in) {
            if(pre.length == 0 || in.length == 0){
                return null;
            }
            TreeNode node = new TreeNode(pre[0]);
            for(int i = 0; i < in.length; i ++){
                if(pre[0] == in[i]){
                    int preLeft[] = new int[i];
                    int inLeft[] = new int[i];
                    int preRight[] = new int[pre.length - i - 1];
                    int inRight[] = new int[in.length - i -1];
                    
                    for(int j = 0; j < in.length; j ++){
                        if(j < i){
                            preLeft[j] = pre[j + 1];
                            inLeft[j] = in[j];
                        }
                        if(j > i){
                            preRight[j - i -1] = pre[j];
                            inRight[j - i -1] = in[j];    
                        }
                    }
                    node.left = reConstructBinaryTree(preLeft, inLeft);
                    node.right = reConstructBinaryTree(preRight, inRight);
                }
            }
     
            return node;   
        }
    }
    

    相关文章

      网友评论

          本文标题:重建二叉树

          本文链接:https://www.haomeiwen.com/subject/xjqaottx.html