假设我们有以下三个列表:
{ 1, 2, 2, 3 }
{ 2, 3, 3, 4 }
{ 2, 3, 4, 5, 5, 5 }
然后我们如何将以上内容转换为一个列表,让每个项目重复在列表中找到的最大次数。即,
{1, 2, 2 (Found twice in list 1), 3, 3 (Twice in list 2), 4, 5, 5, 5 (Thrice in list 3)}
我可以实现上述直通循环,但是,我正在寻找可能已经存在的LINQ方法。
答案 0 :(得分:5)
Linq一行
int[][] items = { new[]{ 1, 2, 2, 3 }, new[] { 2, 3, 3, 4 }, new[] { 2, 3, 4, 5, 5, 5 } };
var result = items.SelectMany(x => x.GroupBy(y => y)).GroupBy(x => x.Key).Select(x => x.OrderByDescending(y => y.Count()).First()).SelectMany(x => x);
答案 1 :(得分:2)
您在这里:
var xs = new [] { 1, 2, 2, 3 };
var ys = new [] { 2, 3, 3, 4 };
var zs = new [] { 2, 3, 4, 5, 5, 5 };
var result =
xs
.ToLookup(x => x)
.Concat(ys.ToLookup(x => x))
.Concat(zs.ToLookup(x => x))
.GroupBy(x => x.Key)
.Select(x => new { x.Key, count = x.Max(y => y.Count()) })
.SelectMany(x => Enumerable.Repeat(x.Key, x.count));
它提供您想要的结果。