在c#中将一个动态转换为另一个动态的类型
本文关键字:动态 转换 另一个 类型 一个 | 更新日期: 2023-09-27 18:25:18
我正试图编写一个通用函数,将反射的预期结果(但预期是由用户在配置中而不是在设计时提供的)与任意属性的实际结果进行比较。
我遇到了一个问题,默认情况下,期望的类型并不总是反映返回的类型——例如,我的反射结果(在动态中)可能是int,其中期望的结果是枚举成员(从int继承)。
因此,我想做以下事情:
if ((dCurrentValue as typeof(this.CheckValue)) != this.CheckValue) { oOut = false; }
然而,这似乎并不奏效。通过在网上摸索,我发现System.Activator或Convert.ChangeType()可能是我的朋友。然而,到目前为止,它们并没有像我预期的那样工作——例如:
dCurrentValue = Convert.ChangeType(dCurrentValue, this.CheckValue.GetType());
抛出一个异常(针对提醒我注意该问题的对)Invalid cast from 'System.Int32' to 'Microsoft.Office.Core.MsoTriState'
-我知道这是错误的,因为:
(int)Microsoft.Office.Core.MsoTriState.msoTrue == -1 // true
((Microsoft.Office.Core.MsoTriState)(-1)) == Microsoft.Office.Core.MsoTriState.msoTrue // true
注意,虽然我可以放入一个填充程序来求解MsoTriState(即检查this.CheckValue的类型,如果适用,还可以显式强制转换),但我更愿意以适用于未知枚举项的方式来执行此操作。
编辑:感谢下面的评论,我在测试表单之前添加了一个测试:
if (((Type) this.CheckValue.GetType()).IsEnum)
{
dCurrentValue = Enum.Parse(this.CheckValue.GetType(), dCurrentValue.ToString());
}
这解决了我眼前的问题。我的猜测是,这与Convert.ChangeType()
(正如我所提到的,它似乎不喜欢将枚举转换为Ints)相结合将涵盖大多数情况。
Boolean
、SByte
、Byte
…)实现IConvertable。Convert
仅适用于实现此接口的类型。С基本类型之间的转换不是问题。枚举不属于公共语言运行时类型,但它实现了IConvertible
。这意味着您可以使用Convert.ChangeType
轻松地从Enum
转换为基本类型,但不能简单地反向执行操作–这两种类型之间没有桥接。这就是你感染Invalid cast from 'System.Int32' to 'Microsoft.Office.Core.MsoTriState'
的原因。IConvertible
包含有助于获得关于Enum
的基本类型的信息的方法(GetTypeCode
)。我写了一些代码来解决你的问题。
解决方案
public static class Comparer
{
public static IConvertible CastToConvertible<T>(T value)
{
if (value is IConvertible)
{
return (IConvertible)Convert.ChangeType(value, ((IConvertible)value).GetTypeCode());
}
// this type is not supported
throw new ArgumentException("Unknown type: " + value.GetType());
}
public static bool Equals<T1, T2>(T1 first, T2 second)
{
try
{
IConvertible firstConveted = CastToConvertible(first);
IConvertible secondConverted = CastToConvertible(second);
// standard Equals cannot compare two different types,
// so here the second value is
// converted to the type of the first value
var secondChangedType = (IConvertible)Convert.ChangeType(
secondConverted, firstConveted.GetTypeCode());
return firstConveted.Equals(secondChangedType);
}
catch (Exception)
{
// an exception might be caught in two cases:
// 1. One of the values cannot be converted
// to IConvertible interface.
// 2. The second value cannot be converted
// to the type of the first value.
return false;
}
}
}
测试代码
[TestClass]
public class ComparerTests
{
public enum ByteEnum : byte
{
One = 1, Two = 2
}
public enum IntEnum
{
One = 1, Two = 2, MegaLarge = 100500
}
[TestMethod]
public void EqualsTest()
{
Assert.IsTrue(Comparer.Equals(2, 2));
Assert.IsFalse(Comparer.Equals(1,2));
Assert.IsTrue(Comparer.Equals(1, IntEnum.One));
Assert.IsFalse(Comparer.Equals(1, IntEnum.Two));
Assert.IsTrue(Comparer.Equals(ByteEnum.One, IntEnum.One));
Assert.IsFalse(Comparer.Equals(ByteEnum.One, IntEnum.Two));
Assert.IsFalse(Comparer.Equals(ByteEnum.One, IntEnum.MegaLarge));
}
}