22

我有一个List<List<int>>. 我想将其转换为List<int>每个 int 都是唯一的。我想知道是否有人使用 LINQ 有一个优雅的解决方案。

我希望能够使用 Union 方法,但它每次都会创建一个新的 List<> 。所以我想避免做这样的事情:

List<int> allInts = new List<int>();

foreach(List<int> list in listOfLists)
   allInts = new List<int>(allInts.Union(list));

有什么建议么?

谢谢!

4

3 回答 3

60
List<List<int>> l = new List<List<int>>();

l.Add(new List<int> { 1, 2, 3, 4, 5, 6});
l.Add(new List<int> { 4, 5, 6, 7, 8, 9 });
l.Add(new List<int> { 8, 9, 10, 11, 12, 13 });

var result = (from e in l
              from e2 in e
              select e2).Distinct();

更新 09.2013

但是这些天我实际上会把它写成

var result2 = l.SelectMany(i => i).Distinct();
于 2009-01-20T20:12:46.160 回答
16
List<int> result = listOfLists
  .SelectMany(list => list)
  .Distinct()
  .ToList();
于 2009-01-20T20:36:07.877 回答
10

怎么样:

HashSet<int> set = new HashSet<int>();
foreach (List<int> list in listOfLists)
{
    set.UnionWith(list);
}
return set.ToList();
于 2009-01-20T20:09:49.380 回答