递归得到n个人k组不同组合的个数
我正在使用 Java 练习递归,但遇到了问题。我正在尝试创建一种称为“组”的方法,该方法需要一定数量的人和有多少个组,然后返回人和组的不同组合的数量。此外,组中人员的顺序并不重要,组的顺序也不重要。
到目前为止我的代码是:
public long groups(int n, int k) {
if(k==1) return 1;
if(k==n) return 1;
else return groups(n-1, k) + groups(n-1, k-1);
}
但是它返回错误的值。前两行是基本情况,如果有 1 组,那么只有一种方法可以将人员分开,这是有道理的。另一种情况是,人数与组数一样多,在这种情况下,只有一种方法可以将他们分开,即每组一个人。最后一个语句是我认为我遇到问题的地方,我认为每次进行递归调用时,都必须取出一个人(n是人数,所以n-1)并且该人可以以太加入一个组 (k) 或创建自己的组 (k-1)。
我只是在弄清楚递归如何工作方面遇到了一些麻烦,并且需要一些帮助。
这些是我期望的值:
groups(2,1) = 1
groups(2,2) = 1
groups(3,2) = 3
groups(4,2) = 7
groups(4,3) = 6
groups(5,3) = 25
I'm practicing recursion using Java and I've hit a problem. I'm trying to make a method which I'm calling "groups" which takes a number of people and how many groups there are and returns the number of different combinations there are of people and groups. Also, the ordering of people in the groups does not matter, nor does the ordering of the groups.
The code I have so far is:
public long groups(int n, int k) {
if(k==1) return 1;
if(k==n) return 1;
else return groups(n-1, k) + groups(n-1, k-1);
}
However it returns the wrong values. The first two lines are the base cases, which say if there is 1 group, then there is only one way to split the people up, makes sense. The other is when there are just as many people as there are groups, in which case theres only one way to split them up, one person into each group. The last statement is where I think I'm having problems, I would think that each time it does a recursive call, one person has to be taken out (n is the number of people, so n-1) and that person can ether join a group (k) or make their own group (k-1).
I'm just having a little trouble figuring out how recursion works and could use a little help.
These are the values I'm expecting:
groups(2,1) = 1
groups(2,2) = 1
groups(3,2) = 3
groups(4,2) = 7
groups(4,3) = 6
groups(5,3) = 25
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(2)
该部分的实现中缺少一些内容
我认为这个人可以加入“k”个组,所以代码必须是
(缺少乘以
k
)There is something missing in the implementation of that part
I think the person can join 'k' groups, so the code must be
(was missing multiplication by
k
)有一种更简单(更快)的方法来计算组合 - 这就是二项式系数。虽然我可以理解您的老师可能希望您以这种方式编写递归函数以熟悉递归,但您可以使用此公式作为检查。
就您而言,您在此处报告了错误的预期值。您想要的是,
如果上面的值是它应该返回的值,那么您发布的代码就是正确的。
(如果没有,也许您可以通过更清楚地解释您正在解决的问题与 有何不同来更好地澄清问题二项式系数。)
There's a much easier (faster) way to compute combinations -- that's the binomial coefficient. While I can understand that your teacher may want you write a recursive function this way to become familiar with recursion, you can use this formula as a check.
In your case, you're reporting the wrong expected values here. What you want is
and the code you've posted is correct if the values above are what it's supposed to return.
(If not, perhaps you can better clarify the problem by explaining more clearly how the problem you're solving differs from the binomial coefficient.)