给定对象层次结构
public class Parent
{
public int Id { get; set; }
public virtual Child Child { get; set; }
}
public class Child
{
public int Id { get; set; }
public virtual GrandChild GrandChild { get; set; }
}
public class GrandChild
{
public int Id { get; set; }
}
和DB上下文
public class MyContext : DbContext
{
public DbSet<Parent> Parents { get; set; }
}
可以包括使用Lambda语法(using System.Data.Entity
)的子孙,如下所示:
using (MyContext ctx = new MyContext())
{
var hierarchy =
from p in ctx.Parents.Include(p => p.Child.GrandChild) select p;
}
如果随后更改了类名,则Lambda语法可以防止破坏查询。但是,如果Parent
代之以ICollection<Child>
,那么:
public class Parent
{
public int Id { get; set; }
public virtual ICollection<Child> Children { get; set; }
}
Lambda语法不再有效。相反,可以使用字符串语法:
var hierarchy = from p in ctx.Parents.Include("Children.GrandChild") select p;
字符串语法是唯一选项,还是在这种情况下有一些替代方法可以使用Lambda语法?
答案 0 :(得分:35)
当然,你可以做到
var hierarchy = from p in ctx.Parents
.Include(p => p.Children.Select(c => c.GrandChild))
select p;
见MSDN,标题备注,第五个子弹。
答案 1 :(得分:23)
更新: 如果您使用的是实体框架核心,则应使用以下语法
var hierarchy = from p in ctx.Parents
.Include(p => p.Children)
.ThenInclude(c => c.GrandChild)
select p;