我有以下两个基本视图模型类,我的所有视图模型(曾经)都派生自这些类:
public class MappedViewModel<TEntity>: ViewModel
{
public virtual void MapFromEntity(TEntity entity)
{
Mapper.Map(entity, this, typeof (TEntity), GetType());
}
}
public class IndexModel<TIndexItem, TEntity> : ViewModel
where TIndexItem : MappedViewModel<TEntity>, new()
where TEntity : new()
{
public List<TIndexItem> Items { get; set; }
public virtual void MapFromEntityList(IEnumerable<TEntity> entityList)
{
Items = Mapper.Map<IEnumerable<TEntity>, List<TIndexItem>>(entityList);
}
}
在我知道AutoMapper可以自己完成所有列表之前,就像上面的
MapFromEntityList
一样,我曾经运行过一个循环,并为每个列表项在新的MapFromEntity
实例上调用MappedViewModel
。现在,我已经失去了仅覆盖
MapFromEntity
的机会,因为AutoMapper并未使用它,并且我还必须覆盖MapFromEntityList
回到显式循环以实现此目的。在我的应用启动时,我使用如下映射配置:
Mapper.CreateMap<ClientCourse, ClientCourseIndexItem>();
我如何告诉AutoMapper始终在例如调用
MapFromEntity
每个ClientCourseIndexIte
?还是有更好的方法来完成所有这些工作?顺便说一句,我仍然经常在编辑模型而不是索引模型中使用显式的
MapFromEntity
调用。 最佳答案
您可以实现一个调用MapFromEntity方法的转换器。这是示例:
public class ClientCourseConverter<TSource, TDestination>: ITypeConverter<TSource, TDestination>
where TSource : new()
where TDestination : MappedViewModel<TEntity>, new()
{
public TDestination Convert(ResolutionContext context)
{
var destination = (TDestination)context.DestinationValue;
if(destination == null)
destination = new TDestination();
destination.MapFromEntity((TSource)context.SourceValue);
}
}
// Mapping configuration
Mapper.CreateMap<ClientCourse, ClientCourseIndexItem>().ConvertUsing(
new ClientCourseConverter<ClientCourse, ClientCourseIndexItem>());