我想在java中实现二进制树,我的节点有问题。问题是我无法在根节点中保存newN。每次我尝试插入一个新节点时,root为null,指针不指向newN地址。当我找到一个null的节点时,我想让他指向一个newN(一个信息为== x的节点)和左右儿童在null)。我该如何解决这个问题?
public class Node {
public int info;
public Node left;
public Node right;
Node(int info) {
this.info = info;
}
}
public class BTree {
public Node root;
BTree() {
root = null;
}
public void add(int x) {
insert(root, x);
}
public boolean insert(Node r, int x) {
if (r == null) {
r = new Node(x);
return true;
}
else{
if (r.info == x) {
System.out.println("the value has already been added");
return false;
}
if (r.info < x)
insert(r.left, x);
if (r.info > x)
insert(r.right, x);
}
return false;
}
public void inOrder() {
inOrderTraverse(root);
}
public void inOrderTraverse(Node r) {
if (r != null) {
inOrderTraverse(r.left);
System.out.print(r.info + " ");
inOrderTraverse(r.right);
}
}
}
public class Main {
public static void main(String args[]){
BTree bt=new BTree();
bt.add(10);
bt.add(5);
bt.add(3);
bt.add(2);
bt.inOrder();
}
}
PS:我知道Java中没有指针,所有的函数调用都是用地址而不是值。不插入(Node r,int x)等价于insert(Node&amp; r,int&amp; ; r)来自c ++?
答案 0 :(得分:0)
基本上,insert(Node r, int x)
不等于insert(Node &r, int &x)
。 Java passes arguments by value, not by reference。更重要的是:
public boolean insert(Node r, int x) {
if (r == null) {
r = new Node(x);
return true;
}
else{
if (r.info == x) {
System.out.println("the value has already been added");
return false;
}
if (r.info < x)
insert(r.left, x);
if (r.info > x)
insert(r.right, x);
}
return false;
}
您认为为r
(new Node(x)
)分配值会为r
指向的位置分配值,但这不是Java理解事物的方式。将值分配给r
将覆盖r
的值,即r
现在引用新的Node
,但r
仅定位到insert()
{1}}功能。因此r
不再与传入的原始值有任何关联。
您可以更简单地正确实现某些内容:
public void add(int x) {
if (this.root == null) {
this.root = new Node(x);
} else {
r = this.root;
if (x > r.info) {
while (r != null && x > r.info) {
r = r.right;
}
r.right = new Node(x);
}
// similarly for x < root.info, etc.
}