我有一组n格式的 a b 我必须要做的是我必须从a,b中形成数字的不同组合。例如,
假设n = 4且a,b跟随
1 2
3 1
2 4
3 2
现在通过查看a,b总共有4个不同的数字,它们是(1,2,3,4)
可以形成所有不同数字的两个组合,它们是(1,3,4,2)和(2,1,4,3)如下: -
1 2
|
3 1
\
2 4
|
3 2
和
1 2
|
3 1
|
2 4
/
3 2
我的问题是我无法想到如何编码,因为n< = 50和a,b< = 16所以我不确定那里有多少个不同的数字,如果有16个数字那么我必须找到16个数字的所有可能组合,因此请指导我。
答案 0 :(得分:2)
要形成不同数字的列表,只需使用“唯一集”并继续插入所有数字。在C ++中,std :: set by definition只存储唯一的数字。
要查找不同序列的组合数,您必须保留一份“候选列表”列表,如果他们已经没有这些号码,请继续在其中插入数字,否则删除该特定候选列表。
C ++中的完整代码:
#include <iostream>
#include <vector>
#include <set>
using namespace std;
int main() {
int n = 4;
set<int> uniqueNumbers; // ordered set of unique numbers
vector< set<int> > possibleLists( 1 );
set<int>::iterator it;
for ( int i = 0; i < n; i++ ) {
int num1;
int num2;
cin >> num1 >> num2;
// numbers will be inserted if not already present in set (by definition)
uniqueNumbers.insert( num1 );
uniqueNumbers.insert( num2 );
// make a copy for a possible new branch
vector< set<int> > possibleListsCopy( possibleLists );
//int size1 = possibleLists.size();
for ( int j = 0; j < possibleLists.size(); j++ ) {
it = possibleLists[j].find( num1 );
if ( it == possibleLists[j].end() ) {
possibleLists[j].insert( num1 ); // insert if not found
//cout << "inserted1 "<<endl;
}
else {
// erase this possible combination
possibleLists[j].clear();
possibleLists.erase( possibleLists.begin() + j );
j--;
}
}
//int size2 = possibleListsCopy.size();
for ( int j = 0; j < possibleListsCopy.size(); j++ ) {
;
it = possibleListsCopy[j].find( num2 );
if ( it == possibleListsCopy[j].end() ) {
possibleListsCopy[j].insert( num2 ); // insert if not found
}
else {
// erase this possible combination
possibleListsCopy[j].clear();
possibleListsCopy.erase( possibleListsCopy.begin() + j );
j--;
}
}
// concatenate both set of lists.
possibleLists.insert( possibleLists.end(),
possibleListsCopy.begin(),
possibleListsCopy.end() );
}
cout << " The unique list: ";
//output the unique list.
for ( it = uniqueNumbers.begin(); it != uniqueNumbers.end(); it++ )
cout << *it << " ";
/*cout << endl << endl;
cout << "Possible Lists:" << endl;
for ( int i = 0; i < possibleLists.size(); i++ ) {
for ( it = possibleLists[i].begin(); it != possibleLists[i].end(); it++ )
cout << *it << " ";
cout << endl;
}*/
cout << endl << "Total number of combinations: "
<< possibleLists.size() << endl;
return 0;
}
输入: 1 2 3 1 2 4 3 2
输出: 独特的清单:1 2 3 4 组合总数:2
答案 1 :(得分:0)
递归可能是解决像这样的组合问题时最简单的方法。我们的想法是,您考虑当前项目的所有可能性,然后通过递归剩余项目来完成其余工作。在这种情况下,您需要传递一些关于不使用哪些项目的额外信息。
它的工作原理如下:
def DistinctChooseFromEach(listOfChoicePairs, alreadyUsed = {}):
if listOfChoicePairs is empty: return []
for value in listOfChoicePairs[0]:
if value in alreadyUsed: continue;
newUsed = union(alreadyUsed, value)
remainingChoices = listOfChoicePairs[1:];
tails = DistinctChooseFromEach(remainingChoices, newUsed)
for tail in tails:
yield concat(value, tail)