C#匿名方法


前面我們學習過,委託可用於參照任何與委託簽名相同的方法。換句話說,可以呼叫可以由委託使用該委託物件參照的方法。

匿名方法提供了一種將程式碼塊作為委託引數傳遞的技術。匿名方法是沒有名稱的方法,只有方法體。

不需要在匿名方法中指定返回型別; 它是從方法體中的return語句來推斷的。

編寫匿名方法

使用delegate關鍵字建立代理範例時,就可以宣告匿名方法。 例如,

delegate void NumberChanger(int n);
...
NumberChanger nc = delegate(int x)
{
   Console.WriteLine("Anonymous Method: {0}", x);
};

程式碼塊Console.WriteLine("Anonymous Method: {0}", x);是匿名方法體。

代理可以使用匿名方法和命名方法以相同的方式呼叫,即通過將方法引數傳遞給委託物件。

例如,

nc(10);

範例

以下範例演示如何實現概念:

using System;

delegate void NumberChanger(int n);
namespace DelegateAppl
{
   class TestDelegate
   {
      static int num = 10;
      public static void AddNum(int p)
      {
         num += p;
         Console.WriteLine("Named Method: {0}", num);
      }

      public static void MultNum(int q)
      {
         num *= q;
         Console.WriteLine("Named Method: {0}", num);
      }

      public static int getNum()
      {
         return num;
      }
      static void Main(string[] args)
      {
         //create delegate instances using anonymous method
         NumberChanger nc = delegate(int x)
         {
            Console.WriteLine("Anonymous Method: {0}", x);
         };

         //calling the delegate using the anonymous method 
         nc(10);

         //instantiating the delegate using the named methods 
         nc =  new NumberChanger(AddNum);

         //calling the delegate using the named methods 
         nc(5);

         //instantiating the delegate using another named methods 
         nc =  new NumberChanger(MultNum);

         //calling the delegate using the named methods 
         nc(2);
         Console.ReadKey();
      }
   }
}

當上述程式碼被編譯並執行時,它產生以下結果:

Anonymous Method: 10
Named Method: 15
Named Method: 30