我有以下枚举类型:
public enum EnumType
{
E1,
E2
}
用于以下类:
public class X
{
public virtual int? Id { get; set; }
public virtual EnumType EnumProperty { get; set; }
public virtual string S { get; set; }
}
我想使用NHibernate在数据库中保留此类型的实例。为避免编写样板代码,我尝试使用自动映射功能,如下所示:
private ISessionFactory CreateSessionFactory()
{
var mappings = AutoMap
.AssemblyOf<Domain.X>(new MyAutoMappingConfiguration());
this.NHibernateConfiguration = Fluently
.Configure()
.Database(FluentNHibernate.Cfg.Db.MsSqlConfiguration.MsSql2012.ConnectionString(
b => b.FromConnectionStringWithKey("x")))
.Mappings(m => m.AutoMappings.Add(mappings))
.BuildConfiguration();
return this.NHibernateConfiguration.BuildSessionFactory();
}
MyAutoMappingConfiguration
看起来像这样:
public class MyAutoMappingConfiguration: FluentNHibernate.Automapping.DefaultAutomappingConfiguration
{
public override bool ShouldMap(Type type)
{
return type.Namespace == "Domain";
}
public override bool IsComponent(Type type)
{
return type.Name == "EnumType";
}
}
当我使用从此配置生成的模式来创建数据库时:
new SchemaExport(this.sessionProvider.NHibernateConfiguration)
.Execute(true, true, false);
正在生成并执行以下脚本:
if exists (select * from dbo.sysobjects where id = object_id(N'[X]') and OBJECTPROPERTY(id, N'IsUserTable') = 1) drop table [X]
create table [X] (
Id INT not null,
S NVARCHAR(255) null,
primary key (Id)
)
为什么属性EnumProperty
被忽略?
当我为X
添加显式映射,或者(看似等效的)时,会覆盖自动映射,如下所示:
var mappings = AutoMap
.AssemblyOf<Domain.X>(new MyAutoMappingConfiguration())
.Override<Domain.X>(m =>
{
m.Table("X");
m.Id(x => x.Id);
m.Map(x => x.EnumProperty); // this works
m.Map(x => x.S);
});
正确生成脚本:
if exists (select * from dbo.sysobjects where id = object_id(N'[X]') and OBJECTPROPERTY(id, N'IsUserTable') = 1) drop table [X]
create table [X] (
Id INT not null,
EnumProperty NVARCHAR(255) null,
S NVARCHAR(255) null,
primary key (Id)
)
这表明NHibernate正确映射所呈现的枚举的能力似乎没有任何问题。为什么自动映射无法应对此问题?
当我将以下方法添加到MyAutoMappingConfiguration
时:
public override bool ShouldMap(Member member)
{
var result = base.ShouldMap(member);
return result;
}
并放置断点,result
true
为EnumProperty
成员,以后会以某种方式被忽略。
答案 0 :(得分:2)
根据我的经验,枚举是开箱即用的,根本不需要做任何额外的事情(没有自定义类型或组件)。
所以,有两个问题:
IsComponent
不应表明所讨论的枚举是一个组件:
public override bool IsComponent(Type type)
{
return base.IsComponent(type);
}
(或者只是删除实施)
ShouldMap
不应表明需要明确映射枚举。无论如何它都会被映射,因为它是一个属性。所以,例如:
public override bool ShouldMap(Member member)
{
return base.ShouldMap(member) && member.CanWrite &&
!member.MemberInfo.IsDefined(typeof(NotMappedAttribute), false);
}
在您的情况下,如果枚举位于同一名称空间中,您应该这样做:
public override bool ShouldMap(Type type)
{
return type.Namespace == "Domain"
&& !type.IsEnum;
}
(这有点违反直觉)