我有几个接口 (IMapFrom
和IMapTo
) 可以让我简化AutoMapper
配置。MapTo
每个接口都有和MapFrom
方法的默认实现。我有一个单独的MappingProfile
类,它使用反射来查找所有实现类,并调用它们的映射创建。
上述类如下所示:
public interface IMapFrom<T>
{
void MapFrom(Profile profile) => profile.CreateMap(typeof(T), GetType());
}
public interface IMapTo<T>
{
void MapTo(Profile profile) => profile.CreateMap(GetType(), typeof(T));
}
public class MappingProfile : Profile
{
public MappingProfile()
{
ApplyMappingsFromAssembly(Assembly.GetExecutingAssembly());
}
private void ApplyMappingsFromAssembly(Assembly assembly)
{
var types = assembly.GetExportedTypes()
.Where(t => t.GetInterfaces().Any(i =>
i.IsGenericType && (i.GetGenericTypeDefinition() == typeof(IMapFrom<>) ||
i.GetGenericTypeDefinition() == typeof(IMapTo<>))))
.ToList();
foreach (var type in types)
{
var instance = Activator.CreateInstance(type);
var mapTo = type.GetMethod("MapTo");
var mapFrom = type.GetMethod("MapFrom");
mapTo?.Invoke(instance, new object[] {this});
mapFrom?.Invoke(instance, new object[] {this});
}
}
}
如果实现接口的类覆盖了默认接口实现,则MappingProfile
该类将按需要工作。但是,如果类仅仅依赖于默认实现,mapTo
并且mapFrom
在ApplyMappingsFromAssembly
方法中都是空的。
例如,此类将不会成功应用其映射:
public class CreateJobCommand :
UpdateJobInputModel,
IMapFrom<UpdateJobInputModel>,
IMapTo<Job>,
IRequest<int>
{
}
如果它们没有在继承类中重新实现,我如何获得默认实现?