What is the difference between IQueryable and IEnumerable?

前端 未结 12 1851
梦毁少年i
梦毁少年i 2020-11-22 06:41

What is the difference between IQueryable and IEnumerable?


See also What\'s the difference between IQueryable and I

12条回答
  •  暗喜
    暗喜 (楼主)
    2020-11-22 06:51

    This is a nice video on youtube which demonstrates how these interfaces differ , worth a watch.

    Below goes a long descriptive answer for it.

    The first important point to remember is IQueryable interface inherits from IEnumerable, so whatever IEnumerable can do, IQueryable can also do.

    enter image description here

    There are many differences but let us discuss about the one big difference which makes the biggest difference. IEnumerable interface is useful when your collection is loaded using LINQ or Entity framework and you want to apply filter on the collection.

    Consider the below simple code which uses IEnumerable with entity framework. It’s using a Where filter to get records whose EmpId is 2.

    EmpEntities ent = new EmpEntities();
    IEnumerable emp = ent.Employees; 
    IEnumerable temp = emp.Where(x => x.Empid == 2).ToList();
    

    This where filter is executed on the client side where the IEnumerable code is. In other words all the data is fetched from the database and then at the client its scans and gets the record with EmpId is 2.

    enter image description here

    But now see the below code we have changed IEnumerable to IQueryable. It creates a SQL Query at the server side and only necessary data is sent to the client side.

    EmpEntities ent = new EmpEntities();
    IQueryable emp = ent.Employees;
    IQueryable temp =  emp.Where(x => x.Empid == 2).ToList();
    

    enter image description here

    So the difference between IQueryable and IEnumerable is about where the filter logic is executed. One executes on the client side and the other executes on the database.

    So if you working with only in-memory data collection IEnumerable is a good choice but if you want to query data collection which is connected with database `IQueryable is a better choice as it reduces network traffic and uses the power of SQL language.

提交回复
热议问题