如何使用Automapper来构造没有默认构造函数的对象
本文关键字:默认 构造函数 对象 何使用 Automapper | 更新日期: 2023-09-27 18:06:43
我的对象没有默认构造函数,它们都需要一个签名
new Entity(int recordid);
我添加了以下行:
Mapper.CreateMap<EntityDTO, Entity>().ConvertUsing(s => new Entity(s.RecordId));
这修复了Automapper期望一个默认构造函数,但是唯一映射的元素是记录id的问题。
我如何让它拾取它的法线映射?如何获得实体的所有属性进行映射,而无需手动映射属性?
你可以用ConstructUsing
代替ConvertUsing
。下面是一个演示:
using System;
using AutoMapper;
public class Source
{
public int RecordId { get; set; }
public string Foo { get; set; }
public string Bar { get; set; }
}
public class Target
{
public Target(int recordid)
{
RecordId = recordid;
}
public int RecordId { get; set; }
public string Foo { get; set; }
public string Bar { get; set; }
}
class Program
{
static void Main()
{
Mapper
.CreateMap<Source, Target>()
.ConstructUsing(source => new Target(source.RecordId));
var src = new Source
{
RecordId = 5,
Foo = "foo",
Bar = "bar"
};
var dest = Mapper.Map<Source, Target>(src);
Console.WriteLine(dest.RecordId);
Console.WriteLine(dest.Foo);
Console.WriteLine(dest.Bar);
}
}
Try
Mapper.CreateMap<EntityDTO, Entity>().ConstructUsing(s => new Entity(s.RecordId));