(n=10, k=5)
的所有可能组合。订单无关紧要。
例如:"A", "B", "C", if k=2 (n=3 in this case)
,它想要AB,BC和AC。也许你知道一些有用的代码或例子。
P.S。对不起,如果我不够正确,因为我不太懂英语。
答案 0 :(得分:17)
您要做的是获取集合的所有排列。
以下是代码段:
static void Main(string[] args)
{
var list = new List<string> { "a", "b", "c", "d", "e" };
var result = GetPermutations(list, 3);
foreach (var perm in result)
{
foreach (var c in perm)
{
Console.Write(c + " ");
}
Console.WriteLine();
}
Console.ReadKey();
}
static IEnumerable<IEnumerable<T>> GetPermutations<T>(IEnumerable<T> items, int count)
{
int i = 0;
foreach (var item in items)
{
if (count == 1)
yield return new T[] { item };
else
{
foreach (var result in GetPermutations(items.Skip(i + 1), count - 1))
yield return new T[] { item }.Concat(result);
}
++i;
}
}
输出:
a b c
a b d
a b e
a c d
a c e
a d e
b c d
b c e
b d e
c d e
答案 1 :(得分:1)
public IActionResult Index()
{
var list = new List<string> { "a", "b", "c", "d", "e" };
List<string> ret = GetAllCombinations(list).OrderBy(_ => _).ToList();
return View();
}
static IEnumerable<string> GetAllCombinations(IEnumerable<string> list)
{
return list.SelectMany((mainItem, mi) => list.Where((otherItem, oi) => mi < oi)
.Select(otherItem => mainItem + otherItem));
}
后撤:
ab
ac
ad
ae
bc
bd
be
cd
ce
de
答案 2 :(得分:0)
更具功能性的解决方案
var list = new List<string> { "a", "b", "c", "d", "e" };
GetAllCombinations(list).OrderBy(_ => _).ToList().ForEach(Console.WriteLine);
static IEnumerable<string> GetAllCombinations(IEnumerable<string> list)
{
return list.SelectMany(mainItem => list.Where(otherItem => !otherItem.Equals(mainItem))
.Select(otherItem => mainItem + otherItem));
}
输出继电器:
ab
ac
ad
ae
ba
bc
bd
be
ca
cb
cd
ce
da
db
dc
de
ea
eb
ec
ed
答案 3 :(得分:0)
这是我整理的内容:
static class LinqExtensions
{
public static IEnumerable<IEnumerable<T>> CombinationsWithoutRepetition<T>(
this IEnumerable<T> items,
int ofLength)
{
return (ofLength == 1) ?
items.Select(item => new[] { item }) :
items.SelectMany((item, i) => items.Skip(i + 1)
.CombinationsWithoutRepetition(ofLength - 1)
.Select(result => new T[] { item }.Concat(result)));
}
public static IEnumerable<IEnumerable<T>> CombinationsWithoutRepetition<T>(
this IEnumerable<T> items,
int ofLength,
int upToLength)
{
return Enumerable.Range(ofLength, Math.Max(0, upToLength - ofLength + 1))
.SelectMany(len => items.CombinationsWithoutRepetition(ofLength: len));
}
}
...
foreach (var c in new[] {"a","b","c","d"}.CombinationsWithoutRepetition(ofLength: 2, upToLength: 4))
{
Console.WriteLine(string.Join(',', c));
}
产生:
a,b
a,c
a,d
b,c
b,d
c,d
a,b,c
a,b,d
a,c,d
b,c,d
a,b,c,d
请注意,这很简洁但效率低下,不应用于大型集合或内部循环。值得注意的是,短数组会被多次重新创建并可以被记忆,而IEnumerable
将被重复多次,如果不注意,可能会导致意外的工作。
此外,如果输入包含重复项,则输出也将重复。首先使用.Distinct().ToArray()
,或者使用另一种解决方案,其中包括相等性检查,并且为了普遍起见,可以采用IEqualityComparer
。