我在互联网上搜索了很多如何做到这一点,但我没有想出一些我完全理解的东西。
我试图通过指定每个组中的字母数量来生成字母数组中的所有可能组合,例如:
信件:A, B, C
长度:2
结果:AB, AC, BC
(我知道有:BA
,CA
和CB
,但我只需要让订单无关紧要。)
示例2:
信件:A, B, C, D
长度:3
结果:ABC, ACD, BCD, CDA, DAB
等...
我打算用C ++实现该算法,但也欢迎使用C#,Java或Javascript中的示例。
答案 0 :(得分:1)
似乎非常适合递归。取每个元素,并将其添加到剩余的组合中,直到达到给定的深度。
static List<String> func(List<String> a, Int32 depth)
{
List<String> retVal = new List<String>();
if (depth <= 0)
{
return retVal;
}
for (int i = 0; i < a.Count; i++)
{
String element = a[i];
List<String> temp = new List<String>(a);
temp.RemoveAt(i);
List<String> resultset = func(temp, depth - 1);
if (resultset.Count == 0)
{
retVal.Add(element);
}
else
{
foreach (String result in resultset)
{
retVal.Add(element + result);
}
}
}
return retVal;
}
答案 1 :(得分:1)
如果您以可重复的方式订购它们,您将找到一种更容易生成它们的算法:
让它变得不那么容易,取5分之3:
e d c b a
---------
x x x abc
x x x abd
x x x abe
x x x acd
x x x ace
x x x ade
x x x bcd
x x x bce
x x x bde
x x x cde
答案 2 :(得分:1)
这被称为排列,有很多解决方案。 这是一个非递归的,我写的超快。 (如果您使用的是Windows,则可能需要查找_BitScanReverse而不是使用__builtin_ctz)。
#include <iostream>
#include <cstdlib>
using namespace std;
void perm(unsigned &v) { //v must be initialised with t = ( 2 << N ) - 1;
unsigned t = v | (v - 1);
v = (t + 1) | (((~t & -~t) - 1) >> (__builtin_ctz(v) + 1));
}
int main (int argc, char *argv[]) {
unsigned n = argc > 1 ? atoi(argv[1]) : 3; //bins: 0..31
unsigned k = argc > 2 ? atoi(argv[2]) : 2; //things: 0 .. bins.
unsigned m = (1 << n) - 1; //bitmask is size of n (bins).
unsigned v = (1 << k) - 1; //start value - initial allocation.
do {
cout << bitset<31>(v & m) << endl;
perm(v);
} while (v < m);
return 0;
}
在你的问题中你建议 - 字母:A,B,C长度:2作为例子。 所以,这段代码会生成(传递3 2作为参数)(我已经评论过)
ABC
011 //BC
101 //AC
110 //AB
答案 3 :(得分:0)
如果你稍微调整它,这应该有效:
void r_nCr(const unsigned int &startNum, const unsigned int &bitVal, const unsigned int &testNum) // Should be called with arguments (2^r)-1, 2^(r-1), 2^(n-1)
{
unsigned int n = (startNum - bitVal) << 1;
n += bitVal ? 1 : 0;
for (unsigned int i = log2(testNum) + 1; i > 0; i--) // Prints combination as a series of 1s and 0s
cout << (n >> (i - 1) & 1);
cout << endl;
if (!(n & testNum) && n != startNum)
r_nCr(n, bitVal, testNum);
if (bitVal && bitVal < testNum)
r_nCr(startNum, bitVal >> 1, testNum);
}
解释here。