Getting differences between collections in LINQ
I have a collection of image paths, and a larger collection of Image objects (Which contain a path property). I have the code to check for any matching images, but if there are supposed to be four matching image paths (as that is how many are in the first collection)开发者_StackOverflow, and there is less than this, how can I get the missing one without writing loops?
List<string> ImagesToCheck = new List<string>()
{
"",
"s",
"ssdd"
};
IEnumerable<HtmlImage> Images = manager.ActiveBrowser.Find.AllControls<HtmlImage>();
var v = from i in Images
where ImagesToCheck.Any(x => x == i.Src)
select i;
if (v.Count() < 3)
{
}
So I need to get the items which are not in the collection titled v, but are in ImagesToCheck.
How could I do this with LINQ?
Thanks
Try this..
var images = from s in ImagesToCheck where !i.Any(c => c.Path == s) select s;
Something along those lines..
Ian
ImagesToCheck.Where(x => !v.Contains(x))
var images = from s in ImagesToCheck where i.All(c => c.Path != s) select s;
It's been a while since this answer was posted, but Linq has Intersect and Except. The last one will give you all the items from the first collection, except those that are also in the second collection.
Disadvantage is that Except
uses the standard Equals()
operator or an IEqualityComparer<T>
and you are matching on the Path property. But eventually you will be able to write something like:
ImagesToCheck.Except(Images)
Which I think is pretty neat.
var results = ImagesToCheck.Where(i => !v.Contains(i));
精彩评论