1. 程式人生 > >C#委托Action、Action<T>、Func<T>、Predicate<T>

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

result val 沒有 表達式 警告 src lba 系統 數組

CLR環境中給我們內置了幾個常用委托Action、 Action<T>、Func<T>、Predicate<T>,一般我們要用到委托的時候,盡量不要自己再定義一 個委托了,就用系統內置的這幾個已經能夠滿足大部分的需求,且讓代碼符合規範。

一、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<T>

Action<T>是Action的泛型實現,也是沒有返回值,但可以傳入最多16個參數,兩個參數的聲明原型為:

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

用法如下:

技術分享圖片
1 private void ShowResult(int a, int b)
2 {
3     Console.WriteLine(a + b);
4 }
5 
6 Action<int, int> t = new Action<int, int>(ShowResult);//兩個參數但沒返回值的委托
7 t(2, 3);
技術分享圖片

同樣也可以直接用Lambd表達式直接把方法定義在委托中,代碼如下:

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

三、Func<T>

Func<T>委托始終都會有返回值,返回值的類型是參數中最後一個,可以傳入一個參數,也可以最多傳入16個參數,但可以傳入最多16個參數,兩個參數一個返回值的聲明原型為:

1 public delegate TResult Func<in T1, in T2, out TResult>(T1 arg1, T2 arg2);

用法如下:

技術分享圖片
1 public bool Compare(int a, int b)
2 {
3     return a > b;
4 }
5 
6 Func<int, int, bool> t = new Func<int, int, bool>(Compare);//傳入兩個int參數,返回bool值
7 bool result = t(2, 3);
技術分享圖片

同樣也可以直接用Lambd表達式直接把方法定義在委托中,代碼如下:

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

四 、Predicate<T>

Predicate<T>委托表示定義一組條件並確定指定對象是否符合這些條件的方法,返回值始終為bool類型,聲明原型為:

1 public delegate bool Predicate<in T>(T obj);

用法如下:

技術分享圖片
1 public bool Match(int val)
2 {
3     return val > 60;
4 }
5 
6 Predicate<int> t = new Predicate<int>(Match);   //定義一個比較委托
7 int[] arr = { 13, 45, 26, 98, 3, 56, 72, 24 };            
8 int first = Array.Find(arr, t);                 //找到數組中大於60的第一個元素
技術分享圖片

同樣也可以直接用Lambd表達式直接把方法定義在委托中,代碼如下:

1 Predicate<int> 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<T>
  • 無參數有返回值、有參數且有返回值就想到Func<T>
  • 有bool類型的返回值,多用在比較器的方法,要委托這個方法就想到用Predicate<T>

轉自:https://www.cnblogs.com/maitian-lf/p/3671782.html

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