我试图实现二叉搜索树,但我认为我在插入函数中犯了一个错误。这是我的代码
#include<iostream>
#include<memory.h>
#include <cstddef>
using namespace std;
struct bst_node
{
int info;
struct bst_node *left_node_ptr;
struct bst_node *right_node_ptr;
};
struct bst_node* getnode(int x)
{
struct bst_node* ret= new bst_node;
ret->info=x;
ret->left_node_ptr=NULL;
ret->right_node_ptr=NULL;
return ret;
}
void insert(struct bst_node **root, int var_info)
{
struct bst_node *temp=(*root); // Links the temporary pointer to root of the BST
while(temp!=NULL) // Loop till I find a suitable position for inserting
{
if(temp->info > var_info)
{
temp=temp->left_node_ptr;
}
else
{
temp=temp->right_node_ptr;
}
}
temp= getnode(var_info);
return ;
}
/* Recursive In order Traversal */
void inorder_recursive( struct bst_node * L)
{
if(L!= NULL)
{
inorder_recursive(L->left_node_ptr);
cout<<L->info<<endl;
inorder_recursive(L->right_node_ptr);
}
return;
}
int main()
{
struct bst_node* my_root= getnode(5);
insert(&my_root, 6);
insert(&my_root, 3);
/*
int x=1;
int arr[]= {};
while(x)
{
cin>>x;
insert(&my_root, x);
}*/
inorder_recursive(my_root);
return 0;
}
答案 0 :(得分:2)
您实际上从未实际设置节点的left_node_ptr
或right_node_ptr
值。您的插入函数在树中运行,找到放置新节点的正确位置,然后分配节点 - 但实际上并不将新节点附加到您找到的父节点的左侧或右侧。
答案 1 :(得分:1)
你的搜索过了1级。您丢弃了要将新孩子附加到的节点。此外,temp = ...不会将任何内容附加到您的树上。您应该暂停一段时间,直到找到要附加到的子节点,然后执行以下任一操作:
temp-&gt; left_node_ptr = getnode(var_info); 要么 temp-&gt; right_node_ptr = getnode(var_info);
while(temp!=NULL) // Loop till I find a suitable position for inserting
{
if(temp->info > var_info)
{
temp=temp->left_node_ptr;
}
else
{
temp=temp->right_node_ptr;
}
}
temp= getnode(var_info);