有一个简单的域名..
public abstract class UserComment
{
public string Text { get; set; }
}
public class BlogComment : UserComment
{
public Blog Blog { get; set; }
}
public class PhotoComment : UserComment
{
public Photo Photo { get; set; }
}
有没有办法查询 UserComment 类型的所有实体,并加载了Blog和Photo属性?
var comment = DbContext.Set<UserComment>()
.Include(x => x.Blog) // will not compile
.Include(x => x.Photo) // will not compile
.FirstOrDefault();
if (comment is PhotoComment )
{
string url = (comment as PhotoComment).Photo.Url;
}
if (comment is BlogComment)
{
var dateCreated = (comment as BlogComment).Blog.DateCreated;
}
谢谢!
答案 0 :(得分:5)
您可能需要两个查询才能获得结果。如果你只想要第一个元素(FirstOrDefault
)显式加载 - 正如你在评论中提到的那样 - 是一个很好的方法:
var comment = DbContext.Set<UserComment>().FirstOrDefault();
if (comment is BlogComment)
DbContext.Entry(comment as BlogComment).Reference(bc => bc.Blog).Load();
else if (comment is PhotoComment)
DbContext.Entry(comment as PhotoComment).Reference(pc => pc.Photo).Load();
如果要加载UserComment
的列表,这不是最好的解决方案,因为它需要迭代加载的UserComment
并为每个元素调用显式加载,这将导致许多查询。
对于列表,您可以使用以下方法,该方法也只生成两个查询:
IEnumerable<UserComment> blogComments = DbContext.Set<UserComment>()
.OfType<BlogComment>()
.Include(bc => bc.Blog)
.Cast<UserComment>()
.AsEnumerable();
IEnumerable<UserComment> photoComments = DbContext.Set<UserComment>()
.OfType<PhotoComment>()
.Include(pc => pc.Photo)
.Cast<UserComment>()
.AsEnumerable();
List<UserComment> comments = blogComments.Concat(photoComments).ToList();
由于AsEnumerable()
的使用,这将运行两个单独的数据库查询,并将结果连接到内存中的单个集合。
LINQ-to-Entities支持Cast
但由于某种原因,无法删除两个AsEnumerable()
转换以仅获取单个数据库查询并将结果连接到数据库中。代码仍然可以编译,但我有一个关于无效Include
路径的运行时异常。
我已经使用EF 4.1进行了测试。使用EF 5.0测试没有AsEnumerable()
的查询以查看它是否仍然失败可能是值得的。