当源属性未映射时强制抛出异常
在AutoMapper 2.2.1中,有没有什么办法可以配置我的映射,以便当某个属性没有被显式忽略时抛出异常? 例如,我有以下类和配置:
public class Source
{
public int X { get; set; }
public int Y { get; set; }
public int Z { get; set; }
}
public class Destination
{
public int X { get; set; }
public int Y { get; set; }
}
// Config
Mapper.CreateMap<Source, Destination>();
我通过此配置收到的行为是设置了Destination.X
和Destination.Y
属性。 此外,如果我测试我的配置:
Mapper.AssertConfigurationIsValid();
然后我将不会收到映射例外。 我想要发生的是一个AutoMapperConfigurationException
抛出,因为Source.Z
没有明确的忽略。
我希望它能够显式地忽略Z属性,以便AssertConfiguartionIsValid
在没有异常的情况下运行:
Mapper.CreateMap<Source, Destination>()
.ForSourceMember(m => m.Z, e => e.Ignore());
目前,AutoMapper 不会抛出异常。 如果我没有明确指定Ignore
我希望它会抛出异常。 我怎样才能做到这一点?
以下是声明所有源类型属性都被映射的方法:
public static void AssertAllSourcePropertiesMapped()
{
foreach (var map in Mapper.GetAllTypeMaps())
{
// Here is hack, because source member mappings are not exposed
Type t = typeof(TypeMap);
var configs = t.GetField("_sourceMemberConfigs", BindingFlags.Instance | BindingFlags.NonPublic);
var mappedSourceProperties = ((IEnumerable<SourceMemberConfig>)configs.GetValue(map)).Select(m => m.SourceMember);
var mappedProperties = map.GetPropertyMaps().Select(m => m.SourceMember)
.Concat(mappedSourceProperties);
var properties = map.SourceType.GetProperties(BindingFlags.Instance | BindingFlags.Public);
foreach (var propertyInfo in properties)
{
if (!mappedProperties.Contains(propertyInfo))
throw new Exception(String.Format("Property '{0}' of type '{1}' is not mapped",
propertyInfo, map.SourceType));
}
}
}
它会检查所有已配置的映射,并验证每个源类型属性的映射已定义(映射或忽略)。
用法:
Mapper.CreateMap<Source, Destination>();
// ...
AssertAllSourcePropertiesMapped();
这抛出异常
'YourNamespace.Source'类型的属性'Int32 Z'未映射
如果你会忽略那个属性,一切都很好:
Mapper.CreateMap<Source, Destination>()
.ForSourceMember(s => s.Z, opt => opt.Ignore());
AssertAllSourcePropertiesMapped();
链接地址: http://www.djcxy.com/p/70089.html
上一篇: Force throwing of exception when a source property is unmapped