原博链接:http://www.cnblogs.com/maitian-lf/p/3671782.html
CLR环境中给我们内置了几个常用委托Action、 Action
1、Action
Action封装的方法没有参数也没有返回值,声明原型为:
public delegate void Action();
用法如下:
public void Alert()
{
Console.WriteLine("这是一个警告");
}
Action t = new Action(Alert); // 实例化一个Action委托
t();
Action
public delegate void Action(T1 arg1, T2 arg2);
用法如下:
private void ShowResult(int a, int b)
{
Console.WriteLine(a + b);
}
Action t = new Action(ShowResult);//两个参数但没返回值的委托
t(2, 3);
Func
public delegate TResult Func(T1 arg1, T2 arg2);
用法如下:
public bool Compare(int a, int b)
{
return a > b;
}
Func t = new Func(Compare);//传入两个int参数,返回bool值
bool result = t(2, 3);
Predicate
public delegate bool Predicate(T obj);
用法如下:
public bool Match(int val)
{
return val > 60;
}
Predicate t = new Predicate(Match); //定义一个比较委托
int[] arr = { 13, 45, 26, 98, 3, 56, 72, 24 };
int first = Array.Find(arr, t); //找到数组中大于60的第一个元素
Predicate t = val => { return val > 60;}; //定义一个比较委托
int[] arr = { 13, 45, 26, 98, 3, 56, 72, 24 };
int first = Array.Find(arr, t); //找到数组中大于60的第一个元素
其中Array数组类中的find()的第二个参数是委托类型,表明arr的元素被逐个传递给 Predicate,与条件匹配的元素则保存在返回值中。
上述场合应用中,其实不必显式创建 Predicate
public bool Match(int val)
{
return val > 60;
}
int[] arr = { 13, 45, 26, 98, 3, 56, 72, 24 };
int first = Array.Find(arr, Match); //自动创建委托
或者:
int[] arr = { 13, 45, 26, 98, 3, 56, 72, 24 };
int first = Array.Find(arr,val => { return val > 60;}); //自动创建委托