发出委托函数调用

时间:2012-10-09 21:26:55

标签: c# .net reflection.emit il mono.cecil

我有以下C#代码:

public static double f2(Func<double, double> f, double x)
{
    return f(x);
}   

这是IL代码:

.method public hidebysig static 
    float64 f2 (
        class [mscorlib]System.Func`2<float64, float64> f,
        float64 x
    ) cil managed 
{
    // Method begins at RVA 0x20bd
    // Code size 8 (0x8)
    .maxstack 8

    IL_0000: ldarg.0
    IL_0001: ldarg.1
    IL_0002: callvirt instance !1 class [mscorlib]System.Func`2<float64, float64>::Invoke(!0)
    IL_0007: ret
}

我该如何发光

callvirt instance !1 class [mscorlib]System.Func`2<float64, float64>::Invoke(!0)

通过 System.Reflection.Emit 或更好地通过 Mono.Cecil 进行操作?

什么!1和!0代表什么?

1 个答案:

答案 0 :(得分:10)

!n语法是对泛型参数的引用。

在这个例子中......

!0是对Func<double, double>的第一个泛型参数的引用(用作Invoke方法的参数类型)

!1是对Func<double, double>的第二个通用泛型参数的引用(用作Invoke的返回类型)

编辑:您的方法使用System.Reflection.Emit ...

var dynamicMethod = new DynamicMethod(
    "f2Dynamic", 
    typeof(double), 
    new Type[] { typeof(Func<double, double>), typeof(double) });

var il = dynamicMethod.GetILGenerator();

il.Emit(OpCodes.Ldarg_0);
il.Emit(OpCodes.Ldarg_1);
il.Emit(OpCodes.Callvirt, typeof(Func<double, double>).GetMethod("Invoke"));
il.Emit(OpCodes.Ret);

var f2Dynamic = 
    (Func<Func<double, double>, double, double>)dynamicMethod.CreateDelegate(
        typeof(Func<Func<double, double>, double, double>));

Console.WriteLine(f2(x => x * x, 10.0));        // prints 100
Console.WriteLine(f2Dynamic(x => x * x, 10.0)); // prints 100

EDIT2 :在提示@kvb

之后更正!n解释