我有来自某个来源的物品(来自其他地方):
public class ItemsFromSource{
public ItemsFromSource(string name){
this.SourceName = name;
Items = new List<IItem>();
}
public string SourceName;
public List<IItem> Items;
}
现在在MyClass中,我有来自多个来源的项目(来自其他地方):
public class MyClass{
public MyClass(){
}
public List<ItemsFromSource> BunchOfItems;
}
有没有一种简单的方法可以一次遍历BunchOfItems中所有ItemsFromSources中的所有Items? 即,像:
foreach(IItem i in BunchOfItems.AllItems()){
// do something with i
}
而不是
foreach(ItemsFromSource ifs in BunchOffItems){
foreach(IItem i in ifs){
//do something with i
}
}
答案 0 :(得分:14)
好吧,你可以使用linq函数SelectMany来 flatmap (创建子列表并将它们压缩成一个)值:
foreach(var i in BunchOfItems.SelectMany(k => k.Items)) {}
答案 1 :(得分:5)
您可以使用SelectMany
:
foreach(IItem i in BunchOffItems.SelectMany(s => s.Items)){
// do something with i
}
答案 2 :(得分:3)
你可以为你做一个功能。
Enumerable<T> magic(List<List<T>> lists) {
foreach (List<T> list in lists) {
foreach (T item in list) {
yield return item;
}
}
}
然后你就做了:
List<List<int>> integers = ...;
foreach (int i in magic(integers)) {
...
}
另外,我认为PowerCollections会有一些开箱即用的东西。
答案 3 :(得分:0)
//Used to flatten hierarchical lists
public static IEnumerable<T> Flatten<T>(this IEnumerable<T> items, Func<T, IEnumerable<T>> childSelector)
{
if (items == null) return Enumerable.Empty<T>();
return items.Concat(items.SelectMany(i => childSelector(i).Flatten(childSelector)));
}
我认为这对你想做的事情有用。欢呼声。