通常,您遇到的问题是属性A可以是true还是false,属性B也可以是true或false,依此类推。我们想测试A的每个组合是真的而B是假的,依此类推。例如,我们可能需要以下列表:
[true,true,true]
[true,true,false]
[true,false,true]
[true,false,false]
[false,true,true]
[false,true,false]
[false,false,true]
[false,false,false]
在Haskell或Python中,这可以通过列表产品函数来完成。
我的问题是,生成此内容的最简单和/或最快捷的方法是什么?我总是通过将数字转换为二进制,然后将二进制转换为数组来完成此操作。但这似乎很麻烦,因为十进制到二进制转换并不是完全无关紧要的,而且我们还需要担心用前导零填充二进制来正确填充数组。
我已经在不同的环境中实现并重新实现了这种功能足够多的时间来想知道,有没有一种简单的方法可以在必要时从头开始实现它 - 而不必真正思考?
答案 0 :(得分:5)
我不完全确定代码,但这些内容应该有效。
for( int i = 0; i < 8; i++ ){
printf( "[%s, %s, %s]\n", (i & 0x1)?"True":"False", ((i & 0x2) >> 1)?"True":"False" , ((i & 0x4) >> 2)?"True":"False" );
}
我正在迭代数字0到7(分别为000到111)并隔离每个位以识别布尔值。
答案 1 :(得分:3)
使用递归。
void f(x,i,n) {
if (i<n) {
x[i]=False;
f(x,i+1,n);
x[i]=True;
f(x,i+1,n);
}
else print(x);
}
答案 2 :(得分:1)
试试这个 -
void allCombinations(int numVars) {
for(int i = 0; i < (1<<numVars); i++) { //(1<<n) means 2^n
for(int j = 0; j < numVars; j++) {
if(i & (1<<j)) { //j-th variable value is true
//do something
}
else { //j-th variable is false
//do some other thing
}
}
}
}
这项技术被比赛程序员广泛使用。
答案 3 :(得分:-1)
最简单的方法是使用STL提供的next_permutation。以下代码来自cplusplus.com
// next_permutation
#include <iostream>
#include <algorithm>
using namespace std;
int main () {
int myints[] = {1,2,3};
cout << "The 3! possible permutations with 3 elements:\n";
sort (myints,myints+3);
do {
cout << myints[0] << " " << myints[1] << " " << myints[2] << endl;
} while ( next_permutation (myints,myints+3) );
return 0;
}