Deferred Execution - ”don’t compute the result until the caller actually uses it.”
Lazy loading and explicit loading are both types of deferred execution.
Lazy Loading - “don’t do the work until you absolutely have to.”
An entity or collection of entities is automatically loaded from the database the first time that a property referring to the entity/entities is accessed. Related/child objects are not loaded automatically when a navigation property is accessed. When using POCO (Plain Old CLR Objects) entity types, lazy loading is achieved by creating instances of derived proxy types and then overriding virtual properties to add the loading hook.
In case of Entity Framework, You can turn off the lazy loading feature by setting LazyLoadingEnabled
property of the ContextOptions
on context to false
. This is very useful when you are sure that you will need child object as well. Lazy loading and serialization don’t mix well, and if you aren’t careful, you can end up querying for your entire database just because lazy loading is enabled. Most serializers work by accessing each property on an instance of a type. Property access triggers lazy loading, so more entities get serialized. On those entities, properties are accessed, and even more entities are loaded. It’s a good practice to turn lazy loading off before you serialize an entity.
context.ContextOptions.LazyLoadingEnabled = false;
When using POCO entity types, Lazy loading can be turned off by making the Posts property non-virtual:
public class Blog
{
public int BlogId { get; set; }
public string Name { get; set; }
public <del>virtual</del> ICollection<Post> Posts { get; set; }
}
Eager Loading – “do all the work in advance”
A query for one type of entity also loads related/child entities as part of the query. Child objects are loaded automatically with its parent object when parent object is loaded.
In case of Entity Framework, You can achieve Eager loading by using ObjectQuery<T>.Include()
method.
context.Contacts.Include("SalesOrderHeaders.SalesOrderDetails")
var blogs1 = context.Blogs.Include(b => b.Posts.Select(p => p.Comments)).ToList();
Explicitly Loading – “do all the work even with lazy loading disabled”
Even with lazy loading disabled, it is still possible to lazily load related entities, but it must be done with an explicit call. To do so, you use the Load
method on the related entity’s entry.
context.Entry(post).Reference(p => p.Blog).Load();
context.Entry(blog)
.Collection(b => b.Posts)
.Query()
.Where(p => p.Tags.Contains("entity-framework")
.Load();
Using Query to Count Related Entities Without Loading Them
context.Entry(blog)
.Collection(b => b.Posts)
.Query()
.Count();