文字列のリストの可能なすべての組み合わせのリストを生成したいと考えています (実際にはオブジェクトのリストですが、簡単にするために文字列を使用します)。単体テストで可能なすべての組み合わせをテストできるように、このリストが必要です。
たとえば、次のリストがあるとします。
var allValues = new List<string>() { "A1", "A2", "A3", "B1", "B2", "C1" }
List<List<string>>
次のようなすべての組み合わせが必要です。
A1
A2
A3
B1
B2
C1
A1 A2
A1 A2 A3
A1 A2 A3 B1
A1 A2 A3 B1 B2
A1 A2 A3 B1 B2 C1
A1 A3
A1 A3 B1
etc...
再帰関数ですべての組み合わせを取得する方法なのかもしれませんが、想像以上に難しそうです。
ポインタはありますか?
ありがとうございました。
EDIT:再帰の有無にかかわらず、2つのソリューション:
public class CombinationGenerator<T>
{
public IEnumerable<List<T>> ProduceWithRecursion(List<T> allValues)
{
for (var i = 0; i < (1 << allValues.Count); i++)
{
yield return ConstructSetFromBits(i).Select(n => allValues[n]).ToList();
}
}
private IEnumerable<int> ConstructSetFromBits(int i)
{
var n = 0;
for (; i != 0; i /= 2)
{
if ((i & 1) != 0) yield return n;
n++;
}
}
public List<List<T>> ProduceWithoutRecursion(List<T> allValues)
{
var collection = new List<List<T>>();
for (int counter = 0; counter < (1 << allValues.Count); ++counter)
{
List<T> combination = new List<T>();
for (int i = 0; i < allValues.Count; ++i)
{
if ((counter & (1 << i)) == 0)
combination.Add(allValues[i]);
}
// do something with combination
collection.Add(combination);
}
return collection;
}
}