Automapper-속성 설정자 대신 생성자 매개 변수에 매핑하는 방법
내 대상 setter가 비공개 인 경우 대상 개체의 생성자를 사용하여 개체에 매핑 할 수 있습니다. Automapper를 사용하면 어떻게 할 수 있습니까?
사용하다 ConstructUsing
이렇게하면 매핑 중에 사용할 생성자를 지정할 수 있습니다. 그러나 다른 모든 속성은 규칙에 따라 자동으로 매핑됩니다.
또한 이것은 ConvertUsing
convert using이 규칙을 통해 매핑을 계속하지 않고 대신 매핑을 완전히 제어 할 수 있다는 점 과 다릅니다 .
Mapper.CreateMap<ObjectFrom, ObjectTo>()
.ConstructUsing(x => new ObjectTo(arg0, arg1, etc));
...
using AutoMapper;
using NUnit.Framework;
namespace UnitTests
{
[TestFixture]
public class Tester
{
[Test]
public void Test_ConstructUsing()
{
Mapper.CreateMap<ObjectFrom, ObjectTo>()
.ConstructUsing(x => new ObjectTo(x.Name));
var from = new ObjectFrom { Name = "Jon", Age = 25 };
ObjectTo to = Mapper.Map<ObjectFrom, ObjectTo>(from);
Assert.That(to.Name, Is.EqualTo(from.Name));
Assert.That(to.Age, Is.EqualTo(from.Age));
}
}
public class ObjectFrom
{
public string Name { get; set; }
public int Age { get; set; }
}
public class ObjectTo
{
private readonly string _name;
public ObjectTo(string name)
{
_name = name;
}
public string Name
{
get { return _name; }
}
public int Age { get; set; }
}
}
Map
목적지를 설정할 수 있는 방법을 사용해야합니다 . 예 :
Mapper.CreateMap<ObjectFrom, ObjectTo>()
var from = new ObjectFrom { Name = "Jon", Age = 25 };
var to = Mapper.Map(from, new ObjectTo(param1));
가장 좋은 방법은 AutoMapper http://docs.automapper.org/en/stable/Construction.html의 문서화 된 접근 방식을 사용하는 것입니다.
public class SourceDto
{
public SourceDto(int valueParamSomeOtherName)
{
Value = valueParamSomeOtherName;
}
public int Value { get; }
}
Mapper.Initialize(cfg => cfg.CreateMap<Source, SourceDto>().ForCtorParam("valueParamSomeOtherName", opt => opt.MapFrom(src => src.Value)));
At the time of writing this answer, AutoMapper will do this automatically (with a simple CreateMap<>()
call) for you if the properties match the constructor parameters. Of course, if things don't match up, then using .ConstructUsing(...)
is the way to go.
public class PersonViewModel
{
public int Id { get; set; }
public string Name { get; set; }
}
public class Person
{
public Person (int id, string name)
{
Id = id;
Name = name;
}
public int Id { get; }
public string Name { get; }
}
public class PersonProfile : Profile
{
public PersonProfile()
{
CreateMap<PersonViewModel, Person>();
}
}
Note: This assumes you are using Profiles to setup your automapper mappings.
When used like below, this produces the correct object:
var model = new PersonViewModel
{
Id = 1
Name = "John Smith"
}
// will correctly call the (id, name) constructor of Person
_mapper.Map<Person>(model);
You can read more about automapper construction in the offical wiki on GitHub
'IT story' 카테고리의 다른 글
TensorFlow, 모델을 저장 한 후 3 개의 파일이있는 이유는 무엇입니까? (0) | 2020.08.20 |
---|---|
GPL 및 LGPL 오픈 소스 라이선스 제한 [닫힘] (0) | 2020.08.20 |
awk 인쇄 열 $ 3 if $ 2 == a specific value? (0) | 2020.08.20 |
toString () 및 hashCode ()가 재정의되었을 때 Java에서 객체의 "객체 참조"를 어떻게 얻습니까? (0) | 2020.08.20 |
태스크는 어떻게합니까 (0) | 2020.08.20 |