是否可以在两个不同的枚举之间进行映射?
也就是说,我想获取一个枚举值并将其映射到不同枚举类型中的相应值。
我知道如何使用AutoMapper执行此操作:
// Here's how to configure...
Mapper.CreateMap<EnumSourceType, EnumTargetType>();
// ...and here's how to map
Mapper.Map<EnumTargetType>(enumSourceValue)
但我是ValueInjecter的新手,无法弄明白。
** 更新 **
源和目标枚举类型如下所示:
public enum EnumSourceType
{
Val1 = 0,
Val2 = 1,
Val3 = 2,
Val4 = 4,
}
public enum EnumTargetType
{
Val1,
Val2,
Val3,
Val4,
}
因此,常量具有相同的名称,但值不同。
答案 0 :(得分:6)
好的,解决方案非常简单,我使用常规注入来按名称匹配属性,以及在我使用Enum.Parse从字符串转换为枚举后它们都是枚举的事实
public class EnumsByStringName : ConventionInjection
{
protected override bool Match(ConventionInfo c)
{
return c.SourceProp.Name == c.TargetProp.Name
&& c.SourceProp.Type.IsEnum
&& c.TargetProp.Type.IsEnum;
}
protected override object SetValue(ConventionInfo c)
{
return Enum.Parse(c.TargetProp.Type, c.SourceProp.Value.ToString());
}
}
public class F1
{
public EnumTargetType P1 { get; set; }
}
[Test]
public void Tests()
{
var s = new { P1 = EnumSourceType.Val3 };
var t = new F1();
t.InjectFrom<EnumsByStringName>(s);
Assert.AreEqual(t.P1, EnumTargetType.Val3);
}
答案 1 :(得分:0)
enum EnumSourceType
{
Val1 = 0,
Val2 = 1,
Val3 = 2,
Val4 = 4,
}
enum EnumTargetType
{
Targ1,
Targ2,
Targ3,
Targ4,
}
Dictionary<EnumSourceType, EnumTargetType> SourceToTargetMap = new Dictionary<EnumSourceType, EnumTargetType>
{
{EnumSourceType.Val1, EnumTargetType.Targ1},
{EnumSourceType.Val2, EnumTargetType.Targ2},
{EnumSourceType.Val3, EnumTargetType.Targ3},
{EnumSourceType.Val4, EnumTargetType.Targ4},
};
Console.WriteLine( SourceToTargetMap[EnumSourceType.Val1] )
答案 2 :(得分:0)
这是一个使用LoopInjection基类的版本:
public class EnumsByStringName : LoopInjection
{
protected override bool MatchTypes(Type source, Type target)
{
return ((target.IsSubclassOf(typeof(Enum))
|| Nullable.GetUnderlyingType(target) != null && Nullable.GetUnderlyingType(target).IsEnum)
&& (source.IsSubclassOf(typeof(Enum))
|| Nullable.GetUnderlyingType(source) != null && Nullable.GetUnderlyingType(source).IsEnum)
);
}
protected override void SetValue(object source, object target, PropertyInfo sp, PropertyInfo tp)
{
tp.SetValue(target, Enum.Parse(tp.PropertyType, sp.GetValue(source).ToString()));
}
}