如何建模自引用对象类型?

时间:2013-03-02 02:52:33

标签: c# entity-framework ef-code-first entity-framework-5 self-reference

说我有一个班级专栏:

public class Box
{
    [Required]
    [Key]
    int BoxId { get; set; }
    string BoxName { get; set; }
}

我希望能够将盒子添加到其他盒子中 - 一个盒子可以有很多盒子或者属于一个盒子,但它也不需要。

我试图在我的项目中对此进行建模:

public class Box
{
    [Required]
    [Key, ForeignKey("ParentBox")]
    int BoxId { get; set; }
    string BoxName { get; set; }
    int ParentBoxId { get; set; }
    Box ParentBox { get; set; }
    List<Box> Boxes {get; set;}
}

但是我在this question中解决了以下错误:

  

无法确定主要结尾   'App.Core.Set_ParentSet'的关系。多个添加的实体   可能有相同的主键。

删除ForeignKey属性可以构建数据库,但是级联删除不起作用。

我不想为ChildBox或ParentBox创建一个不同的类,因为一个盒子是否属于/有盒子会在我的应用程序中一直改变。

在EF中对此进行建模的正确方法是什么?

3 个答案:

答案 0 :(得分:3)

试试这个。

public class Box
{
    [Required]
    [Key]
    public int BoxId { get; set; }

    public string BoxName { get; set; }

    public int ParentBoxId { get; set; }

    // The foreign key for the Box that points at ParentBox.BoxId  (the [Key])
    [ForeignKey("ParentBoxId")]
    public Box ParentBox { get; set; }

    // The foreign key for the Boxes that point at this.BoxId (the [Key])
    [ForeignKey("ParentBoxId")]
    public virtual ICollection<Box> Boxes {get; set;}
}

答案 1 :(得分:1)

Fluent API版本。您可以使用Tyriar建议的注释来完成。 我个人不喜欢我的POCO中的Db垃圾。所以这是另一种选择......

modelBuilder.Entity<Box>().
  HasOptional(e => e.ParentBox).
  WithMany().
  HasForeignKey(p => p.ParentBoxID);

答案 2 :(得分:0)

BoxID 有问题。它同时是主键和外键吗? 有关示例,请参阅 http://msdn.microsoft.com/en-us/data/gg193958

可以使用InverseProperty代替外键。这减少了冗余量。

   [Table("Box")]
public class Box
{

    [Required]
    [Key]
    [Column("BoxId")]
    public virtual int BoxId { get; set; }

    [Column("Name")]
    public virtual string Name { get; set; }

    [Column("ParentBoxID")]
    public virtual int? MyParentBoxId { get; set; }

    [ForeignKey("MyParentBoxId")]
    public virtual Box Parent { get; set; }

    [InverseProperty("Parent")]
    public virtual ICollection<Box> Boxes { get; set; }

}