我在编写算法来计算树中独立集的数量时遇到了麻烦。 (一个独立的集合是任何两个节点之间没有边缘的地方。)
这是我的ListNode的java类:
1public class ListNode
2{
3 private Object data;
4 private ListNode next;
5
6 public ListNode(Object data, ListNode next)
7 {
8 this.data = data;
9 this.next = next;
10 }
11
12 public Object getData() {return data;}
13 public ListNode getNext(){return next;}
14 public void setNext(ListNode n){next = n;}
15 public void setData(Object d){data = d;}
16 public boolean search(ListNode l, Object o)
17 {
18 while (l != null){
19 if (l.getData().equals(o))
20 return true;
21 l = l.getNext();
22 }
23 return false;
24 }
25 public static ListNode rev(ListNode curr)
26 {
27 ListNode rev = null;
28 while (curr != null){
29 rev = new ListNode(curr.getData(), rev);
30 curr = curr.getNext();
31 }
32 return rev;}}
我的TreeNode的java类:
1public class TreeNode
2{ ListNode children = null;
3 public void addChild(TreeNode t)
4 {
5 if (children == null)
6 children = new ListNode(t, null);
7 else{
8 ListNode curr = children;
9 while (curr.getNext() != null)
10 curr = curr.getNext();
11 curr.setNext(new ListNode(t, null));
12 }}
13 public void setChildren(ListNode t){this.children = t;}
14 public int numStableSet()
15 {
16
17 if (children == null || children.getNext() == null)
18 return 2;
19 else{
20 int count = 2;
21 setChildren(children.getNext());
22 count *= numStableSet();
23 return count;
24 }
25 }
方法numStableSet是我需要一些编码帮助的方法。正如现在设置的那样,它打印出的正确答案少于1。我还没有弄清楚每个Node本身可能是树的情况。
帮助表示赞赏
答案 0 :(得分:1)
我不相信你的算法总会被一个人拒之门外。让我们考虑一些示例案例,从最简单的案例开始。
由于您的代码似乎为单个节点和具有单个子节点的节点提供了相同的结果2,因此我认为您的代码是错误的。
现在让我们考虑递归情况,找到正确的算法。您当前正在访问给定节点。您可以决定不在稳定集中包含该节点,然后访问其所有子节点并为这些节点选择任意稳定集。或者您可以决定包含当前节点,但前提是它没有包含自己的父节点,并且当递归到子节点时,您必须确保不计算这些节点。跟踪所有可能的方法来结合这些选择,你有你的计数。在pythonic伪代码中:
def combinationsWithoutCurrent(current):
num = 1
for child in current:
num *= stableSet(child)
return num
def combinationsWithCurrent(current):
num = 1
for child in current:
num *= combinationsWithoutCurrent(child)
return num
def stableSet(current):
return (combinationsWithCurrent(current) +
combinationsWithoutCurrent(current))
由于您更喜欢Java和模糊的手工容器类,下面是一些关于我猜测您的数据结构的Java代码。由于您从未在树遍历中调用getData
,因此我无法在代码中看到任何实际的递归。所以我的猜测可能是错的。
private int combinationsWithoutCurrent() {
int num = 1;
for (ListNode iter = children; iter != null; iter = iter.getNext())
num *= ((TreeNode)iter.getData()).numStableSets();
return num;
}
private int combinationsWithCurrent() {
int num = 1;
for (ListNode iter = children; iter != null; iter = iter.getNext())
num *= ((TreeNode)iter.getData()).combinationsWithoutCurrent();
return num;
}
public int numStableSet() {
return combinationsWithCurrent() + combinationsWithoutCurrent();
}