List<T> Any or Count?

C#LinqC# 4.0

C# Problem Overview


When I want to do something with a list I first check it if is not null or contains no elements (not to blow a foreach) and I usually use list.Any() but what is the best option - to use list.Count > 0 , or to use list.Any()?

C# Solutions


Solution 1 - C#

  • Use Count if you're using a List, since it knows its size.
  • Use Length for an Array
  • If you just have an IEnumerable I would use .Any() over .Count() as it will be faster since it stops after checking one item.

Also check out this question: https://stackoverflow.com/questions/305092/which-method-performs-better-any-vs-count-0

Solution 2 - C#

I use list.Count > 0 just because it doesn't depend on the LINQ methods and so works on C# 2.0.

I personally avoid LINQ like the plague (because of its slow speed), and there's no reason to use extension methods here at all anyway.

However, a better solution would probably be to make your own version of Any that would take in a null reference, and return true if it's a collection with elements. That would save you the null check.

Solution 3 - C#

.Any() is generally better to use than .Count() > 0. The reason for this is that if the items you are iterating over is not an ICollection then it will have to iterate the whole list to get the count.

But if the items is an ICollection (which a List<T> is) then it is just as fast or in some cases faster to use Count() (Any() iterates once regardless of underlying type in MS .Net but Mono tries to optimize this to Count > 0 when the underlying items is an ICollection)

A great tool is Reflector, the .Net source code and the Mono source code which allows you to see how things are implemented.

Solution 4 - C#

If you are using the Entity Framework and have a huge table with many records Any() will be much faster. I remember one time I wanted to check to see if a table was empty and it had millions of rows. It took 20-30 seconds for Count() > 0 to complete. It was instant with Any().

Solution 5 - C#

Any() can be a performance enhancement because it may not have to iterate the collection to get the number of things. It just has to hit one of them. Or, for, say, LINQ-to-Entities, the generated SQL will be IF EXISTS(...) rather than SELECT COUNT ... or even SELECT * ....

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionDominatingView Question on Stackoverflow
Solution 1 - C#RayView Answer on Stackoverflow
Solution 2 - C#user541686View Answer on Stackoverflow
Solution 3 - C#Lasse EspeholtView Answer on Stackoverflow
Solution 4 - C#ashlar64View Answer on Stackoverflow
Solution 5 - C#Janmejay KumarView Answer on Stackoverflow