gpt4 book ai didi

c# - Automapper - 两种特定类型之间的高效映射和检查映射

转载 作者:行者123 更新时间:2023-12-03 22:17:49 26 4
gpt4 key购买 nike

在我的应用程序中,我需要在不同的对象对之间进行许多映射(域对象、DTO、ViewModel 等)。为此,我大量使用 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 会进行各种优化。其中一些是必不可少的 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>();
});

如果您绝对必须即时添加映射,那么您可以强制 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);
}
});

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

关于c# - Automapper - 两种特定类型之间的高效映射和检查映射,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/33529885/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com