我已經使用循環在BST中插入了一個函數,它工作得很好。 現在,當iam使用遞歸進行寫操作時,我不知道爲什麼它不能正常工作,但根據我的邏輯是正確的。看起來沒有newnode被添加到BST樹和插入函數出來後樹的頭部再次變爲NULL。BST的遞歸插入
#include <iostream>
using namespace std;
class node{
public:
int data;
node *right;
node *left;
node(){
data=0;
right=NULL;
left=NULL;
}
};
class tree{
node *head;
int maxheight;
void delete_tree(node *root);
public:
tree(){head=0;maxheight=-1;}
void pre_display(node* root);
node* get_head(){return head;}
void insert(int key,node* current);
};
void tree::insert(int key,node *current){
if(current==NULL)
{
node *newnode=new node;
newnode->data=key;
current=newnode;
}
else{
if(key<current->data)
insert(key,current->left);
else
insert(key,current->right);
}
return;
}
void tree::pre_display(node *root){
if(root!=NULL)
{
cout<<root->data<<" ";
pre_display(root->left);
pre_display(root->right);
}
}
int main(){
tree BST;
int arr[9]={17,9,23,5,11,21,27,20,22},i=0;
for(i=0;i<9;i++)
BST.insert(arr[i],BST.get_head());
BST.pre_display(BST.get_head());
cout<<endl;
system("pause");
return 0;
}
請告訴我在算法中應該改變什麼才能使其工作。
但IAM發送頭指針從主,因此電流將相同遞歸的一審頭。 – Zohaib
您正在按值傳遞一個節點*。如果你通過引用BST ::頭將被正確更新 –
但我想保持BST頭私人。 – Zohaib