web-dev-qa-db-ja.com

methodinfoからデリゲートを取得する

クラスのメソッドを調べて、特定のシグネチャに一致するメソッドを含めることで入力されるドロップダウンリストがあります。問題は、リストから選択したアイテムを取得し、デリゲートにクラス内のそのメソッドを呼び出させることです。最初の方法は機能しますが、2番目の方法の一部を理解できません。

例えば、

public delegate void MyDelegate(MyState state);

public static MyDelegate GetMyDelegateFromString(string methodName)
{
    switch (methodName)
    {
        case "CallMethodOne":
            return MyFunctionsClass.CallMethodOne;
        case "CallMethodTwo":
            return MyFunctionsClass.CallMethodTwo;
        default:
            return MyFunctionsClass.CallMethodOne;
    }
}

public static MyDelegate GetMyDelegateFromStringReflection(string methodName)
{
    MyDelegate function = MyFunctionsClass.CallMethodOne;

    Type inf = typeof(MyFunctionsClass);
    foreach (var method in inf.GetMethods())
    {
        if (method.Name == methodName)
        {
            //function = method;
            //how do I get the function to call?
        }
    }

    return function;
}

2番目の方法のコメントアウトされたセクションを機能させるにはどうすればよいですか? MethodInfoをデリゲートにキャストするにはどうすればよいですか?

ありがとう!

編集:これが実用的な解決策です。

public static MyDelegate GetMyDelegateFromStringReflection(string methodName)
{
    MyDelegate function = MyFunctionsClass.CallMethodOne;

    Type inf = typeof(MyFunctionsClass);
    foreach (var method in inf.GetMethods())
    {
        if (method.Name == methodName)
        {
            function = (MyDelegate)Delegate.CreateDelegate(typeof(MyDelegate), method);
        }
    }

    return function;
}
30
Ty.

問題のメソッドが静的メソッドであるかインスタンスメソッドであるかに応じて、何らかの形式の Delegate.CreateDelegate() を呼び出す必要があります。

23
Nate Kohari
private static Delegate CreateDelegate(this MethodInfo methodInfo, object target) {
    Func<Type[], Type> getType;
    var isAction = methodInfo.ReturnType.Equals((typeof(void)));
    var types = methodInfo.GetParameters().Select(p => p.ParameterType);

    if (isAction) {
        getType = Expression.GetActionType;
    }
    else {
        getType = Expression.GetFuncType;
        types = types.Concat(new[] { methodInfo.ReturnType });
    }

    if (methodInfo.IsStatic) {
        return Delegate.CreateDelegate(getType(types.ToArray()), methodInfo);
    }

    return Delegate.CreateDelegate(getType(types.ToArray()), target, methodInfo.Name);
}
18
Sagi