delegate到底是什么东西
C语言总学过吧,如果你学得不像我那么差的话,函数指针总用过吧,就算没用过总听说过吧,嗯,大胆的告诉你,你完全可以把delegate理解成C中的函 数指针,它允许你传递一个类A的方法m给另一个类B的对象,使得类B的对象能够调用这个方法m,说白了就是可以把方法当作参数传递。不过delegate 和函数指针还是有点区别的,delegate有许多函数指针不具备的优点。首先,函数指针只能指向静态函数,而delegate既可以引用静态函数,又可 以引用非静态成员函数。在引 用非静态成员函数时,delegate不但保存了对此函数入口指针的引用,而且还保存了调用此函数的类实例的引用。其次,与函数指针相 比,delegate是面向对象、类型安全、可靠的受控(managed)对象。也就是说,runtime能够保证delegate指向一个有效的方法, 你无须担心delegate会指向无效地址或者越界地址。
有什么能比举个例子更能说明问题呢,代码才是硬道理,来吧,看几个例子吧:
第一个例子:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
public
class
DelegateTest
{
// 声明delegate对象
public
delegate
void
CompareDelegate(
int
a,
int
b);
// 欲传递的方法,它与CompareDelegate具有相同的参数和返回值类型
public
static
void
Compare(
int
a,
int
b)
{
Console.WriteLine((a>b).ToString());
}
public
static
void
Main()
{
// 创建delegate对象
CompareDelegate cd =
new
CompareDelegate(DelegateTest.Compare);
// 调用delegate
cd(1,2);
}
}
再来一个例子:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
public
delegate
void
MyTestDelegate(
int
i);
public
class
Program
{
public
static
void
Main()
{
//创建delegate
ReceiveDelegateArgsFunc(
new
MyTestDelegate(DelegateFunction));
}
//这个方法接收一个delegate类型的参数,也就是接收一个函数作为参数
public
static
void
ReceiveDelegateArgsFunc(MyTestDelegate func)
{
func(21);
}
//欲传递的方法
public
static
void
DelegateFunction(
int
i)
{
System.Console.WriteLine(
"传过来的参数为: {0}."
, i);
}
}