0

当我试图找到删除功能的最大值时,我的程序不断中断。我想要做的是用左树的最大值覆盖用户想要删除的内容,然后删除该节点。一旦到达第一个 Else,它就会不断断裂。递归让我心烦意乱。我的缺点在哪里?

这是具有私有递归兄弟的 remove 函数。

template<typename TYPE>
bool BinarySearchTree<TYPE>::remove(TYPE& data)
{
    bool found = search(dataOut);
    if(found)
        TRoot = Premove(TRoot, data);
    return found;
}

template<typename TYPE>
Node<TYPE>* BinarySearchTree<TYPE>::Premove(Node<TYPE>* root, TYPE& data)
{
    Node<TYPE>* del;
    Node<TYPE>* max;
    if(root)
    {
        if(root->data > data)
            root->left = Premove(root->left, data);
        else if(root->data < data)
            root->right = Premove(root->right, data);
        else
        {
            if(root->left && root->right)
            {
                max = root->left;
                while(max->data < max->right->data)
                    max = max->right;
                root->data = max->data;
                max = Premove(root, max->data);

            }
            else
            {
                del = root;
                root = (root->right) ? root->right : root->left;
                delete pDel;
            }
        }
    }
    return root;
}
4

2 回答 2

2

问题很可能在这里: while(max->data < max->right->data) max = max->right;

您快用完了树(max->right最终将变为 NULL)。实际上,由于它是二叉搜索树,因此无需比较data. 只要有可能,向右走就足够了:while (max->right) max=max->right;

还要注意这个分支的最后一个任务:还有两个额外的问题。首先,不是max = Premove(...)你应该做的root->left = Premove(...)(否则你不会修改 root->left 引用)。其次,你应该调用Premoveroot->left不是调用root: root->left = Premove(root->left, max->data);(否则你只会得到一个无限递归)。

于 2013-04-14T20:20:19.607 回答
0

I think your while statement should be like this:

while(max && max->right && max->data < max->right->data ) 

In some cases in your code, max or max->right could be NULL and it cause run_time error.

于 2013-04-14T20:22:31.287 回答