只显示二叉树的节点是什么样的。我不确定有什么问题,但我觉得它与私有功能有关。我如何比较私有数据,以便我可以看到我正在寻找的值是否在该节点内?
class binarytree
{
private:
class node
{
public:
int data;
node * left;
node * right;
node (int x)
{
data = x;
left=NULL;
right=NULL;
}
};
node * root;
这就是我插入节点的方式
void insert(int x, node * &r)
{
if(r==NULL)
{
r= new node(x);
}
else
{
if(x < r->data)
{
//insert left
insert(x, r->left);
}
else
{
//insert right
insert(x, r->right);
}
}
}
当我尝试将x与r-&gt;数据进行比较时,代码的一部分会给我带来麻烦,程序崩溃并给出错误消息“访问冲突读取位置0x00000000”
void remove(int x, node * &r)
{
if(x == r->data)
{
if(r->right == NULL && r->left == NULL)
{
r = NULL;
}
else if(r->right == NULL && r->left != NULL)
{
r = r->left;
}
else if(r->right != NULL && r->left == NULL)
{
r = r->right;
}
else
{
node * temp;
temp =r;
r = r->left;
while(r->right != NULL)
{
r = r->right;
}
r->right = temp->right;
delete temp;
}
}
else if ( x < r->data)
{
remove(x, r->left);
}
else if (x > r->data)
{
remove(x , r->left);
}
}
这是功能公开的地方。然后我调用私有函数,以便我可以操作私有树。
public:
binarytree()
{
root = NULL;
}
~binarytree()
{
//tooo: write this
}
//return true if empty, false if not
bool empty()
{}
void insert(int x)
{
insert(x, root);
}
void remove(int x)
{
remove(x,root);
}
};
编辑:这是该程序的另一个功能,但可能导致r指向NULL。
int extractMin(node * &r)
{
if(r->left == NULL)
{
if(r->right == NULL)
{
return r->data;
}
else
{
int x = r->data;
r = r->right;
return x;
}
}
else
{
return extractMin(r->left);
}
}
这是检查r是否为NULL的新函数
void remove(int x, node * &r)
{
if(r == NULL)
{
cout<<"why am I null?"<<endl;
}
else
{
if(x == r->data)
{
if(r->right == NULL && r->left == NULL)
{
r = NULL;
}
else if(r->right == NULL && r->left != NULL)
{
r = r->left;
}
else if(r->right != NULL && r->left == NULL)
{
r = r->right;
}
else
{
node * temp;
temp =r;
r = r->left;
while(r->right != NULL)
{
r = r->right;
}
r->right = temp->right;
delete temp;
}
}
else if ( x < r->data)
{
remove(x, r->left);
}
else if (x > r->data)
{
remove(x , r->left);
}
}
}
答案 0 :(得分:2)
在尝试访问内部成员之前,您应该始终检查NULL
:
void remove(int x, node * &r)
{
if(r != NULL)
{
// Your code
}
}
您致电r
NULL
,然后尝试检查r.Left
。那么你有违反访问权限
我也必须问,如果这对你有用吗?特别是insert
不会以这种方式工作。
尝试
void insert(int x, node * &r)
{
if(r==NULL)
{
r= new node(x);
}
else
{
if(x < r->data)
{
if(r->left != NULL)
{
//insert left
insert(x, r->left);
}
else
{
r->left = new node(x);
}
}
else
{
if(r->right != NULL)
{
//insert right
insert(x, r->right);
}
else
{
r->left = new node(x);
}
}
}
}
答案 1 :(得分:0)
错误说,当你试图解除引用时,r指向NULL。 所以你必须确保当你将memmory分配给r时它不会返回NULL。
binarytree()
{
root = NULL;
}
void remove(int x)
{
remove(x,root);
}
在您的情况下,您尝试解除引用NULL(如错误所示)当您在调用插入之前调用remove时,会在代码中发生这种情况。 你应该在删除开始时检查r是不是指向NULL。 或者甚至更好,确保在NULL为NULL时不会解析。
答案 2 :(得分:0)
r
以某种方式为空。您需要检查传入的r
是NULL
,还是检查root
是否为非空,只有在存在的情况下才会调用remove
。
答案 3 :(得分:0)
您正在将x
与root
进行比较。当您的树为空时,root == nullptr
。您应首先检查是否r == nullptr
,如:
bool remove(int x, node * &r) {
if(!r) {
return false; // Indicate whether removal succeeded
}
//... etc.
}