我有一个使用现有数据库的应用程序,目前使用 NHibernate 作为O / R-Mapper。
现在,我需要使用代码优先和 Fluent API配置迁移到 Entity Framework 6.1.1 。
但是现在我对部分数据模型有问题,因为它使用不同类型的继承策略(TPT和TPH)
注意:在这里发布完整的数据模型对我来说似乎有点太大了,所以我在一个小型的POC程序中重现了我面临的问题。
CLASS | TABLE | TYPE
-----------------------+--------------------+------
BaseEntity (abstract) | BaseTable |
Inherited_TPH | BaseTable | 1
Inherited_TPT | Inherited_TPT | 2
表中用作描述符的列称为Type
基于this answer我添加了一个抽象类Intermediate_TPH
作为中间层:
一些示例数据:ID=3
条目的类型为Inherited_TPT
这些是我的实体类和我的上下文类:
class MyContext : DbContext
{
public MyContext ( string connectionString )
: base ( connectionString )
{
}
public DbSet<Inherited_TPH> TPH_Set { get; set; }
public DbSet<Inherited_TPT> TPT_Set { get; set; }
public DbSet<SomethingElse> Another_Set { get; set; }
protected override void OnModelCreating ( DbModelBuilder modelBuilder )
{
modelBuilder
.Entity<BaseEntity> ()
.ToTable ( "BaseTable" );
modelBuilder
.Entity<Inherited_TPH> ()
.Map ( t => t.Requires ( "Type" ).HasValue ( 1 ) );
modelBuilder
.Entity<Intermediate_TPT> ()
.Map ( t => t.Requires ( "Type" ).HasValue ( 2 ) );
modelBuilder
.Entity<Intermediate_TPT> ()
.Map<Inherited_TPT> ( t => t.ToTable ( "Inherited_TPT" ) );
modelBuilder
.Entity<SomethingElse> ()
.ToTable ( "SomethingElse" )
.HasKey ( t => t.Id );
}
}
public abstract class BaseEntity
{
public virtual int Id { get; set; }
public virtual string Title { get; set; }
}
public class Inherited_TPH : BaseEntity
{
}
public abstract class Intermediate_TPT : BaseEntity
{
}
public class Inherited_TPT : Intermediate_TPT
{
public virtual string Comment { get; set; }
}
public class SomethingElse
{
public virtual string Description { get; set; }
public virtual int Id { get; set; }
}
运行以下代码会给我一个错误。
static void Main ( string[] args )
{
Database.SetInitializer<MyContext> ( null );
var ctx = new MyContext ( @"Data Source=(local);Initial Catalog=nh_ef;Integrated Security=true" );
try
{
// Accessing Inherited_TPH works just fine
foreach ( var item in ctx.TPH_Set ) Console.WriteLine ( "{0}: {1}", item.Id, item.Title );
// Accessing Inherited_TPT works just fine
foreach ( var item in ctx.TPT_Set ) Console.WriteLine ( "{0}: {1} ({2})", item.Id, item.Title, item.Comment );
// The rror occurs when accessing ANOTHER entity:
foreach ( var item in ctx.Another_Set ) Console.WriteLine ( "{0}: {1}", item.Id, item.Description );
}
catch ( Exception ex )
{
Console.WriteLine ( ex.Message );
if( ex.InnerException != null ) { Console.WriteLine ( ex.InnerException.Message ); }
}
}
程序产生以下输出:
1:辛普森 2:约翰逊 3:史密斯(关于SMITH的更多细节)
4:米勒(关于米勒的更多细节)
准备命令定义时发生错误。有关详细信息,请参阅内部异常(26,10):错误3032:从第14,26行开始映射片段时出现问题:EntityTypes PoC.Inherited_TPH,PoC.Inherited_TPT被映射到表BaseEntity中的相同行。映射条件可用于区分这些类型映射到的行。
如您所见,映射似乎有效,因为我可以加载Inherited_TPT
和Inherited_TPH
中的所有数据。但是当访问另一个实体时,我得到了一个异常。
如何配置映射以消除此错误并能够访问现有数据库结构?