DynamicMethod 调用由于 StackOverFlowException 而终止



我有这个类(简化示例)

public class Foo
{
public object Bar(Type type)
{
return new object();
}
}

我想使用DynamicMethodBar实例上调用Bar方法,如下所示:

MethodInfo methodInfo = typeof(Foo).GetMethod(nameof(Foo.Bar), new[] { typeof(Type) });
DynamicMethod method = new DynamicMethod("Dynamic Bar", 
typeof(object), 
new []{ typeof(Type) }, 
typeof(Foo).Module);
ILGenerator ilGenerator = method.GetILGenerator();
ilGenerator.Emit(OpCodes.Ldarg_0);
ilGenerator.EmitCall(OpCodes.Call, method, null); // I feel like this is wrong...
ilGenerator.Emit(OpCodes.Ret);
Func<Type, object> func = (Func<Type, object>) method.CreateDelegate(typeof(Func<Type, object>));
// Attempt to call the function:
func(typeof(Foo));

但是,它不能按预期工作,而是中止

进程由于 StackOverFlowException 而终止。


有人可以告诉我我做错了什么吗?是参数不匹配吗? 如何在Bar的特定实例上调用Func

ilGenerator.EmitCall(OpCodes.Call, method, null); // I feel like this is wrong...

你目前正在method;你可能打算在这里打电话给methodInfo。请注意,这需要是一个static方法才能使用Call- 如果它是一个实例方法,您可能应该使用CallVirt.由于您没有传入Foo的实例,因此不清楚目标实例将来自哪里;您需要将两个值加载到堆栈上才能Foo.Bar(Type type)调用实例方法 - 而您目前只加载一个值。

要显示Delegate.CreateDelegate使用情况,请执行以下操作:

var methodInfo = typeof(Foo).GetMethod(nameof(Foo.Bar), new[] { typeof(Type) });
var foo = new Foo();
// if Foo is known ahead of time:
var f1 = (Func<Type, object>)Delegate.CreateDelegate(
typeof(Func<Type, object>), foo, methodInfo);
// if Foo is only known per-call:
var f2 = (Func<Foo, Type, object>)Delegate.CreateDelegate(
typeof(Func<Foo, Type, object>), null, methodInfo);
Console.WriteLine(f1(typeof(string)));
Console.WriteLine(f2(foo, typeof(string)));

相关内容

  • 没有找到相关文章

最新更新