共用方式為


使用具名和匿名方法委派的比較 (C# 程式設計手冊)

delegate 可以與具名方法產生關聯。 當您使用具名方法執行個體化委派時,方法會當做參數傳遞,例如:

// Declare a delegate:
delegate void Del(int x);

// Define a named method:
void DoWork(int k) { /* ... */ }

// Instantiate the delegate using the method as a parameter:
Del d = obj.DoWork;

這會使用具名方法呼叫。 使用具名方法建構的委派可封裝靜態方法或執行個體方法 (Instance Method)。 在舊版 C# 中,要執行個體化委派只能使用具名方法。 不過,如果建立新方法會產生額外不必要的負荷,C# 可讓您執行個體化委派,並立即指定呼叫委派時會處理的程式碼區塊。 區塊可以包含 Lambda 運算式或匿名方法。 如需詳細資訊,請參閱 匿名函式 (C# 程式設計手冊)

備註

當做委派參數傳遞的方法必須擁有與委派宣告相同的簽章。

委派執行個體可封裝靜態或執行個體方法。

即使委派可使用 out 參數,但仍不建議您用於多點傳送事件委派,因為無從得知將呼叫哪一個委派。

範例 1

下列是宣告和使用委派的簡單範例。 請注意,委派 Del 與關聯方法 MultiplyNumbers 擁有相同的簽章。

// Declare a delegate
delegate void Del(int i, double j);

class MathClass
{
    static void Main()
    {
        MathClass m = new MathClass();

        // Delegate instantiation using "MultiplyNumbers"
        Del d = m.MultiplyNumbers;

        // Invoke the delegate object.
        System.Console.WriteLine("Invoking the delegate using 'MultiplyNumbers':");
        for (int i = 1; i <= 5; i++)
        {
            d(i, 2);
        }

        // Keep the console window open in debug mode.
        System.Console.WriteLine("Press any key to exit.");
        System.Console.ReadKey();
    }

    // Declare the associated method.
    void MultiplyNumbers(int m, double n)
    {
        System.Console.Write(m * n + " ");
    }
}
/* Output:
    Invoking the delegate using 'MultiplyNumbers':
    2 4 6 8 10
*/

範例 2

在下列範例裡,一個委派會同時對應到靜態和執行個體方法,並傳回兩者各自回傳的資訊。

// Declare a delegate
delegate void Del();

class SampleClass
{
    public void InstanceMethod()
    {
        System.Console.WriteLine("A message from the instance method.");
    }

    static public void StaticMethod()
    {
        System.Console.WriteLine("A message from the static method.");
    }
}

class TestSampleClass
{
    static void Main()
    {
        SampleClass sc = new SampleClass();

        // Map the delegate to the instance method:
        Del d = sc.InstanceMethod;
        d();

        // Map to the static method:
        d = SampleClass.StaticMethod;
        d();
    }
}
/* Output:
    A message from the instance method.
    A message from the static method.
*/

請參閱

工作

HOW TO:組合委派 (多點傳送委派) (C# 程式設計手冊)

參考

委派 (C# 程式設計手冊)

匿名方法 (C# 程式設計手冊)

事件 (C# 程式設計手冊)

概念

C# 程式設計手冊