自动映射 - 高效映射&检查两种特定类型之间的映射

时间:2015-11-04 18:56:36

标签: c# automapper automapper-3

在我的应用程序中,我需要在不同的对象对之间进行许多映射(域对象,DTO,ViewModel等)。我为此目的大量使用AutoMapper

所以我有一个常见的Mapper类,它有映射不同对象的方法。由于映射在应用程序中持久存在,我在CreateMap()中执行了所有static constructor,因此映射只创建一次,并且在我可能使用它们时就已准备就绪。该课程看起来像这样

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()

1 个答案:

答案 0 :(得分:4)

正如您所说,映射只需要在应用程序的生命周期中创建一次。我建议有两个主要的变化:

将映射拆分为“个人档案”

这些较小的单位,可以单独进行单元测试,因此您可以确保所有目标属性都自动映射,显式映射或忽略。

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会进行各种优化。其中一些是必不可少的if you perform any complex mappings with inheritance。而不是动态创建映射:

Mapper.CreateMap<SomeType1, SomeOtherType1>();
Mapper.AddProfile<MyProfile>();

您应该使用Mapper.Initialize来加载它们:

Mapper.Initialize(cfg =>
{
    cfg.CreateMap<SomeType1, SomeOtherType1>();
    cfg.AddProfile<MyProfile>();
});

如果您必须动态添加映射,则可以在使用Mapper.Configuration.Seal()添加映射后强制AutoMapper再次执行其优化。

最后,如果您正在使用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);
    }
});

关于你的第二个问题,如果你遵循我关于在启动时创建映射的观点,那么你不会需要这个,但是定义已经存在的映射会覆盖先前的映射,所以不应该有任何影响。