委托的定义:
委托是一种在对象里保存方法引用的类型,同时也是一种类型安全的函数指针。
委托的优点:
压缩方法的调用。
合理有效地使用委托能提升应用程序的性能。
用于调用匿名方法。
委托的声明:
委托应使用public delegate type_of_delegate delegate_name()的形式来声明。
示例:public delegate int mydelegate(int delvar1,int delvar2)
示例:public delegate int mydelegate(int delvar1,int delvar2)
注意点:可以在不带参数或参数列表的情况下声明委托。
应当遵循和声明方法一样的语法来声明委托。
使用委托的示例程序:
public delegate double delegate_prod(int a,int b);
class class1
{
{
static double fn_prodvalues(int val1,int val2)
{
return val1*val2;
}
static void main(string[] args)
{
{
return val1*val2;
}
static void main(string[] args)
{
//creating the delegate instance
delegate_prod delobj = new delegate_prod(fn_prodvalues);
console.write(“please enter values”);
delegate_prod delobj = new delegate_prod(fn_prodvalues);
console.write(“please enter values”);
int v1 = int32.parse(console.readline());
int v2 = int32.parse(console.readline());
int v2 = int32.parse(console.readline());
//use a delegate for processing
double res = delobj(v1,v2);
console.writeline (“result :”+res);
console.readline();
console.writeline (“result :”+res);
console.readline();
}
}
}
示例程序解析:
上面我用一段小程序示范了委托的使用。委托delegate_prod声明时指定了两个只接受整型变量的返回类型。同样类中名为fn_prodvalues的方法也是如此,委托和方法具有相同的签名和参数类型。
在main方法中创建一个委托实例并用如下方式将函数名称传递给该委托实例:
delegate_prod delobj = new delegate_prod(fn_prodvalues);
这样我们就接受了来自用户的两个值并将其传递给委托:
delobj(v1,v2);
在此委托对象压缩了方法的功能并返回我们在方法中指定的结果。
多播委托:
多播委托包含一个以上方法的引用。
多播委托包含的方法必须返回void,否则会抛出run-time exception。
使用多播委托的示例程序:
delegate void delegate_multicast(int x, int y);
class class2
{
static void method1(int x, int y) {
console.writeline(“you r in method 1”);
}
static void method2(int x, int y) {
console.writeline(“you r in method 2”);
}
public static void main()
{
delegate_multicast func = new delegate_multicast(method1);
static void method1(int x, int y) {
console.writeline(“you r in method 1”);
}
static void method2(int x, int y) {
console.writeline(“you r in method 2”);
}
public static void main()
{
delegate_multicast func = new delegate_multicast(method1);
func += new delegate_multicast(method2);
func(1,2); // method1 and method2 are called
func -= new delegate_multicast(method1);
func(2,3); // only method2 is called
}
func(1,2); // method1 and method2 are called
func -= new delegate_multicast(method1);
func(2,3); // only method2 is called
}
}
示例程序解析:
大家可以看到上面的示例程序分别定义了名为method1 和 method2的两个接受整型参数、返回类型为void的方法。
在main函数里使用下面的声明创建委托对象:
delegate_multicast func = new delegate_multicast(method1);
然后使用+= 来添加委托,使用-=来移除委托。
总结:
这篇小文章将帮助您更好地理解委托。