我需要将用 Python 编写的代码段移植到 C++ 中,但该代码段使用 Python 中的 itertools 组合。
我真正有兴趣移植到 C++ 的行是这一行:
for k in combinations(range(n-i),2*i):
range(n-i)
在 Python 中将生成一个列表0 to (n-i) - 1
设 n = 16, i = 5
print range(n-i)
输出:
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
和 python 组合将在该列表中生成所有可能的组合。
例如
print list(combinations(range(n-i),2*i))
输出:
[(0, 1, 2, 3, 4, 5, 6, 7, 8, 9), (0, 1, 2, 3, 4, 5, 6, 7, 8, 10), (0, 1, 2, 3, 4, 5, 6, 7, 9, 10), (0, 1, 2, 3, 4, 5, 6, 8, 9, 10), (0, 1, 2, 3, 4, 5, 7, 8, 9, 10), (0, 1, 2, 3, 4, 6, 7, 8, 9, 10), (0, 1, 2, 3, 5, 6, 7, 8, 9, 10), (0, 1, 2, 4, 5, 6, 7, 8, 9, 10), (0, 1, 3, 4, 5, 6, 7, 8, 9, 10), (0, 2, 3, 4, 5, 6, 7, 8, 9, 10), (1, 2, 3, 4, 5, 6, 7, 8, 9, 10)]
我想使用std::vector
和next_permutation
从 C++ 生成类似的输出,但我仍然得到错误的结果。这是我目前的做法:
for(int j = 0; j < n-i; j++) {
temp_vector.push_back(j);
}
该代码段相当于range(n-i)
Python 中的代码段。
但以下片段:
do {
myvector.push_back(temp_vector);
} while(next_permutation(temp_vector.begin(),temp_vector.begin()+2*i));
cout<<myvector.size()<<endl;
不等同combinations(range(n-i),2*i))
于 Python,我尝试了很多变体,但仍然无法得出我期望的结果。
例如:
设 n = 16 i = 5
Python
>>> print len(list(combinations(range(n-i),2*i)))
11
C++
#include <vector>
#include <iostream>
using namespace std;
int main() {
vector<int> temp_vector;
vector< vector<int> > myvector;
int n = 16, i = 5;
for(int j = 0; j < n - i; j++) {
temp_vector.push_back(j);
}
do {
myvector.push_back(temp_vector);
} while(next_permutation(temp_vector.begin(), temp_vector.begin()+2*i));
cout<<myvector.size()<<endl;
return 0;
}
g++ combinations.cpp
./a.out
3628800
任何指导将不胜感激!非常感谢!