好久没学.NET了,最近重又开始学习,发现委托有很多变化了,发现事件不明白了(可能以前就没明白过)
网上搜索了几篇文章,也没注意什么时候的,发现都讲的不彻底,综合一下,也当个学习笔记。
using System; namespace Test
{
class Sender
{
// 委托的定义有多种方式
// 方式 A:一般委托:TheType 可复用
// public delegate void TheType(object sender, EventArgs e);
// public TheType OnRunEnd; // 方式 B:一般委托:内联方式
public Action<object, EventArgs> OnRunEnd; // 方式 C:特殊委托:事件,需用 event 修饰
// public event Action<object, EventArgs> OnRunEnd; public void Run()
{
Console.WriteLine("Sender Run"); // 委托的调用也有多种方式
// 方式一:
// if (OnRunEnd != null)
// {
// OnRunEnd(this, new EventArgs());
// } // 方式二:VS自动提示用方式二替代方式一
OnRunEnd?.Invoke(this, new EventArgs());
}
} class Program
{
static void Main(string[] args)
{
Sender s = new Sender(); // 委托的赋值有多种方式
// 方式 1:The_OnRunEnd要求是静态方法或实例方法的引用
// s.OnRunEnd += new Action<object, EventArgs>(The_OnRunEnd); // 方式 2:方式一简化,可以认为是同一种,The_OnRunEnd 可复用
// s.OnRunEnd += The_OnRunEnd; // 方式 3:内联方式
// s.OnRunEnd += delegate (object sender, EventArgs e) { Console.WriteLine("Sender Run End"); }; // 方式 4:内联方式,拉姆达表达式,看上去就是方式三的演化
s.OnRunEnd += (sender, e) => { Console.WriteLine("Sender Run End"); }; s.Run(); // 事件与委托的关键区别就在此了
// 如果是“方式 C”定义的事件委托以下语句编译出错,这说明了:
// 使用 event 可以保障 OnRunEnd 只能在 Class Sender 内部调用
s.OnRunEnd(null, new EventArgs()); Console.ReadKey();
} // 照顾“方式 1”,“方式 2”定义的方法
static void The_OnRunEnd(object sender, EventArgs e)
{
Console.WriteLine("Sender Run End");
}
}
}
这样看来,问题其实很简单:
事件是特殊的委托,它遵循一些约定:
1、它用 event 关键词申明;
2、它有固定的签名:object参数,EventArgs或派生类参数,无返回值;
3、只能由定义它的类内部调用。
倒是委托的定义、赋值写法较多,让我迷糊过,归纳一下,其实都是两种:
1、可复用方式:代码略多些,需定义显示类型/方法;
2、内联方式:代码简洁,使用匿名类型/方法。