質問はわかりにくいですが、次のコードで説明されているように、より明確です。
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を使用して可能かどうか不明ですか?
本質的に、どのように連結または「flatten」リストのリストですか?
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;
List<List<List<x>>>
などの場合、使用
list.SelectMany(x => x.SelectMany(y => y)).ToList();
これはコメントで投稿されましたが、私の意見では別の返信に値します。