委托(Delegates)
委托类似于 C 或 C++ 中的函数指针,是一种引用类型的变量,用来保存对方法的引用。这个引用可以在运行时更改。
委托特别适用于实现事件和回调方法。所有的委托都隐式地继承自 System.Delegate
类。
声明委托
委托声明决定了可以由该委托引用的方法。一个委托可以引用任何与其签名相同的方法。
例如,考虑以下委托:
public delegate int MyDelegate (string s);
上述委托可以引用任何具有单个字符串参数并返回 int
类型变量的方法。
委托声明的语法如下:
delegate <return type> <delegate-name> <parameter list>
实例化委托
一旦声明了委托类型,就需要用 new
关键字创建一个委托对象并与特定的方法关联。创建委托时,传递给 new
表达式的参数类似于方法调用,但没有方法的实际参数。例如:
public delegate void printString(string s);
...
printString ps1 = new printString(WriteToScreen);
printString ps2 = new printString(WriteToFile);
下面的例子展示了声明、实例化以及使用委托的过程,该委托可以引用接受整数参数并返回整数值的方法。
using System;
delegate int NumberChanger(int n);
namespace DelegateAppl {
class TestDelegate {
static int num = 10;
public static int AddNum(int p) {
num += p;
return num;
}
public static int MultNum(int q) {
num *= q;
return num;
}
public static int getNum() {
return num;
}
static void Main(string[] args) {
NumberChanger nc1 = new NumberChanger(AddNum);
NumberChanger nc2 = new NumberChanger(MultNum);
nc1(25);
Console.WriteLine("Value of Num: {0}", getNum());
nc2(5);
Console.WriteLine("Value of Num: {0}", getNum());
Console.ReadKey();
}
}
}
当上述代码被编译和执行时,它产生以下结果:
Value of Num: 35
Value of Num: 175
委托的多播
可以使用 "+" 操作符组合委托对象。组合后的委托会调用它由之组合的两个委托。只有同类型的委托才能组合。使用 "-" 操作符可以从组合的委托中移除一个组合的委托。
利用委托的这个特性,可以在调用委托时创建一个方法的调用列表。这被称为委托的多播。下面的程序演示了委托的多播:
using System;
delegate int NumberChanger(int n);
namespace DelegateAppl {
class TestDelegate {
static int num = 10;
public static int AddNum(int p) {
num += p;
return num;
}
public static int MultNum(int q) {
num *= q;
return num;
}
public static int getNum() {
return num;
}
static void Main(string[] args) {
NumberChanger nc;
NumberChanger nc1 = new NumberChanger(AddNum);
NumberChanger nc2 = new NumberChanger(MultNum);
nc = nc1;
nc += nc2;
nc(5);
Console.WriteLine("Value of Num: {0}", getNum());
Console.ReadKey();
}
}
}
当上述代码被编译和执行时,它产生以下结果:
Value of Num: 75
使用委托
下面的例子演示了委托的使用。委托 printString
可以引用接受字符串作为输入并返回空值的方法。
我们使用这个委托来调用两个方法,第一个将字符串打印到控制台,第二个将字符串打印到文件:
using System;
using System.IO;
namespace DelegateAppl {
class PrintString {
static FileStream fs;
static StreamWriter sw;
public delegate void printString(string s);
public static void WriteToScreen(string str) {
Console.WriteLine("The String is: {0}", str);
}
public static void WriteToFile(string s) {
fs = new FileStream("c:\\message.txt",
FileMode.Append, FileAccess.Write);
sw = new StreamWriter(fs);
sw.WriteLine(s);
sw.Flush();
sw.Close();
fs.Close();
}
public static void sendString(printString ps) {
ps("Hello World");
}
static void Main(string[] args) {
printString ps1 = new printString(WriteToScreen);
printString ps2 = new printString(WriteToFile);
sendString(ps1);
sendString(ps2);
Console.ReadKey();
}
}
}
当上述代码被编译和执行时,它产生以下结果:
The String is: Hello World