3

我编写了以下代码,用于从其中序和前序遍历构造一棵树。它对我来说看起来是正确的,但它产生的最终树与构建它的树没有相同的顺序输出。谁能帮我找出这个功能的缺陷?

public btree makeTree(int[] preorder, int[] inorder,  int left,int right)
{
    if(left > right)
        return null;

    if(preIndex >= preorder.length)
        return null;

    btree tree = new btree(preorder[preIndex]);
    preIndex++;

    int i=0;
    for(i=left; i<= right;i++)
    {
        if(inorder[i]==tree.value)
            break;

    }


        tree.left = makeTree(preorder, inorder,left, i-1);
        tree.right = makeTree(preorder, inorder,i+1, right );

    return tree;

}

注意:preIndex 是在函数外部声明的静态变量。

4

1 回答 1

5
in = {1,3,2,5}; pre = {2,1,5,3};

我在“手工”构建树时遇到了一些困难。pre表明2必须是根,in表明{1,3}是左子树的节点,{5}是右子树:

      2
     / \
    /   \
  {1,3} {5}

但是知道这一点,3不能是最后一个元素,pre因为它显然是左子树的一个元素,我们有一个右子树。这些树的有效前序遍历是{2,1,3,5}{2,3,1,5}。但是{2,1,5,3}是不可能的。

也许错误不在此方法中,而是在您创建中序和前序遍历的算法中。或者,可能是您随机选择in[]和的值吗?pre[]

于 2010-07-15T08:24:21.293 回答