1

我有一个可以包含许多部分的工作表。每个部分还可以包含许多部分。我想以尽可能少的往返数据库的方式加载工作表、其部分和所有子部分。实际上,我认为这通常是 1-2 级深度,但可能会达到 16 级。这是代码:

using System;
using System.Collections.Generic;
using System.Linq;
using System.ComponentModel.DataAnnotations.Schema;
using System.Data.Entity;

public class Sheet {
    public long Id { get; set; }
    // more fields
    public virtual IList<Section> Sections { get; set; }
}

public class Section {
    public long Id { get; set; }

    public long SheetId { get; set; }
    [ForeignKey("SheetId")]
    public virtual Sheet Sheet { get; set; }

    public long? ParentId { get; set; }
    [ForeignKey("ParentId")]
    public virtual Section Parent { get; set; }

    public virtual IList<Section> Sections { get; set; }
    // more fields
}

public class MyDbContext : DbContext {
    public DbSet<Sheet> Sheets { get; set; }
    public DbSet<Section> Sections { get; set; }
    public Sheet GetSheetConfiguration(long id) {
        Configuration.LazyLoadingEnabled = false;
        Sheet rtn;
        rtn = Sheets.Find(id);
        (Sections.Where(sect => sect.SheetId == id)).ToList();
        return rtn;
    }
}

这将创建所需的表结构: Sheets: Id (pk), ... Sections: Id (pk), SheetId (not null), ParentId (null)

GetSheetConfiguration 方法加载与该工作表相关的所有部分,并让 EF 对其进行排序。它使关系正确,除了所有部分也在 Sheet.Sections 中。(我想为每个部分设置 SheetId 以避免递归查询。)如何告诉 EF 在工作表级别仅使用 ParentId = null 的部分?- 项目清单

4

1 回答 1

1

您无法避免集合被所有Sheet.Sections部分填充,因为这就是您之间的关系和描述的内容:它应该具有所有部分,而不仅仅是带有. 实体框架根据关系修复填充此集合,您无法禁用或配置此行为。Sheet.SectionsSection.SheetParentId == null

解决该问题的一个选项是引入一个额外的集合属性,该属性从Sheet.Sections导航属性中读取过滤后的数据,并且未映射到数据库以检索根部分的列表,如下所示:

public class Sheet {
    public long Id { get; set; }
    // more fields
    public virtual IList<Section> Sections { get; set; }

    public IEnumerable<Section> RootSections
    {
        get { return Sections.Where(sect => sect.ParentId == null); }
    }
}

小旁注:而不是......

(Sections.Where(sect => sect.SheetId == id)).ToList();

... 您可以使用:

Sections.Where(sect => sect.SheetId == id).Load();

Load是一种void仅将请求的实体加载到上下文中的方法。它节省了创建不必要List集合的开销。

于 2013-05-21T17:52:23.150 回答