我在源对象和目标对象之间面临着自动映射器的挑战。我将尝试解释坐姿。在我的 src 对象上,我有一个字符串,根据其长度,它应该映射到目标对象的多个属性。
class source
{
public int Id {get; set;}
/* some other properties */
public string Value {get; set;}
}
class destination
{
public int Id {get; set;}
/* some other properties with the same name as the source */
public string Value1 {get; set;}
public string Value2 {get; set;}
public string Value3 {get; set;}
}
预期的最大长度为 30 个字符(它可以小于将仅映射到两个属性或一个属性的长度)。因此,每 10 个将映射到每个目标属性。我试图使用AutoMapper的ResolveUsing方法,但没有办法让函数知道我应该带回哪个段。所以我在考虑忽略此属性的映射,并在自动映射器完成其他属性的工作后手动执行此操作
这样做的方式是使用.ConstructUsing
告诉AutoMapper如何创建对象你可以创建一个手动映射Value1
、Value2
、Value3
的函数,然后让AutoMapper映射其余的属性。例如:
static destination ConstructDestination(source src)
{
List<string> chunked = src.Value
.Select((ch, index) => new { Character = ch, Index = index })
.GroupBy(
grp => grp.Index / 10,
(key, grp) => new string(grp.Select(itm => itm.Character).ToArray()))
.ToList();
var dest = new destination
{
Value1 = chunked.Count > 0 ? chunked[0] : null,
Value2 = chunked.Count > 1 ? chunked[1] : null,
Value3 = chunked.Count > 2 ? chunked[2] : null
};
return dest;
}
Mapper.CreateMap<source, destination>()
.ConstructUsing(ConstructDestination)
.ForMember(dest => dest.Value1, opt => opt.Ignore())
.ForMember(dest => dest.Value2, opt => opt.Ignore())
.ForMember(dest => dest.Value3, opt => opt.Ignore());
/* Id is mapped automatically. */
当然,如果在实际方案中,您有三个以上的Value
字段,这可能会变得令人讨厌 - 在这种情况下,您可以使用反射来设置属性。
ForMember 规范创建映射函数
即
private void CreateMap(){
Mapper.CreateMap<source,destination>()
.ForMember(v=> v.Value1,
opts => opts.MapFrom( src=> src.Value.Substring(0,10)))
.ForMember(v=> v.Value2,
opts => opts.MapFrom( src=> src.Value.Substring(10,10)))
.ForMember(v=> v.Value3,
opts => opts.MapFrom( src=> src.Value.Substring(20,10)));
}
您可以只在每个映射上评估原始字符串是否包含适当的长度,否则返回字符串。清空或填充它以满足您的需求。
用法(使用 LinqPad):
void Main(){
CreateMap();
var source = new source();
source.Id=1;
source.Value="123454678901234546789012345467";
var res = Mapper.Map<destination>(source);
res.Dump();
}