views:

111

answers:

2

What are the differences between these 3 types of loading? Can someone explain with an example? Different resources online use different definitions causing more confusion than necessary.

+2  A: 

Lazy loading and Deferred are pretty synonymous (AFAIK, please correct me if I'm wrong). The big difference is between Eager and Lazy. Eager will happen up front, Lazy happens only "as needed" and execution will happen at the DB level- let's take a simple JOIN statement as an example

var people = (from p in people SELECT p).ToList();
var jobs = (from j in jobs SELECT j).ToList();

var peopleAndJobs = (from p in people JOIN j on j.personId equals p.personId SELECT p).ToList()

This is an example of eager loading. We are getting ALL people, ALL jobs, and we are doing the join in memory. Not very smart (usually). Here is what it looks like Lazy-style.

var people = (from p in people SELECT p);
var jobs = (from j in jobs SELECT j);

var peopleAndJobs = (from p in people JOIN j on j.personId equals p.personId SELECT p).ToList()

What this is doing is creating an IQueryable for both people and job (IQueryable is lazy), and the join is happening in the DB. This saves network activity, and is usually actually faster, since the DB is optimized to do joins and such.

Unless we explicitly say "I need that data!" (by ToListing it, iterating through it, etc) it's lazy. There are some more quirks but this should be a decent primer.

Mike M.
NOTE- the syntax may not be 100%, just going off the cuff.
Mike M.
Per your example, once do a ToList, it's eager loading as it does a DB hit to get the data. So, it appears to be more of a programming style. However, with EF, there is a way to set LazyLoading as true or false in the Context Options. How does that fit in?
DotnetDude
EF4 with LazyLoading off will require you to say People.Include("Jobs") to bring back the jobs records (assuming jobs is FK'd to People). With LazyLoading on, that data will be returned when required. I.E. when you say People.Jobs.ToList();
Mike M.
+1  A: 

Lazy/Deferred Loading: Both are same as Deferred Loading. The relationship is loaded when it is accessed for the first time.

Eager Loading: Relationship is fetched in the along with the Parent object.

Amitabh