我需要一个方法,它接受一个MethodInfo
表示具有任意签名的非泛型静态方法的实例,并返回一个绑定到该方法的委托,该方法以后可以使用Delegate.DynamicInvoke
方法调用。我的第一次天真的尝试是这样的:
using System;
using System.Reflection;
class Program
{
static void Main()
{
var method = CreateDelegate(typeof (Console).GetMethod("WriteLine", new[] {typeof (string)}));
method.DynamicInvoke("Hello world");
}
static Delegate CreateDelegate(MethodInfo method)
{
if (method == null)
{
throw new ArgumentNullException("method");
}
if (!method.IsStatic)
{
throw new ArgumentNullException("method", "The provided method is not static.");
}
if (method.ContainsGenericParameters)
{
throw new ArgumentException("The provided method contains unassigned generic type parameters.");
}
return method.CreateDelegate(typeof(Delegate)); // This does not work: System.ArgumentException: Type must derive from Delegate.
}
}
我希望该MethodInfo.CreateDelegate
方法本身可以找出正确的委托类型。好吧,显然它不能。那么,如何创建一个System.Type
代表具有与提供的实例匹配的签名的委托的MethodInfo
实例?