我正在尝试编写一个方法来查找给定节点的父节点。这是我的方法
我创建了一个BinaryNode
对象r,它最初是指root。
public BinaryNode r=root;
public BinaryNode parent(BinaryNode p){
BinaryNode findParent=p;
if (isRoot(findParent) || r==null){
return null;
}
else{
if(r.left==findParent || r.right==findParent)
return r;
else{
if (r.element<findParent.element)
return parent(r.right);
else
return parent(r.left);
}
}
}
这些代码无法正常工作。我认为这是因为r是一个空对象。因为我做的时候
if (isRoot(findParent) || r==null){
System.out.println(r==null);
return null;}
r==null
评估为true
。为什么会发生这种情况,因为我已插入节点
public static void main (String args[]){
BinaryTree t=new BinaryTree();
t.insert(5);
t.insert(t.root,4);
t.insert(t.root,6);
t.insert(t.root,60);
t.insert(t.root,25);
t.insert(t.root,10);
并且root不为空。
有人可以指出为什么会发生这种情况,以及我为了找到父节点而尝试做的事情在逻辑上是否正确。
答案 0 :(得分:7)
问题是你必须跟踪你当前的节点,同时保持你想要找到的父节点。据我了解你的代码,你保留变量,但永远不要改变它 我建议使用辅助函数。这看起来像是这样的:
public BinaryNode parent(BinaryNode p){
parentHelper(root,p)
}
private BinaryNode parentHelper(BinaryNode currentRoot, BinaryNode p) {
if (isRoot(p) || currentRoot==null){
return null;
}
else{
if(currentRoot.left==p || currentRoot.right==p)
return currentRoot;
else {
if (currentRoot.element<p.element) {
return parentHelper(currentRoot.right,p);
}
else {
return parentHelper(currentRoot.left,p);
}
}
}
}
答案 1 :(得分:2)
我将价值与价值进行了比较,因为我没有定义比较节点的方法。
public static Node FindParent(Node root, Node node)
{
if (root == null || node == null)
{
return null;
}
else if ( (root.Right != null && root.Right.Value == node.Value) || (root.Left != null && root.Left.Value == node.Value))
{
return root;
}
else
{
Node found = FindParent(root.Right, node);
if (found == null)
{
found = FindParent(root.Left, node);
}
return found;
}
}
答案 2 :(得分:1)
使用两个参数:一个用于当前节点,另一个用于要搜索的节点。
答案 3 :(得分:0)
以下是使用堆栈数据结构查找父节点的代码。
Stack<TreeNode> parentStack = new Stack<TreeNode>();
public static void inOrderTraversal(TreeNode root){
if(root != null){
if(parentStack.size()==0){
parentStack.push(root);
}
if(root.getLeftChild()!=null){
parentStack.push(root);
inOrderTraversal(root.getLeftChild());
}
parent = parentStack.pop();
System.out.println(root.getNodeValue()+"'s parent is "+parent.getNodeValue());
if(root.getRightChild()!=null){
parentStack.push(root);
inOrderTraversal(root.getRightChild());
}
}
else{
if(root==null){System.err.println("Can't process a empty root tree");}
}
}
答案 4 :(得分:0)
我更愿意将尽可能多的工作委派给较低级别的组件,在这种情况下为Node类。回复:找到节点的父节点,这就是我的方法...
template <typename T>
Node<T>* Node<T>::parent (const Node<T>* node)
{
if (node)
{
if (*node < *this)
{
if (left && (*node < *left))
return left->parent (node);
return this;
}
if (*node > *this)
{
if (right && (*right > *node))
return right->parent (node);
return this;
}
}
return nullptr;
}