私は、クラスのメソッドを検査し、特定のシグネチャに一致するものを含むドロップダウンリストを作成しました。問題は、選択された項目をリストから取得し、デリゲートがそのメソッドをクラス内で呼び出すようにすることです。最初の方法は機能しますが、私は2番目の方法の一部を理解できません。例えばmethodinfoからデリゲートを取得する
、
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;
}
はどのようにして第二の方法のコメントアウト部分が動作するのですか? 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;
}
ありがとうございましたnkohari、私が必要とするように正確に働いた。 –