C#委托Action、Action<T>、Func<T>、Predicate<T>

2021-04-13 08:27

阅读:615

一、Action

Action封装的方法没有参数也没有返回值,声明原型为:

1 public delegate void Action();

用法如下:

技术分享图片
1  public void Alert()
2  {
3     Console.WriteLine("这是一个警告");
4  }
5  
6  Action t = new Action(Alert); //  实例化一个Action委托 
7  t();
技术分享图片

如果委托的方法里的语句比较简短,也可以用Lambd表达式直接把方法定义在委托中,如下:

1 Action t = () => { Console.WriteLine("这是一个警告"); };
2 t();

 

二、Action

Action是Action的泛型实现,也是没有返回值,但可以传入最多16个参数,两个参数的声明原型为:

1 public delegate void Action(T1 arg1, T2 arg2);

用法如下:

技术分享图片
1 private void ShowResult(int a, int b)
2 {
3     Console.WriteLine(a + b);
4 }
5 
6 Action t = new Action(ShowResult);//两个参数但没返回值的委托
7 t(2, 3);
技术分享图片

同样也可以直接用Lambd表达式直接把方法定义在委托中,代码如下: 

1 Action t = (a,b) => { Console.WriteLine(a + b); };
2 t(2, 3);

 

三、Func

Func委托始终都会有返回值,返回值的类型是参数中最后一个,可以传入一个参数,也可以最多传入16个参数,但可以传入最多16个参数,两个参数一个返回值的声明原型为:

1 public delegate TResult Func(T1 arg1, T2 arg2);

用法如下:

技术分享图片
1 public bool Compare(int a, int b)
2 {
3     return a > b;
4 }
5 
6 Func t = new Func(Compare);//传入两个int参数,返回bool值
7 bool result = t(2, 3);
技术分享图片

同样也可以直接用Lambd表达式直接把方法定义在委托中,代码如下:

1 Func t = (a, b) => { return a > b; };
2 bool result = t(2, 3);

 

四 、Predicate

Predicate委托表示定义一组条件并确定指定对象是否符合这些条件的方法,返回值始终为bool类型,声明原型为:

1 public delegate bool Predicate(T obj);

 用法如下:

技术分享图片
1 public bool Match(int val)
2 {
3     return val > 60;
4 }
5 
6 Predicate t = new Predicate(Match);   //定义一个比较委托
7 int[] arr = { 13, 45, 26, 98, 3, 56, 72, 24 };            
8 int first = Array.Find(arr, t);                 //找到数组中大于60的第一个元素
技术分享图片

同样也可以直接用Lambd表达式直接把方法定义在委托中,代码如下:

1 Predicate t = val => { return val > 60;};   //定义一个比较委托
2 int[] arr = { 13, 45, 26, 98, 3, 56, 72, 24 };            
3 int first = Array.Find(arr, t);                  //找到数组中大于60的第一个元素

 

总结:

  • 如果要委托的方法没有参数也没有返回值就想到Action
  • 有参数但没有返回值就想到Action
  • 无参数有返回值、有参数且有返回值就想到Func
  • 有bool类型的返回值,多用在比较器的方法,要委托这个方法就想到用Predicate


评论


亲,登录后才可以留言!