我正在进行一项任务,我保留了用户的BST,这是根据他们的名字按字母顺序排序的。
删除功能使用inorder遍历根据他的名字查找用户,然后将他从树中删除。
该分配在学校系统中进行测试,我不知道输入是什么,但只有使用元素删除的测试失败,因为一旦系统再次询问树内容,我会返回错误的名称。我已经在这几个小时了,我无法弄清楚我做错了什么。
相关代码:
//User struct
struct user{
char name[100];
int height;
struct user* left;
struct user* right;
};
//finds the leftmost child of a node
struct user* minUser(struct user* user)
{
struct user* min = user;
while (min->left != NULL)
min = min->left;
return min;
}
//recursive delete function
struct user* delete(struct user *root, char *name){
if (root == NULL)
return NULL;
int compare = strcmp(name,root->name);
if (compare<0){
root->left = delete(root->left,name);
}
else if (compare>0){
root->right = delete(root->right,name);
}
else {
//If node has only one child
if (root->left == NULL){
struct user* temp = root->right;
free(root);
return temp;
} else if (root->right == NULL){
struct user* temp = root->left;
free(root);
return temp;
}
//If node has both children. I suspect the error to be here most likely
struct user* temp = minUser(root->right);
strcpy(root->name, temp->name);
//root->height = temp->height;
root->right = delete(root->right, strdup(temp->name));
}
return root;
}
答案 0 :(得分:1)
问题不在于我最初假设的地方。它在struct定义中包含char name [100];。当我将其更改为指针char *名称并在插入新用户时为其动态分配内存时,它通过了测试。
很抱歉这个混乱。