Automapper:如何映射嵌套对象?

问题描述 投票:0回答:3

我正在努力解决 Automapper 语法。 我有一个 PropertySurveys 列表,每个包含 1 个 Property。 我希望将集合中的每个项目映射到一个组合了 2 个类的新对象中。

所以我的代码看起来像;

            var propertySurveys = new List<PropertyToSurveyOutput >();
            foreach (var item in items)
            {
                Mapper.CreateMap<Property, PropertyToSurveyOutput >();
                var property = Mapper.Map<PropertyToSurvey>(item.Property);
                Mapper.CreateMap<PropertySurvey, PropertyToSurveyOutput >();
                property = Mapper.Map<PropertyToSurvey>(item);
                propertySurveys.Add(property);
            }

我的简化课程看起来像;

public class Property
{
    public string PropertyName { get; set; }
}

public class PropertySurvey
{
    public string PropertySurveyName { get; set; }
    public Property Property { get; set;}
}

public class PropertyToSurveyOutput
{
    public string PropertyName { get; set; }
    public string PropertySurveyName { get; set; }
}

因此在PropertyToSurveyOutput对象中,在设置第一个映射PropertyName之后。然后在设置第二个映射 PropertySurveyName 后,但 PropertyName 被覆盖为 null。 我该如何解决这个问题?

c# automapper
3个回答
25
投票

首先,Automapper支持集合的映射。您不需要在循环中映射每个项目。

第二 - 每次需要映射单个对象时,您不需要重新创建映射。将映射创建放入应用程序启动代码中(或在首次使用映射之前)。

最后 - 使用 Automapper,您可以创建映射并定义如何为某些属性进行自定义映射:

Mapper.CreateMap<PropertySurvey, PropertyToSurveyOutput>()
   .ForMember(pts => pts.PropertyName, opt => opt.MapFrom(ps => ps.Property.PropertyName));

用途:

var items = new List<PropertySurvey>
{
    new PropertySurvey { 
          PropertySurveyName = "Foo", 
          Property = new Property { PropertyName = "X" } },
    new PropertySurvey { 
          PropertySurveyName = "Bar", 
          Property = new Property { PropertyName = "Y" } }
};

var propertySurveys = Mapper.Map<List<PropertyToSurveyOutput>>(items);

结果:

[
  {
    "PropertyName": "X",
    "PropertySurveyName": "Foo"
  },
  {
    "PropertyName": "Y",
    "PropertySurveyName": "Bar"
  }
]

更新:如果您的

Property
类具有许多属性,您可以定义两个默认映射 - 一个来自
Property
:

Mapper.CreateMap<Property, PropertyToSurveyOutput>();

还有一张来自

PropertySurvey
。并在使用
PropertySurvey
:

的映射后使用第一个映射
Mapper.CreateMap<PropertySurvey, PropertyToSurveyOutput>()
      .AfterMap((ps, pst) => Mapper.Map(ps.Property, pst));

0
投票

从 v8.1 开始,您可以在配置中使用

IncludeMemebers
方法来使用现有映射来映射嵌套对象。

cfg.CreateMap<Property, PropertyToSurveyOutput>();
cfg.CreateMap<PropertySurvey, PropertyToSurveyOutput>()
  .IncludeMembers(src => src.Property);

-5
投票

自动映射器属性名称的第一条规则应该相同,只有它才能正确映射并分配值,但在您的情况下,一个属性名称仅为“Property”,第二个属性名称为“PropertyName”,因此使属性名称相同,它将为您工作

© www.soinside.com 2019 - 2024. All rights reserved.