我有一个包含1,2,...,9的整数二进制搜索树。我的遍历方法有效,我知道节点在那里,并且顺序正确。
我创建了两个搜索方法,一个查找并返回节点,另一个调用该方法并根据返回的内容打印节点是否存在(null表示它不存在)。 / p>
然而,findNode(int,BSTNode)会一直返回root。当我将它与在线示例代码进行比较时,似乎是正确的。
这里有两个方法,我从7,5,6,1,12,15的main方法调用searchPrint(int)(注意树中不存在12& 15):
//this method calls findNode(int,BSTNode) and prints a message if the value is found
// in the tree
public void searchPrint(int value)
{
System.out.print(value);
if (findNode(value, root) == null)
{
System.out.println(" does not exist in the tree.");
} else
{
System.out.println(" exists in the tree.");
}
}//end searchPrint(int) ----------------------------------------------------
//this method recursively looks for the node that contains 'value' and
//returns that node if it is found. Returns null if no nodes contain
//the value.
private BSTNode findNode(int value, BSTNode current)
{
if(current != null)
{
if (value == current.getValue())
{
System.out.print(" **Test* entering "
+ "if(value = current.value loop...** ");
return current;
} else
{
if (value < current.getValue())
{
findNode(value,current.getLeft());
} else
{
findNode(value,current.getRight());
}
}
} else
{
return null;
}
return current;
}//end findNode(int,BSTNode) -----------------------------------------------
这是输出:
Traversals:
in-order
1
2
3
4
5
6
7
8
9
pre-order
6
2
1
4
3
5
7
9
8
post-order
1
3
5
4
2
8
9
7
6
7 **Test* entering if(value = current.value loop...** exists in the tree.
5 **Test* entering if(value = current.value loop...** exists in the tree.
6 **Test* entering if(value = current.value loop...** exists in the tree.
1 **Test* entering if(value = current.value loop...** exists in the tree.
12 exists in the tree.
15 exists in the tree.
我在纸上写下了当我搜索一个值时会发生什么,并且返回根目录没有意义。我做错了什么?
答案 0 :(得分:3)
您的递归通话findNode(value,current.getLeft());
或findNode(value,current.getRight());
将返回实际结果。你只是保持结果没有任何用处。
而不是那样,
使用
return findNode(value,current.getLeft());
和
return findNode(value,current.getRight());
答案 1 :(得分:2)
你在findNode()的递归调用中缺少返回值,所以它总是在方法结束时到达返回值
更改为:
private BSTNode findNode(int value, BSTNode current)
{
if(current != null)
{
if (value == current.getValue())
{
System.out.print(" **Test* entering "
+ "if(value = current.value loop...** ");
return current;
} else
{
if (value < current.getValue())
{
return findNode(value,current.getLeft());
} else
{
return findNode(value,current.getRight());
}
}
} else
{
return null;
}
return current;
}