views:

659

answers:

1

I have two tables: a WorkItem table, and a WorkItemNote table. How do I return a WorkItem and all of the WorkItemNotes that meet a certain criteria?

I think this should be simple, almost like a conditional "Include", right?

+13  A: 

I've been planning on writing a tip on this but your question beat me to the punch.

Assuming a WorkItem has many WorkItemNotes

you can do this:

var intermediary = (from item in ctx.WorkItems
              from note in item.Notes
              where note.SomeProp == SomeValue
              select new {item, note}).AsEnumerable();

This produces an anonymous element for each WorkItemNote that matches, and holds the corresponding WorkItem too.

EF identity resolution insures that the same WorkItem (by reference) is returned multiple times if it has multiple WorkItemNotes that match the criteria.

I assume that next you want to just get back to just the WorkItems, like this:

var workItems = intermediary.Select(x => x.item).Distinct().ToList();

Then if you now do this:

foreach(var workItem in workItems)
{
   Console.WriteLine(workItem.Notes.Count)
}

You will see that WorkItemNotes that match the original filter have been added to the Notes collection of each workItem.

This is because of something called Relationship Fixup.

I.e. this gives you what you want conditional include.

Hope this helps

Alex

Alex James
Really? x.Item will have the appropriate WorkItemNotes? That's awesome! I'm glad you posted this because what I currently have queries the db for every WorkItem. Thanks!
Esteban Araya
One question: Why does intermediary have to be IEnumerable? Can it be IQueryable?
Esteban Araya
Yeap this works. You can use this for other tricks too, like sorting, see Tip 1 of my tips series!
Alex James
It needs to be IEnumerable because otherwise the projecting code changes the query plan, and only the WorkItem is pulled back.But in this particular case I don't think the PERF would be any better even if you could use IQueryable.
Alex James
Alex: I wish I could give you more upvotes; this works like a charm! I also used your tip # 22 to include related objects for WorkItemNote. Thanks again!
Esteban Araya