BST からルート ノードを削除してから、ツリーを順番に出力しようとしています。ルートの削除に問題があるようです。他のすべてのノードは正常に削除されています。
ルートは 20 です。
inOrderPrint 5 6 7 8 9 10 17 18 20 23 24 25 29 55 56 57 58 59
削除するノードを提供する
20
削除後
5 6 7 8 9 10 17 18 20 5 6 7 8 9 10 17 18 23 24 25 29 55 56 57 58 59
削除後にわかるように、ビンツリーは期待どおりではありません。太字のキーは不要です。以下は私のコードです
void treeDeleteNode (binTreeT **tree, binTreeT *node)
{
binTreeT *succs;
binTreeT *parent;
binTreeT *root = *tree;
if (node->rchild == NULL) {
transplantTree (&root, node, node->lchild);
}
else if (node->lchild == NULL) {
transplantTree (&root, node, node->rchild);
}
else {
succs = treeMin (node->rchild);
parent = getParentNode (root, succs);
if (parent != node) {
transplantTree (&root, succs, succs->rchild);
succs->rchild = node->rchild;
}
transplantTree (&root, node, succs);
succs->lchild = node->lchild;
}
}
void transplantTree (binTreeT **root, binTreeT *old, binTreeT *new)
{
binTreeT *rootRef = *root;
binTreeT *parent;
parent = getParentNode(rootRef, old);
if (NULL == parent) {
*root = new;
}
else {
if (parent->lchild == old) {
parent->lchild = new;
}
else {
parent->rchild = new;
}
}
}
binTreeT* treeMin (binTreeT *tree)
{
while (tree->lchild != NULL) {
tree = tree->lchild;
}
return tree;
}
binTreeT* getParentNode(binTreeT *root, binTreeT* node)
{
binTreeT *parent = NULL;
while (root->data != node->data) {
parent = root;
if (node->data < root->data) {
root = root->lchild;
}
else if(node->data > root->data) {
root = root->rchild;
}
}
return parent;
}
void inOrderPrint (binTreeT *tree)
{
if (NULL != tree) {
inOrderPrint (tree->lchild);
printf("%d \t", tree->data);
inOrderPrint (tree->rchild);
}
}
.....任意の助けをいただければ幸いです.....