31

EntityFramework 的文档指出以下行为是可能的:

如果依赖实体上的外键可以为空,Code First 不会在关系上设置级联删除,并且当主体被删除时,外键将设置为空。

(来自http://msdn.microsoft.com/en-us/jj591620

但是,我无法实现这种行为。

我有以下使用代码优先定义的实体:

public class TestMaster
{
    public int Id { get; set; }
    public string Name { get; set; }        
    public virtual ICollection<TestChild> Children { get; set; }       
}

public class TestChild
{
    public int Id { get; set; }
    public string Name { get; set; }
    public virtual TestMaster Master { get; set; }
    public int? MasterId { get; set; }
}

这是 Fluent API 映射配置:

    protected override void OnModelCreating(DbModelBuilder modelBuilder)
    {
        modelBuilder.Entity<TestMaster>()
                    .HasMany(e => e.Children)
                    .WithOptional(p => p.Master).WillCascadeOnDelete(false);

        modelBuilder.Entity<TestChild>()
                    .HasOptional(e => e.Master)
                    .WithMany(e => e.Children)
                    .HasForeignKey(e => e.MasterId).WillCascadeOnDelete(false);
    }

外键可以为空,导航属性映射为可选,所以我希望级联删除按照 MSDN 的描述工作 - 即取消所有子项的 MasterID,然后删除 Master 对象。

但是当我实际尝试删除时,我收到了 FK 违规错误:

 using (var dbContext = new TestContext())
        {
            var master = dbContext.Set<TestMaster>().Find(1);
            dbContext.Set<TestMaster>().Remove(master);
            dbContext.SaveChanges();
        }

在 SaveChanges() 上,它抛出以下内容:

System.Data.Entity.Infrastructure.DbUpdateException : An error occurred while updating the entries. See the inner exception for details.
----> System.Data.UpdateException : An error occurred while updating the entries. See the inner exception for details.
----> System.Data.SqlClient.SqlException : The DELETE statement conflicted with the REFERENCE constraint "FK_dbo.TestChilds_dbo.TestMasters_MasterId". The conflict occurred in database "SCM_Test", table "dbo.TestChilds", column 'MasterId'.
The statement has been terminated.

我做错了什么还是我误解了 MSDN 所说的内容?

4

2 回答 2

44

它确实像描述的那样工作,但 MSDN 上的文章没有强调它只有在子实体也加载到上下文时才有效,而不仅仅是父实体。因此,您必须使用预先加载(或任何其他方式将子加载到上下文中),而不是使用Find(仅加载父级):Include

using (var dbContext = new TestContext())
{
    var master = dbContext.Set<TestMaster>().Include(m => m.Children)
        .SingleOrDefault(m => m.Id == 1);
    dbContext.Set<TestMaster>().Remove(master);
    dbContext.SaveChanges();
}

这将从数据库中删除主节点,将Child实体中的所有外键设置null为并将子节点的 UPDATE 语句写入数据库。

于 2013-03-05T17:48:34.947 回答
0

在遵循@Slauma 的出色回答后,我仍然遇到与 OP 相同的错误。

所以不要像我一样天真,认为下面的例子最终会得到相同的结果。

dbCtx.Entry(principal).State = EntityState.Deleted;
dbCtx.Dependant.Where(d => d.PrincipalId == principalId).Load();

// code above will give error and code below will work on dbCtx.SaveChanges()

dbCtx.Dependant.Where(d => d.PrincipalId == principalId).Load();
dbCtx.Entry(principal).State = EntityState.Deleted;

首先将子项加载到上下文中,然后再将实体状态设置为已删除(如果您这样做的话)。

于 2017-06-29T13:00:34.733 回答