c#-将方法分配给委托,委托中参数比方法多
作者:互联网
这个问题已经在这里有了答案: > Can a method be attached to a delegate with predefined parameters? 2个
我有一个委托,需要很多参数,例如:
public delegate void MyDelegate(float thereAre, int lotsOf, string parametersIn, int thisDelegate);
public MyDelegate theDelegateInstance;
这很烦人,因为Visual Studio 2010没有任何自动完成功能来帮助方法匹配委托签名.我基本上希望能够编写一种只接受委托参数中的一些(或不接收)参数,而忽略其他参数的方法,因为该方法无论如何都不会使用它们.
theDelegateInstance += delegate()
{
Debug.Log("theDelegateInstance was called");
};
要么
theDelegateInstance += delegate(float thereAre, int lotsOf)
{
if(thereAre > lotsOf) Debug.Log("thereAre is way too high");
};
我发现我可以使一个方法接受一个委托,返回一个MyDelegate,调用它的方式如下:
public delegate void VoidMethod();
public static MyDelegate ConvertToMyDelegate(VoidMethod method)
{
return delegate(float thereAre, int lotsOf, string parametersIn, int thisDelegate)
{
method();
};
}
但这需要我为每个不同的转换声明一个静态方法.
我只是发现我可以不用任何参数就能完成我的第一个示例,以达到所需的结果:
theDelegateInstance += delegate//Notice that there are no brackets here.
{
Debug.Log("theDelegateInstance was called");
};
但这仅适用于不带参数的内联方法.如果我想像第二个示例一样使用其中一个参数,则需要全部使用.
解决方法:
您可以随时使用lambdas进行操作.
您可以通过两种方式进行操作-使用要调用的两个示例函数:
第一种方法-创建方法,然后直接调用它:
void FirstFunction(float thereAre, int lotsOf)
{
if(thereAre > lotsOf)
Debug.Log("thereAre is way too high");
}
并以这种方式调用它:
theDelegateInstance += (t, l, p, td) => FirstFunction(t, l);
第二种方法-无需创建函数即可直接进行调用:
theDelegateInstance +=
(t, l, p, td) => Debug.Log("theDelegateInstance was called");
标签:delegates,c 来源: https://codeday.me/bug/20191123/2065748.html