2

我有以下课程:

public class TestClass
{   
    public static readonly string HELLO = "Hello, ";

    public static string SayHello(string name)
    {
        return HELLO + name;
    } 
}

我想通过 DynamicMethod 访问 HELLO 的静态字段。GetValue 的标准反射有效:

public static string GetViaInvoke()
    {
        Type tcType = typeof(TestClass);
        FieldInfo fi = tcType.GetField("HELLO");
        string result = fi.GetValue(null) as string;
        return result;
    }

但我需要类似的东西(OpCodes 来自类似方法的 ILDasm):

public static string GetViaDynamicMethod()
    {
        Type tcType = typeof(TestClass);
        FieldInfo fi = tcType.GetField("HELLO");

        DynamicMethod dm = new DynamicMethod("getHello", typeof(string), Type.EmptyTypes);            
        ILGenerator iL = dm.GetILGenerator();

        iL.DeclareLocal(typeof(string));
        iL.Emit(OpCodes.Nop);
        iL.Emit(OpCodes.Ldsfld, fi);
        iL.Emit(OpCodes.Stloc_0);
        iL.Emit(OpCodes.Br_S, 0x09);
        iL.Emit(OpCodes.Ldloc_0);
        iL.Emit(OpCodes.Ret);

        Func<string> fun = dm.CreateDelegate(typeof(Func<string>)) as Func<string>;
        string result = fun();
        return result;
    }

这个想法非常简单,动态方法适用于非静态字段(ldfld 操作码和对象),但是当我尝试访问静态字段时,我收到异常:

System.InvalidProgramException was unhandled
  Message=InvalidProgramException
4

1 回答 1

2

将您编写的 IL 代码基于执行相同操作的反编译代码是一个好主意,但您仍然需要了解自己在做什么。

如果您查看的文档Br_S,您会发现您应该将它与 a 一起使用Label,而不是int. 我认为Br_S你的代码分支到字节偏移量 9 处的指令,但我不知道那是哪条指令,你不应该写这样的代码。

如果只想加载静态字段的值并返回,则不需要任何局部变量或分支。以下内容就足够了:

iL.Emit(OpCodes.Ldsfld, fi);
iL.Emit(OpCodes.Ret);

它的作用是将值加载到评估堆栈上,然后立即返回。它有效,因为当您从确实返回值的方法返回时,评估堆栈上的单个值将用作该返回值。

于 2012-07-12T17:18:10.037 回答