匿名方法
委托是用于引用与其具有相同标签的方法。换句话说,使用委托对象调用可由委托引用的方法。
匿名方法(Anonymous methods) 提供了一种传递代码块作为委托参数的技术。匿名方法是没有名称只有主体的方法,不需要指定返回类型,它是从方法主体内的 return 语句推断的。
匿名方法是通过使用 delegate 关键字创建委托实例来声明的。例如:
delegate void NumberChanger(int n);
NumberChanger nc = delegate(int x)
{
Console.WriteLine("Anonymous Method: {0}", x);
};
委托可以通过匿名方法调用,也可以通过命名方法调用,即,通过向委托对象传递方法参数。如上面的可以调用为:
nc(1);
下面通过实例来了解一下匿名方法。
using System;
namespace test
{
delegate void Printer(string s); //声明委托
class TestClass
{
static void Main()
{
// 初始化匿名方法
Printer p = delegate(string j)
{
System.Console.WriteLine(j+" anonymous method");
};
p("The delegate using the method is called:"); //调用匿名方法
p = new Printer(TestClass.DoWork); //实例化委托
p("using the named method is called: ");//调用DoWork方法
}
static void DoWork(string k)
{
System.Console.WriteLine(k + "dowork");
}
}
}