linq remove item from object array where property equals value
If i have
IEnumberable<Car> list
and i want to remove an item from this list based on a property of the car
i want something like:
list.RemoveWhere(r=>r.Year > 2000)
does something like this exist ?
i am 开发者_如何学运维doing this over and over so i want to avoid copying the list each time to just remove one item
Very late to the party but for any one would comes across this problem, here is a cleaner solution:
MyList.RemoveAll( p => p.MyProperty == MyValue );
IEnumberable
is immutable, but you can do something like this:
list = list.Where(r=>r.Year<=2000)
or write an extension method:
public static IEnumerable<T> RemoveWhere<T>(this IEnumerable<T> query, Predicate<T> predicate)
{
return query.Where(e => !predicate(e));
}
If you are working with IEnumerable<T>
, how about Where?
list = list.Where(car => car.Year <= 2000);
If you are working with ICollection<T>
and you not just get a filtered result but really intend to manipulate the source collection, you can create an own tailor made extension for collection:
public static class CollectionExtensions {
public static ICollection<T> RemoveWhere<T>(this ICollection<T> collection, Func<T, bool> predicate) {
List<T> toRemove = collection.Where(item => predicate(item)).ToList();
toRemove.ForEach(item => collection.Remove(item));
return collection;
}
}
精彩评论