传递方法并调用内部函数
本文关键字:调用 内部函数 方法 | 更新日期: 2023-09-27 18:03:48
我有对象var channel = new Chanel();
这个对象有几个方法,我在函数内部调用,像这样:
private bool GetMethodExecution()
{
var channel = new Channel();
channel.method1();
channel.method2();
}
类Channel
的所有方法都来源于接口IChannel
。我的问题是我如何调用方法GetMethodExecution()
并传递我想要执行的方法,然后根据传递的参数在此函数内执行它。
我需要的是调用GetMethodExectution(IChannle.method1),然后在这个函数内的对象上调用它。
private bool GetMethodExecution(Func<Channel, bool> channelExecutor)
{
var channel = new Channel();
return channelExecutor(channel);
}
现在你可以通过lambda传递方法:
GetMethodExecution(ch => ch.method1());
GetMethodExecution(ch => ch.method2());
你在找这样的东西吗?
private bool GetMethodExecution(int method)
{
switch (method)
{
case 1: return new Channel().method1();
case 2: return new Channel().method2();
default: throw new ArgumentOutOfRangeException("method");
}
}
GetMethodExecution(1);
GetMethodExecution(2);
您可以使用Func
Delegate:
private bool GetMethodExecution(Func<bool> Method)
{
return Method()
}
public bool YourCallingMethod()
{
var channel = new Channel();
return GetMethodExecution(channel.method1); // Or return GetMethodExecution(channel.method2);
}
如果你想传递方法名作为参数,并在代码块中调用它,你可以像下面这样使用反射:
private bool GetMethodExecution(string methodName)
{
var channel = new Channel();
Type type = typeof(Channel);
MethodInfo info = type.GetMethod(methodName);
return (bool)info.Invoke(channel, null); // # Assuming the methods you call return bool
}