3

有一个简单的域..

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类型的所有实体并加载属性博客和照片?

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;
}

谢谢!

4

1 回答 1

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();

如果要加载UserComments 的列表,这不是最佳解决方案,因为它需要遍历加载UserComment的 s 并为每个元素调用显式加载,这将导致许多查询。

对于列表,您可以使用以下方法,该方法也只会生成两个查询:

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()this 将运行两个单独的数据库查询并将结果连接到内存中的单个集合。

LINQ-to-Entities 支持Cast但由于某种原因无法删除这两个AsEnumerable()转换以仅获取单个数据库查询并将结果连接到数据库中。代码仍然可以编译,但我有一个关于无效Include路径的运行时异常。

我已经用 EF 4.1 进行了测试。可能值得在不AsEnumerable()使用 EF 5.0 的情况下测试查询,看看它是否仍然失败。

于 2012-10-21T15:30:09.057 回答