gpt4 book ai didi

c++ - 随机二叉树中的插入函数

转载 作者:行者123 更新时间:2023-11-28 03:35:01 25 4
gpt4 key购买 nike

我在 C++ 中的二叉树中插入函数时遇到问题。节点已正确插入,直到我需要再次向右侧或左侧添加节点。该函数认为我在左侧或右侧都没有任何节点,因为我已经在这些地方插入了节点。

这是我的代码:

void insert(string data)
{
srand(time(NULL));
int r;
node *aux=head;
node *n=new node(data);
if (head==NULL)
{
head =n;
return;
}

while (aux!=NULL)
{
r=rand()%100;
if (r>50)
{
cout<<"\nRandom is "<<r<<", Therefore we have to go to the right."<<endl;
aux=aux->right;
}
else
{
cout<<"\nRandom is "<<r<<", Therefore we have to go to the left."<<endl;
aux=aux->left;
if (aux!=NULL)
{
cout<<aux->getdata()<<endl;
}
}
}

aux=n;
cout<<"\nWe insert "<<aux->getdata()<<endl;
}

最佳答案

这里对您的代码稍作修改:

void insert(string data)
{ srand(time(NULL));
int r;
node *aux=head;
node *n=new node(data);
if(head==NULL){
head =n;
return;
}

while(aux!=NULL) // We could put while(true) here.
{
r=rand(); // Modulo is a somehow slow operation
if((r & 1 )== 0) // This is much faster. It checks if r is even
{ cout<<"\nRandom is "<<r<<", which is even therefore we have to go to the right."<<endl;
if ( aux->right == NULL) // We found an empty spot, use it and break
{
aux->right = n; break;
}
else // else move to the right child and continue
{
aux=aux->right;
cout<<aux->getdata()<<endl;
}
}
else
{
cout<<"\nRandom is "<<r<<", which is odd Therefore we have to go to the left."<<endl;
if ( aux->left == NULL) // We found an empty spot, use it and break
{
aux->left = n; break;
}
else // else move to the left child and continue
{
aux=aux->left;
cout<<aux->getdata()<<endl;
}

}
}
cout<<"\nWe insert "<<n->getdata()<<endl;

}

主要原因是你误用了aux。这是我希望能帮助您找出错误的示例:

node * aux = head; // suppose head doesn't have any child node
node * n = new node(data);

aux = aux->left; // Set aux to point on the left child of head
aux = n; // Set aux to point on n

cout << aux == NULL?"Aux is null":"Aux is not null" << endl;
cout << head->left == NULL?"Left is null":"Left is not null" << endl;

这段代码应该返回:

Aux is not null
Left is null

原因是当我们将n分配给aux时,我们只是告诉aux指向n而不是指向左节点。我们没有将 n 指定为 head 的左 child 。

您也可以通过将 aux 声明为节点指针的指针来解决此问题。

node * * aux = &head;

关于c++ - 随机二叉树中的插入函数,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/11173956/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com