大家好我怀疑在BST中插入一个新节点。在 addNode 模块中,我尝试在BST中插入一个元素,但每次添加新节点时,它都会添加到我从 main 传递的相同根节点函数最初没有遍历树内。
这是我写的代码。
#include<stdio.h>
#include<stdlib.h>
#include<cstdio>
#include<iostream>
using namespace std;
struct node
{
int data;
struct node *left;
struct node *right;
};
struct node* newNode(int data)
{
node* temp = (node*)malloc(sizeof(struct node));
//struct temp = new node;
temp->data = data;
temp->left = NULL;
temp->right = NULL;
return(temp);
};
int addNode(node *dest, node *root)
{
if(root == NULL)
{
cout<<"adding data to node for "<< dest->data<<endl;
root = dest;
cout<<"ROOT VALUE = root->data "<<root->data<<endl;
return 1;
}
if(dest->data > root->data)
{
cout<<"Traverse right for "<<dest->data<<endl;
addNode(dest, root->right);
}
else if(dest->data < root->data)
{
cout<<"Traverse left for "<<dest->data<<endl;
addNode(dest, root->left);
}
}
void printNodes(node *root)
{
if(root != NULL)
{
printNodes(root->left);
if(root->left != NULL && root->right != NULL)
std::cout<< root->data <<" ";
printNodes(root->right);
}
}
int main()
{
int i, j, k, flag;
int arr[6] = {4, 2,8, 1, 0, 10};
node *start = newNode(arr[0]);
for(i = 1; i < 6; i++)
{
node *newOne = newNode(0);
newOne->data = arr[i];
cout<<"NODE DATA - start->data "<<start->data;
if(addNode(newOne, start))
std::cout<<"\nNode added"<<endl;
}
printNodes(start);
return 1;
}
我对树木概念以及树木中的指针概念都很陌生。任何帮助表示赞赏,谢谢。
答案 0 :(得分:0)
...但每次添加新节点时,它都会添加到同一个根目录 节点
这是因为你总是把它添加到同一根,就像这里
一样if(addNode(newOne, start))
start
总是一样的。您可以让addNode
返回新的根并将其称为:
start = addNode(newOne,start);
我会留给你实施它。
请注意,参数始终按c ++中的值传递(除非您通过引用传递),因此更改方法内的参数root = dest;
对start
main
没有影响1}}。