如何使用AutoMapper的新IValueResolver?

时间:2016-07-11 12:02:58

标签: c# automapper automapper-5

我不知道如何在新版本的AutoMapper中使用新的IValueResolver界面。也许我在以前版本的AutoMapper中使用它们不正确...

我有很多模型类,其中一些是使用sqlmetal从几个数据库服务器上的几个数据库生成的。

其中一些类具有字符串属性PublicationCode,用于标识订阅,商品或发票或其他任何内容所属的发布。

发布可以存在于两个系统(旧系统和新系统)中的任何一个系统中,因此我在目标模型类上有一个bool属性,用于指示发布是在旧系统还是新系统中。

使用AutoMapper的旧版本(&lt; 5?),我使用ValueResolver<string, bool>PublicationCode作为输入参数,并返回bool表示该位置的出版物(旧系统或新系统)。

使用AutoMapper的新版本(5+?),这似乎不再可能。新的IValueResolver需要我拥有的源模型和目标模型的每个组合的唯一实现,其中src.PublicationCode需要解析为dst.IsInNewSystem

我只是想以错误的方式使用值解析器吗?有没有更好的办法?我想使用解析器的主要原因是我更喜欢将服务注入到构造函数中,而不必在代码中使用DependencyResolver之类的东西(我正在使用Autofac)。

目前,我以下列方式使用它:

// Class from Linq-to-SQL, non-related properties removed.
public class FindCustomerServiceSellOffers {
    public string PublicationCode { get; set; }
}

这是我拥有的几个数据模型类之一,其中包含一个PublicationCode属性)。此特定类映射到此视图模型:

public class SalesPitchViewModel {
    public bool IsInNewSystem { get; set; }
}

这两个类的映射定义是(其中expression是IProfileExpression),删除了非相关映射:

expression.CreateMap<FindCustomerServiceSellOffers, SalesPitchViewModel>()
          .ForMember(d => d.IsInNewSystem, o => o.ResolveUsing<PublicationSystemResolver>().FromMember(s => s.PublicationCode));

解析器:

public class PublicationSystemResolver : ValueResolver<string, bool>
{
    private readonly PublicationService _publicationService;
    public PublicationSystemResolver(PublicationService publicationService)
    {
        _publicationService = publicationService;
    }

    protected override bool ResolveCore(string publicationCode)
    {
        return _publicationService.IsInNewSystem(publicationCode);
    }
}

使用mapper:

var result = context.FindCustomerServiceSellOffers.Where(o => someCriteria).Select(_mapper.Map<SalesPitchViewModel>).ToList();

1 个答案:

答案 0 :(得分:11)

您可以通过实施IMemberValueResolver<object, object, string, bool>并在映射配置中使用它来创建更通用的值解析器。您可以像以前一样提供源属性解析功能:

public class PublicationSystemResolver : IMemberValueResolver<object, object, string, bool>
{
    private readonly PublicationService _publicationService;

    public PublicationSystemResolver(PublicationService publicationService)
    {
        this._publicationService = publicationService;
    }

    public bool Resolve(object source, object destination, string sourceMember, bool destMember, ResolutionContext context)
    {
        return _publicationService.IsInNewSystem(sourceMember);
    }
}



cfg.CreateMap<FindCustomerServiceSellOffers, SalesPitchViewModel>()
    .ForMember(dest => dest.IsInNewSystem,
        src => src.ResolveUsing<PublicationSystemResolver, string>(s => s.PublicationCode));