匿名方法
我们讨论了委托用于引用任何具有与委托相同签名的方法。换句话说,你可以使用委托对象来调用任何可以被该委托引用的方法。
匿名方法提供了一种将代码块作为委托参数传递的技术。匿名方法是没有名称的,只有方法体。
在匿名方法中,你无需指定返回类型;它是由方法体内返回语句推断出来的。
编写匿名方法
匿名方法是在创建委托实例时声明的,使用 delegate
关键字。例如,
delegate void NumberChanger(int n);
...
NumberChanger nc = delegate(int x) {
Console.WriteLine("Anonymous Method: {0}", x);
};
代码块 Console.WriteLine("Anonymous Method: {0}", x);
是匿名方法的主体。
无论是通过匿名方法还是命名方法,都可以以同样的方式调用委托,即通过将方法参数传递给委托对象。
例如,
nc(10);
示例
下面的示例演示了这一概念:
using System;
delegate void NumberChanger(int n);
namespace DelegateAppl {
class TestDelegate {
static int num = 10;
public static void AddNum(int p) {
num += p;
Console.WriteLine("Named Method: {0}", num);
}
public static void MultNum(int q) {
num *= q;
Console.WriteLine("Named Method: {0}", num);
}
public static int getNum() {
return num;
}
static void Main(string[] args) {
NumberChanger nc = delegate(int x) {
Console.WriteLine("Anonymous Method: {0}", x);
};
nc(10);
nc = new NumberChanger(AddNum);
nc(5);
nc = new NumberChanger(MultNum);
nc(2);
Console.ReadKey();
}
}
}
当上述代码被编译和执行时,它产生以下结果:
Anonymous Method: 10
Named Method: 15
Named Method: 30