Automapper-高效映射&;检查两个特定类型之间的映射
本文关键字:映射 两个 类型 之间 高效 amp 检查 Automapper- | 更新日期: 2023-09-27 18:20:37
在我的应用程序中,我需要在不同的对象对之间进行许多映射(域对象、DTO、ViewModels等)。为此,我大量使用AutoMapper
。
所以我有一个通用的Mapper类,它有映射不同对象的方法。由于映射在应用程序中是持久化的,所以我在static constructor
中执行所有的CreateMap()
,这样映射只创建一次,并且在我可能使用它们时已经准备好了。这个类看起来像这个
public class SomeMapper
{
static SomeMapper()
{
Mapper.CreateMap<SomeType1, SomeOtherType1>();
Mapper.CreateMap<SomeType2, SomeOtherType2>();
Mapper.CreateMap<SomeType3, SomeOtherType3>();
//...
}
public SomeOtherType1 MapSomeHierarchy1(SomeType1 source)
{ //... }
public SomeOtherType2 MapSomeHierarchy2(SomeType2 source)
{ //... }
}
问题1:创建映射的更好方法是什么?(在任何方面都更好——性能、语义、标准实践等)
问题2:此代码也用于Console
应用程序。在特定的运行中,它不需要所有的映射。因此,如果映射还不存在,我可以在运行时创建映射吗?类似的东西
public SomeOtherTypeN MapSomeHierarchyN(SomeTypeN source)
{
if (!AlreadyMapped(SomeTypeN, SomeOtherTypeN))
Mapper.CreateMap<SomeTypeN, SomeOtherTypeN>();
return Mapper.Map<SomeOtherTypeN>(source);
}
有没有一种简单的方法来实现方法AlreadyMapped()
?
将映射拆分为配置文件
这些较小的单元可以单独进行单元测试,因此您可以确保所有目标属性都被自动映射、显式映射或忽略。
public class MyProfile : Profile
{
protected override void Configure()
{
// Note, don't use Mapper.CreateMap here!
CreateMap<SomeType1, SomeOtherType1>();
}
}
然后加载各个概要文件,使您能够更接近模块化应用程序中使用的位置来定义这些概要文件。
Mapper.AddProfile<MyProfile>();
配置文件可以单独测试:
Mapper.AssertConfigurationIsValid<MyProfile>();
我通常在每个概要文件中都包含一个单元测试——这样,如果源或目标对象的更改破坏了映射,您就会立即知道。
启动时创建映射
虽然从技术上讲,你可以在应用程序生命周期的任何时候创建映射,但如果你告诉AutoMapper你已经完成了,它会进行各种优化。如果您使用继承执行任何复杂的映射,其中一些是必不可少的。而不是动态创建映射:
Mapper.CreateMap<SomeType1, SomeOtherType1>();
Mapper.AddProfile<MyProfile>();
您应该使用Mapper加载这些。请改为初始化:
Mapper.Initialize(cfg =>
{
cfg.CreateMap<SomeType1, SomeOtherType1>();
cfg.AddProfile<MyProfile>();
});
如果您绝对必须动态添加映射,那么您可以强制AutoMapper在使用Mapper.Configuration.Seal()
添加映射后再次执行优化。
最后,如果您使用的是IoC容器,那么您可以将这两种技术结合起来,方法是在AutoMapper容器中注册所有配置文件,然后使用它来定位和注册它们。下面是一个使用Autofac:的例子
// Register Components...
ContainerBuilder builder = new ContainerBuilder();
builder.RegisterType<MyProfile>().As<Profile>();
// This could also be done with assembly scanning...
builder.RegisterAssemblyTypes(typeof<MyProfile>.Assembly).As<Profile>();
// Build container...
var container = builder.Build();
// Configure AutoMapper
var profiles = container.Resolve<IEnumerable<Profile>>();
Mapper.Initialise(cfg =>
{
foreach (var profile in profiles)
{
cfg.AddProfile(profile);
}
});
关于第二个问题,如果你遵循我关于在启动时创建映射的观点,那么你就不需要这个了,但定义一个已经存在的映射会覆盖以前的映射,所以不应该有任何效果。