「Lambda 運算式」(Lambda Expression) 是一種匿名函式,它可以包含運算式和陳述式 (Statement),而且可以用來建立委派 (Delegate) 或運算式樹狀架構型別。 所有的 Lambda 運算式都會使用 Lambda 運算子 =>,意思為「移至」。Lambda 運算子的左邊會指定輸入參數 (如果存在),右邊則包含運算式或陳述式區塊。Lambda 運算式 x => x * x 的意思是「x 移至 x 乘以 x」。這個運算式可以指派成委派型別 (Delegate Type),如下所示: delegate int del(int i); del myDelegate = x => x * x; int j = myDelegate(5); //j = 25 ---------------------------- using System; using System.Linq; public class CSharpLab { //宣告一個delegate, 自訂a, b二數運算的邏輯 delegate int myLogic(int a, int b); public static void Test() { int x=3, y=5; //原本的標準delegate寫法, 要額外宣告一個Method calc(x, y, new myLogic(addMethod)); //省事一點的匿名寫法 calc(x, y, delegate(int a, int b) { return a+b; }); //再省下去,就來段黏巴達(Lambada)Lambda吧 calc(x, y, (a,b)=>a+b); calc(x, y, (a,b)=>a-b); calc(x, y, (a,b)=>a*b); } static void calc(int x, int y, myLogic cc) { Console.WriteLine(cc(x, y)); } static int addMethod(int a, int b) { return a+b; } } -----------------------