0

感谢您花时间阅读本文。我已经为这个问题寻找了一个星期的答案,但我的想法已经不多了......这是场景:

该模型:

public class Parent{
    public Guid Id {get;set;}
    public virtual ICollection<Child> ChildCollection{ get; set; }
}

public class Child {
    public Guid Id {get;set;}
    public string Name{get;set}
}

在创建模型时:

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    modelBuilder.Entity<Parent>()
            .HasMany(c => c.ChildCollection)
            .WithMany()
            .Map(x =>
            {
                x.ToTable("ParentToChildMapping");
                x.MapLeftKey("ParentId");
                x.MapRightKey("ChildId");
            }); 
}

现在的问题:

如果我在集合中有一个带有 Child 对象的 Parent 对象,并尝试将具有相同 id 的新对象添加到子集合中,则 DbContext 不会“检测”更改并且不会在映射表中添加新条目。但是,如果我添加一个新的子项(集合中不存在),它确实可以添加。

例如:

{  
   var childId = Guid.Parse("cbd5bccc-b977-4861-870d-089994958cdf");
   var parent = new Parent { ChildCollection = new HashSet<Child>() };
   var context = new DBContext();
   var child = context.Childs.Single(c=>c.Id=childId);

   parent.ChildCollection.Add(child);
   context.Parents.Add(parent);
   context.SaveChanges();
}

然后:

{
   var childId = Guid.Parse("cbd5bccc-b977-4861-870d-089994958cdf");
   var context = new DBContext();
   var parent = dbContext.Parents.Include(p=>p.ChildCollection).Single(p=>p.Id=parentId); // The id saved in the point before.
   var child = context.Childs.Single(c=>c.Id=childId);

   parent.ChildCollection.Add(child);
   // At this point parent.ChildCollection.Count() = 2
   context.SaveChanges();
}       

集合的计数是 2,这很好。但保存更改不会添加该项目。如果我再次使用上下文从数据库中检索它,它只会返回集合中的 1 个元素。

任何想法都是受欢迎的。

4

1 回答 1

0

您试图将同一个孩子添加到父母两次,这将不起作用。如果你成功了,你最终会在数据库中得到如下内容:

  • 一个孩子,Id = "cbd5bccc-b977-4861-870d-089994958cdf"
  • 一个父母,ID =“父母ID”
  • 两个ParentToChildMappings,都有 ParentId = "the-parent-id" 和 ChildId = "cbd5bccc-b977-4861-870d-089994958cdf"

这在关系型数据库中是不允许的,因为 (ParentId, ChildId) 是 ParentToChildMapping 的主键,并且一个表中的两行不能有相同的主键。

于 2015-12-10T10:02:36.737 回答