4

我已经查看了围绕这个例外的现有问题,但似乎没有一个适用于我的情况。

ReferentialConstraint 中的依赖属性映射到存储生成的列。列:'SchemaDictionaryId'。

Update-Database在包管理器控制台中执行时出现此异常。

我的种子方法如下:

protected override void Seed(DataEntry.App_Data.DataEntryDataContext context)
{
    context.Schemas.AddOrUpdate(s => s.SchemaId, _generateSchemaData());
    context.SaveChanges();
}

private Schema[] _generateSchemaData()
{
    List<Schema> schemas = new List<Schema>();
    // Loop removed for simplicity
    schemas.Add(new Schema
    {
        // various property assignments
        SchemaDictionary = new SchemaDictionary
        {
            // various property assignments
        }
    });
    return schemas.ToArray();
}

我的 DbContext 子类包含以下流畅的 API 定义(针对相关性进行了修剪):

modelBuilder.Entity<Schema>()
    .HasKey(s => s.SchemaId);

modelBuilder.Entity<Schema>()
    .Property(s => s.SchemaId)
    .HasDatabaseGeneratedOption(DatabaseGeneratedOption.Identity)
    .IsRequired();

modelBuilder.Entity<SchemaDictionary>()
    .HasKey(sd => sd.SchemaDictionaryId);

modelBuilder.Entity<SchemaDictionary>()
    .Property(s => s.SchemaDictionaryId)
    .HasDatabaseGeneratedOption(DatabaseGeneratedOption.Identity)
    .IsRequired();

modelBuilder.Entity<SchemaDictionary>()
    .HasRequired(sd => sd.Schema)
    .WithOptional(s => s.SchemaDictionary);

最后是有问题的 POCO:

public class Schema
{
    public Guid SchemaId { get; set; }

    public Nullable<Guid> SchemaDictionaryId { get; set; }
    public virtual SchemaDictionary SchemaDictionary { get; set; }

    // various other properties
}

public class SchemaDictionary
{
    public Guid SchemaDictionaryId { get; set; }

    public Nullable<Guid> SchemaId { get; set; }
    public virtual Schema Schema { get; set; }

   // various other properties
}

Schema和之间的关系SchemaDictionary一到零或一的类型......

  • Schema对象将有零或一SchemaDictionary
  • SchemaDictionary总会有一个Schema

我对这个问题的理解是它不能支持 FK 约束,因为 EF 不知道GUID外键。当定义了这样的依赖关系时,如何插入种子数据?

4

1 回答 1

8

当你这样做时:

modelBuilder.Entity<SchemaDictionary>()
    .HasRequired(sd => sd.Schema)
    .WithOptional(s => s.SchemaDictionary);

您正在配置必需到可选的关系(一对零或一)。您正在指定SchemaDictionary是依赖项,而Schema是委托人

当您在 Entity Framework 中具有一对一关系时,依赖项中的 PK 也必须是主体的 FK。但是您已经指定它应该是数据库生成的。该列不能同时是 FK 和 IDENTITY,因此您会收到错误消息。您应该HasDatabaseGeneratedOption(DatabaseGeneratedOption.Identity)SchemaDictionaryId属性中删除

顺便说一句,您的某些代码是不必要的

  1. HasKey因为 EF 将通过命名约定假定SchemaId并且是键SchemaDictionaryID

  2. IsRequired()在不可为空的字段上

参考:

映射时,哪个端是主体?

主端是什么意思?

于 2013-11-05T16:56:05.230 回答