注意:这是与家庭作业有关的,但我没有这样做,因为“家庭作业”标签被标记为obselete(?)
使用以下实现二叉树的类...
class TreeNode
{
private Object value;
private TreeNode left, right;
public TreeNode(Object initValue)
{
value = initValue;
left = null;
right = null;
}
public TreeNode(Object initValue, TreeNode initLeft, TreeNode initRight)
{
value = initValue;
left = initLeft;
right = initRight;
}
public Object getValue()
{
return value;
}
public TreeNode getLeft()
{
return left;
}
public TreeNode getRight()
{
return right;
}
public void setValue(Object theNewValue)
{
value = theNewValue;
}
public void setLeft(TreeNode theNewLeft)
{
left = theNewLeft;
}
public void setRight(TreeNode theNewRight)
{
right = theNewRight;
}
}
我需要计算二叉树中“只有子节点”的节点数,这被定义为一个节点,它没有源自其父节点的另一个节点。
这是我到目前为止所做的:
public static int countOnlys(TreeNode t)
{
if(t == null)
return 0;
if(isAnOnlyChild(t))
return 1;
return countOnlys(t.getLeft()) + countOnlys(t.getRight());
}
我不知道如何实施boolean
方法isAnOnlyChild(TreeNode t)
有人可以帮助我吗?
答案 0 :(得分:5)
你非常接近并且遍历看起来很好但是在你的Treenode中你没有孩子和它的父母之间的联系。所以你不能告诉左孩子是否存在兄弟姐妹(右孩子)。
您可以拥有父级Treenode(以及左侧和右侧),以便您可以检查给定节点的父级有多少个孩子。或者作为ajp15243建议,而是使用一种方法来检查给定节点有多少个子节点。
后者的一些伪代码:
//we still need to check if that only child has its own children
if hasOnlyChild(t)
return 1 + checkOnlys(left) + checkOnlys(right)
else
return checkOnlys(left) + checkOnlys(right)
答案 1 :(得分:2)
正如您已经注意到的,一种解决方案是计算只有一个孩子的父母数量。这应该有效:
public static int countOnlys(TreeNode t)
{
if(t == null || numberOfChildren(t)==0){
return 0;
}
if(numberOfChildren(t)==1){
return 1+ countOnlys(t.getLeft()) + countOnlys(t.getRight());
}
if(numberOfChildren(t)==2 ){
return countOnlys(t.getLeft()) + countOnlys(t.getRight());
}
return 0;
}
public static int numberOfChildren (TreeNode t){
int count = 0;
if(t.getLeft() != null ) count++;
if(t.getRight() != null) count++;
return count;
}
答案 2 :(得分:1)
如果其中一个子项非空(这意味着其子项中只有一个为空),则父项只有一个子项:
((t.getLeft() == null || t.getRight() == null)) && !(t.getLeft() == null && t.getRight() == null)
当您访问节点时,不会测试节点,因为递归代码遍历树。 (这与访客模式类似。)当您坐在父母身上时,您所做的就是测试一个独生子女。它实际上是一个逻辑异或 - 测试,因为只有一个子节点需要非空才能检测到该节点只有一个子节点。
所以算法是
就是这样。其余的是管道。
答案 3 :(得分:0)
每当您遍历二叉树时,请以递归方式思考。这应该有效。
public static int countOnlys(TreeNode t)
{
if(t == null)
return 0;
if (t.getLeft()==null&&t.getRight()==null)
return 1;
return countOnlys(t.getLeft())+countOnlys(t.getRight());
}
答案 4 :(得分:0)
public static int onlyChild(TreeNode t){
int res = 0;
if( t != null){
// ^ means XOR
if(t.getLeft() == null ^ t.getRight() == null){
res = 1;
}
res += onlyChild(t.getLeft()) + onlyChild(t.getRight()));
}
return res;
}
答案 5 :(得分:-1)
public int countNode(Node root) {
if(root == null)
return 0;
if(root.leftChild == null && root.rightChild == null)
return 0;
if(root.leftChild == null || root.rightChild == null)
return 1 + countNode(root.leftChild) + countNode(root.rightChild);
else
return countNode(root.leftChild) + countNode(root.rightChild);
}