Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Remove items from IEnumerable<T>

I have 2 IEnumerable collections.

IEnumerable<MyClass> objectsToExcept  

and

IEnumerable<MyClass> allObjects. 

objectsToExcept may contain objects from allObjects.

I need to remove from allObjects objects in objectsToExcept. For example:

foreach (var myClass in objectsToExcept) { allObjects.Remove(myClass); } 

Or

allObject.Except(objectsToExcept) 

But it doesn't work. The count after the methods have execute indicate that no items have been removed.

like image 803
Maxim Avatar asked Jul 06 '10 12:07

Maxim


2 Answers

I don't see how the first version would compile, and the second version won't do anything unless you use the result. It doesn't remove anything from the existing collection - indeed, there may not even be an in-memory collection backing it. It just returns a sequence which, when iterated over, will return the appropriate values.

If you are using the result, e.g.

IEnumerable<MyClass> others = allObjects.Except(objectsToExcept); foreach (MyClass x in others) {     ... } 

then it should be fine if you've overridden GetHashCode and Equals or if you're happy to use reference equality. Are you trying to remove logically-equal values, or do the same references occur in both sequences? Have you overridden GetHashCode and Equals, and if so, are you sure those implementations work?

Basically it should be fine - I suggest you try to create a short but complete program that demonstrates the problem; I suspect that while doing so, you'll find out what's wrong.

like image 142
Jon Skeet Avatar answered Sep 30 '22 07:09

Jon Skeet


There is no Remove method on IEnumerable<T>, because it is not meant to be modifiable.

The Except method doesn't modify the original collection: it returns a new collection that doesn't contain the excluded items:

var notExcluded = allObjects.Except(objectsToExcept); 

See Except on MSDN.

like image 25
Thomas Levesque Avatar answered Sep 30 '22 06:09

Thomas Levesque