eriksmith200
eriksmith200

Reputation: 2179

Iterating through a list of lists?

I have Items from a certain source (populated from somewhere else):

public class ItemsFromSource{
    public ItemsFromSource(string name){
        this.SourceName = name;
        Items = new List<IItem>();
    }

    public string SourceName;
    public List<IItem> Items;
}

Now in MyClass I have Items from several sources (populated from somewhere else):

public class MyClass{
    public MyClass(){
    }

    public List<ItemsFromSource> BunchOfItems;
}

Is there a simple way to iterate through all Items in all ItemsFromSources in BunchOfItems in one go? i.e., something like:

foreach(IItem i in BunchOfItems.AllItems()){
    // do something with i
}

instead of doing

foreach(ItemsFromSource ifs in BunchOffItems){
    foreach(IItem i in ifs){
        //do something with i
    }
}

Upvotes: 10

Views: 27667

Answers (4)

bruno conde
bruno conde

Reputation: 48265

You can use SelectMany:

foreach(IItem i in BunchOffItems.SelectMany(s => s.Items)){
    // do something with i
}

Upvotes: 6

Justice
Justice

Reputation: 141

    //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)));
    }

I think this will work for what you want to do. Cheers.

Upvotes: 0

Dario
Dario

Reputation: 49218

Well, you can use the linq function SelectMany to flatmap (create child lists and compress them into one) the values:

foreach(var i in BunchOfItems.SelectMany(k => k.Items)) {}

Upvotes: 19

Aviad Ben Dov
Aviad Ben Dov

Reputation: 6409

You could make a function to do that for you.

Enumerable<T> magic(List<List<T>> lists) {
  foreach (List<T> list in lists) {
     foreach (T item in list) {
       yield return item;
     }
  }
}

Then you just do:

List<List<int>> integers = ...;
foreach (int i in magic(integers)) {
  ...
}

Also, I think PowerCollections will have something for that out of the box.

Upvotes: 4

Related Questions