我正在编写二叉树的删除功能。我将我的案例分为3.一个孩子都是null。一个有一个子null,一个有两个子不为null。在案例3之后,我递归地调用了删除操作。例如,你可以看到我在节点50上调用了删除操作。这将用75替换父节点50.现在我必须从右子树中删除节点75。所以我递归地运行了删除过程。但我没有得到所需的输出,因为75是右子树50中的根节点。如何修复它以便我能够删除根
class BST {
public static void main(String args[]) {
Tree tr;
tr = new Tree(100);
tr.insert(50);
tr.insert(125);
tr.insert(150);
tr.insert(25);
tr.insert(75);
tr.insert(20);
tr.insert(90);
tr.delete(50);
}
}
class Tree {
public Tree(int n) {
value = n;
left = null;
right = null;
}
public void insert(int n) {
if (value == n)
return;
if (value < n)
if (right == null)
right = new Tree(n);
else
right.insert(n);
else if (left == null)
left = new Tree(n);
else
left.insert(n);
}
public Tree min() {
if(left == null)
return this;
else
return left.min();
}
public Tree max(){
if(right == null)
return this;
else
return right.max();
}
public Tree find(int n)
{
if(n == value)
return this;
else if(n > value)
return right.find(n);
else if(n < value)
return left.find(n);
else
return null;
}
public Tree findParent(int n, Tree parent)
{
if(n == value)
return parent;
else if(n > value)
return right.findParent(n, this);
else if(n < value)
return left.findParent(n, this);
else
return null;
}
public void case1(int n, Tree tr, Tree parent)
{
if(parent.left.value == n)
parent.left = null;
else
parent.right = null;
}
public void case2(int n, Tree tr, Tree parent)
{
if(parent.left!=null && parent.left.value == n)
parent.left = parent.left.left;
else
parent.right = parent.right.right;
}
public void case3(int n, Tree tr, Tree parent)
{
int min = tr.right.min().value;
tr.value = min;
tr.right.delete(min);
}
public void delete(int n) {
// fill in the code for delete
Tree tr = find(n);
Tree parent = findParent(n, this);
if(tr == null)
{
System.out.println("The tree is not present in Binary Tree");
return;
}
if(tr.left == null && tr.right == null)
{
case1(n, tr, parent);
}
else if((tr.left == null) || (tr.right == null))
{
System.out.print(tr.right.value);
System.out.print(parent.right.value);
case2(n, tr, parent);
}
else
{
case3(n, tr, parent);
}
}
protected int value;
protected Tree left;
protected Tree right;
}
答案 0 :(得分:0)
嗯,你有两个选择:
第一种方式:您可以将树结构包装在隐藏此数据结构的实现细节的对象中。将所有相关的修改调用转发到根节点,并实现删除操作以处理应删除根节点的情况:在这种情况下,您只需替换包装器对象中的引用。
第二种方式:重用您所拥有的。请勿删除根节点,而是使用所需的新内容覆盖它。这样您就不必查找和更改节点的父节点,问题就解决了。这似乎更容易。