问题描述
我有几个方法都具有相同的参数类型和返回值,但名称和块不同.我想将要运行的方法的名称传递给另一个将调用传递的方法的方法.
I have several methods all with the same parameter types and return values but different names and blocks. I want to pass the name of the method to run to another method that will invoke the passed method.
public int Method1(string)
{
// Do something
return myInt;
}
public int Method2(string)
{
// Do something different
return myInt;
}
public bool RunTheMethod([Method Name passed in here] myMethodName)
{
// Do stuff
int i = myMethodName("My String");
// Do more stuff
return true;
}
public bool Test()
{
return RunTheMethod(Method1);
}
此代码不起作用,但这就是我想要做的.我不明白的是RunTheMethod代码怎么写,因为我需要定义参数.
This code does not work but this is what I am trying to do. What I don't understand is how to write the RunTheMethod code since I need to define the parameter.
推荐答案
您可以使用 .net 3.5 中的 Func 委托作为 RunTheMethod 方法中的参数.Func 委托允许您指定一个方法,该方法采用特定类型的多个参数并返回特定类型的单个参数.这是一个应该有效的示例:
You can use the Func delegate in .net 3.5 as the parameter in your RunTheMethod method. The Func delegate allows you to specify a method that takes a number of parameters of a specific type and returns a single argument of a specific type. Here is an example that should work:
public class Class1
{
public int Method1(string input)
{
//... do something
return 0;
}
public int Method2(string input)
{
//... do something different
return 1;
}
public bool RunTheMethod(Func<string, int> myMethodName)
{
//... do stuff
int i = myMethodName("My String");
//... do more stuff
return true;
}
public bool Test()
{
return RunTheMethod(Method1);
}
}
这篇关于使用 C# 将方法作为参数传递的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!