C#-Enum参数的DefaultValue和RawDefaultValue的意外差异
作者:互联网
考虑以下示例:
class Program
{
static void Main(string[] args)
{
foreach(var par in typeof(A).GetMethod("Method").GetParameters())
{
Console.WriteLine("Def {0}, RawDef {1}",
par.DefaultValue, par.RawDefaultValue);
}
}
}
class A
{
public void Method(int a = 5, B b = B.b){}
}
enum B
{
a = 0, b = 1
}
根据RawDefaultValue
和DefaultValue
的文档,以及StackOverflow的支持,这两种访问默认值的方法应返回相同的数据.
但是,我得到以下输出:
Def 5, RawDef 5
Def b, RawDef 1
因此,很明显,RawDefaultValue删除了有关参数是枚举类型的信息.
我的问题是:它是错误还是由文档的另一部分证明了?
有趣的事实:在Mono上返回
Def 5, RawDef 5
Def b, RawDef b
解决方法:
tl; dr:这不是错误,而是功能…
如您在文档中所见,RawDefaultValue
支持仅反射上下文,而DefaultValue
不支持.
现在,如果我们检查这两种方法的源代码,我们将看到它使用bool raw标志调用System.Reflection.MdConstant的方法GetValue方法.
由于System.Reflection希望根据其所处的上下文为您提供罐中的“最佳”信息,因此,宁愿为您提供一个枚举,而不是原始值(原始值可以从枚举字段中得出,反之则不不起作用).
现在我们可以在System.Reflection.MdConstant.GetValue中看到:
if (fieldType.IsEnum && raw == false)
{
...
switch (corElementType) //The actual enum value
{
...
case CorElementType.I4:
defaultValue = *(int*)&buffer;
break;
...
}
return RuntimeType.CreateEnum(fieldType, defaultValue);
}
在您的情况下返回B.b // = 1.
但是调用RawDefaultValue会使该标志为false,从而使其:
switch (corElementType)
{
...
case CorElementType.I4:
return *(int*)&buffer;
...
}
在您的情况下返回1.
如果尝试使用Reflection调用System.RuntimeType.CreateEnum(因为它是内部的),并且在仅反射上下文加载的Assembly中,您将获得InvalidOperationException:
//Change to 'Assembly.Load' so the last line will not throw.
Assembly assembly = Assembly.ReflectionOnlyLoad("DllOfB");
Type runtimeType = Type.GetType("System.RuntimeType");
MethodInfo createEnum = runtimeType.GetMethod("CreateEnum", /*BindingFlags*/);
MethodInfo getRuntimeType = typeof(RuntimeTypeHandle).GetMethod("GetRuntimeType", /*BindingFlags*/);
Type bType = assembly.GetType("DllOfB.B");
//Throws 'InvalidOperationException':
object res = createEnum.Invoke(null, new [] { getRuntimeType.Invoke(bType.TypeHandle, new object[]{}), 1 });
至于支持从RawDefaultValue返回Bb的Mono,这意味着Mono不支持仅反射上下文的DefaultValue,或者它可以某种方式从可能在不同体系结构中的Assembly中创建Type的实例-这非常不太可能.
标签:system-reflection,reflection,enums,c,net 来源: https://codeday.me/bug/20191026/1936783.html