我查了这里几乎所有类似的帖子,但我不知道如何做我想做的。我尝试在一个C程序中输入一个数字,比如数字4,程序返回数组中的以下数字:
1
2
3
4
12
13
14
23
24
34
123
134
124
1234
更明确地说:如果输入的数字是4,那么我想使用数字1 - 4,并生成所有可能的数字组合(从1位数字组合到4位数字组合),而不重复数字。
我尝试了以下代码:
#include <stdio.h>
/* Prints out a combination like {1, 2} */
void printc(int comb[], int k) {
printf("{");
int i;
for (i = 0; i < k; ++i)
printf("%d, ", comb[i] + 1);
printf("\\b\\b}\\n");
}
int next_comb(int comb[], int k, int n) {
int i = k - 1;
++comb[i];
while ((i >= 0) && (comb[i] >= n - k + 1 + i)) {
--i;
++comb[i];
}
if (comb[0] > n - k) /* Combination (n-k, n-k+1, ..., n) reached */
return 0; /* No more combinations can be generated */
/* comb now looks like (..., x, n, n, n, ..., n).
Turn it into (..., x, x + 1, x + 2, ...) */
for (i = i + 1; i < k; ++i)
comb[i] = comb[i - 1] + 1;
return 1;
}
int main(int argc, char *argv[]) {
int n = 5; /* The size of the set; for {1, 2, 3, 4} it's 4 */
int k = 3; /* The size of the subsets; for {1, 2}, {1, 3}, ... it's 2 */
int comb[16]; /* comb[i] is the index of the i-th element in the
combination */
/* Setup comb for the initial combination */
int i;
for (i = 0; i < k; ++i)
comb[i] = i;
/* Print the first combination */
printc(comb, k);
/* Generate and print all the other combinations */
while (next_comb(comb, k, n))
printc(comb, k);
return 0;
}
上面的程序打印结果。我想以某种方式得到结果...但是我不能,因为上面的代码以一种奇怪的方式打印结果。
3条答案
按热度按时间pexxcrt21#
我们用int来表示一个集合。对于第i位,如果它是1,那么i在集合中,反之亦然。
例如:1010(2)={4,2} 1111(2)={4,3,2,1}
对于将要考虑的每个元素,都有两种选择:在或不在组中。
所以,总共有2^n个不同的集合,在我的代码中,我只是枚举每个可能的整数对应一个集合,并输出对应的集合。
所以我们得到这个代码:
当n=4时,输出:
如果你想把答案按照给出的顺序输出,只要把它们变成字符串,然后把这些字符串放入向量中并排序。
如果n很大,可以使用bitset,但是当n〉30时,它可能不会在几个小时内终止,所以int是有效的。
2ic8powd2#
这是一个生成数字组合的程序。它是用C编写的。但是它可以用任何其他语言重写。现在,只要编译它并尝试一下就可以了!
运行n=4:
p8ekf7hl3#
接受答案中的注解问道:
“很棒的短解,有没有办法改变它,使它按顺序生成组合?例如1、2、3、4、12、13、23、14、24、34、123、124、134、234、1234”
下面的程序将按此顺序生成组合。
这个程序的工作方式与公认答案相同--使用数字的基本二进制模式来找到组合。
程序首先显示C(4,0),然后显示C(4,1),接着显示C(4,2)、C(4,3),最后显示C(4,4)。
该程序可以很容易地扩展。只要增加n的值并在数组中添加适当的2的幂。虽然不是很有效,但该程序确实产生了所需的组合序列。
程序输出: