更新:2007 年 11 月
C# | 复制代码 |
---|---|
public delegate void Del<T>(T item); public static void Notify(int i) { } Del<int> m1 = new Del<int>(Notify); |
C# 2.0 版具有称为方法组转换的新功能,此功能适用于具体委托类型和泛型委托类型,并使您可以使用如下简化的语法写入上一行:
C# | 复制代码 |
---|---|
Del<int> m2 = Notify;
|
在泛型类内部定义的委托使用泛型类类型参数的方式可以与类方法所使用的方式相同。
C# | 复制代码 |
---|---|
class Stack<T> { T[] items; int index; public delegate void StackDelegate(T[] items); } |
引用委托的代码必须指定包含类的类型变量,如下所示:
C# | 复制代码 |
---|---|
private static void DoWork(float[] items) { } public static void TestStack() { Stack<float> s = new Stack<float>(); Stack<float>.StackDelegate d = DoWork; } |
根据典型设计模式定义事件时,泛型委托尤其有用,因为发送方参数可以为强类型,不再需要强制转换成
C# | 复制代码 |
---|---|
delegate void StackEventHandler<T, U>(T sender, U eventArgs); class Stack<T> { public class StackEventArgs : System.EventArgs { } public event StackEventHandler<Stack<T>, StackEventArgs> stackEvent; protected virtual void OnStackChanged(StackEventArgs a) { stackEvent(this, a); } } class SampleClass { public void HandleStackChange<T>(Stack<T> stack, Stack<T>.StackEventArgs args) { } } public static void Test() { Stack<double> s = new Stack<double>(); SampleClass o = new SampleClass(); s.stackEvent += o.HandleStackChange; } |