以下binary search tree (BST)的实施有什么问题?我被告知最好使用指向struct
节点的指针作为插入函数中的参数。
struct node
{
int key_value;
struct node* left;
struct node* right;
};
insert(int key, struct node *leaf)
{
if( leaf == 0 )
{
leaf = (struct node*) malloc( sizeof( struct node ) );
leaf->key_value = key;
/* initialize the children to null */
leaf->left = 0;
leaf->right = 0;
}
else if(key < leaf->key_value)
{
insert( key, leaf->left );
}
else if(key > leaf->key_value)
{
insert( key, leaf->right );
}
}
答案 0 :(得分:2)
这一行:
leaf = (struct node*) malloc( sizeof( struct node ) );
给leaf
一个新值,指向一些新分配的内存。但是,新值不会离开函数。当函数返回时,调用者仍然会引用旧的leaf
,并且会有内存泄漏。
您可以采取两种方法来解决它:
1。使用指向指针的指针,例如
void insert(int key, struct node **leaf)
{
if(*leaf == 0 )
{
*leaf = (struct node*) malloc( sizeof( struct node ) );
...
}
/* In caller -- & is prepended to current_leaf. */
insert(37, ¤t_leaf);
2。返回新的叶子(如果没有变化,则返回旧叶子)。
struct node *insert(int key, struct node *leaf)
{
if(leaf == 0 )
{
leaf = (struct node*) malloc( sizeof( struct node ) );
...
}
return leaf;
}
/* In caller -- & is prepended to current_leaf. */
current_leaf = insert(37, current_leaf);
指针的指针接近难以理解的门槛。如果insert
当前没有返回任何其他内容,我可能会选择第二个选项。
答案 1 :(得分:1)
插入节点(leaf == 0)时,您没有更改其父节点,因此新节点将成为孤儿。
换句话说,无论使用insert调用多少个节点,您的树仍然只能看起来像一个节点。
答案 2 :(得分:-2)
#include<stdio.h>
typedef struct tnode{
int data;
struct tnode *left,*right;
}TNODE;
TNODE * createTNode(int key){
TNODE *nnode;
nnode=(TNODE *)malloc(sizeof(TNODE));
nnode->data=key;
nnode->left=NULL;
nnode->right=NULL;
return nnode;
}
TNODE * insertBST(TNODE *root,int key){
TNODE *nnode,*parent,*temp;
temp=root;
while(temp){
parent=temp;
if(temp->data > key)
temp=temp->left;
else
temp=temp->right;
}
nnode=createTNode(key);
if(root==NULL)
root=nnode;
else if(parent->data>key)
parent->left=nnode;
else
parent->right=nnode;
return root;
}
void preorder(TNODE *root){
if(root){
printf("%5d",root->data);
preorder(root->left);
preorder(root->right);
}
}
void inorder(TNODE *root){
if(root){
inorder(root->left);
printf("%5d",root->data);
inorder(root->right);
}
}
void postorder(TNODE *root){
if(root){
postorder(root->left);
postorder(root->right);
printf("%5d",root->data);
}
}
main(){
TNODE *root=NULL;
int ch,key;
do{
printf("\n\n1-Insert\t2-Preorder\n3-Inorder\t4-Postorder\n5-Exit\n");
printf("Enter Your Choice: ");
scanf("%d",&ch);
switch(ch){
case 1:
printf("Enter Element: ");
scanf("%d",&key);
root=insertBST(root,key);
break;
case 2:
preorder(root);
break;
case 3:
inorder(root);
break;
case 4:
postorder(root);
break;
default:
printf("\nWrong Choice!!");
}
}while(ch!=5);
getch();
return 0;
}