如何将具有相同types项目的列表合并到单个项目列表中?

这个问题令人困惑,但是如下面的代码所描述的那样更加清楚:

List<List<T>> listOfList; // add three lists of List<T> to listOfList, for example /* listOfList = new { { 1, 2, 3}, // list 1 of 1, 3, and 3 { 4, 5, 6}, // list 2 { 7, 8, 9} // list 3 }; */ List<T> list = null; // how to merger all the items in listOfList to list? // { 1, 2, 3, 4, 5, 6, 7, 8, 9 } // one list // list = ??? 

不知道是否有可能通过使用C#LINQ或Lambda?

从本质上讲,我如何连接或“ 扁平化 ”列表清单?

使用SelectMany扩展方法

 list = listOfList.SelectMany(x => x).ToList(); 

你的意思是?

 var listOfList = new List<List<int>>() { new List<int>() { 1, 2 }, new List<int>() { 3, 4 }, new List<int>() { 5, 6 } }; var list = new List<int> { 9, 9, 9 }; var result = list.Concat(listOfList.SelectMany(x => x)); foreach (var x in result) Console.WriteLine(x); 

结果在: 9 9 9 1 2 3 4 5 6

这是C#集成语法版本:

 var items = from list in listOfList from item in list select item;