c# 事件(Event)机制
重新熟悉一下委托和事件。
通过事件使用委托
事件在类中声明且生成,且通过使用同一个类或其他类中的委托与事件处理程序关联。包含事件的类用于发布事件。这被称为 发布器(publisher) 类。其他接受该事件的类被称为 订阅器(subscriber) 类。事件使用 发布-订阅(publisher-subscriber) 模型。
发布器(publisher) 是一个包含事件和委托定义的对象。事件和委托之间的联系也定义在这个对象中。发布器(publisher)类的对象调用这个事件,并通知其他的对象。
订阅器(subscriber) 是一个接受事件并提供事件处理程序的对象。在发布器(publisher)类中的委托调用订阅器(subscriber)类中的方法(事件处理程序)。
如何写一个事件机制流程 :
- //事件发送者
- class Dog
- {
- //1.声明关于事件的委托;
- public delegate void AlarmEventHandler(object sender, EventArgs e);
-
- //2.声明事件;
- public event AlarmEventHandler Alarm;
-
- //3.编写引发事件的函数;
- public void OnAlarm()
- {
- if (this.Alarm != null)
- {
- Console.WriteLine("\n狗报警: 有小偷进来了,汪汪~~~~~~~");
- this.Alarm(this, new EventArgs()); //发出警报
- }
- }
- }
-
- //事件接收者
- class Host
- {
- //4.编写事件处理程序
- void HostHandleAlarm(object sender, EventArgs e)
- {
- Console.WriteLine("主人: 抓住了小偷!");
- }
-
- //5.注册事件处理程序
- public Host(Dog dog)
- {
- dog.Alarm += new Dog.AlarmEventHandler(HostHandleAlarm);
- }
- }
-
- //6.现在来触发事件
- class Program
- {
- static void Main(string[] args)
- {
- Dog dog = new Dog();
- Host host = new Host(dog);
-
- //当前时间,从2008年12月31日23:59:50开始计时
- DateTime now = new DateTime(2015, 12, 31, 23, 59, 50);
- DateTime midnight = new DateTime(2016, 1, 1, 0, 0, 0);
-
- //等待午夜的到来
- Console.WriteLine("时间一秒一秒地流逝... ");
- while (now < midnight)
- {
- Console.WriteLine("当前时间: " + now);
- System.Threading.Thread.Sleep(1000); //程序暂停一秒
- now = now.AddSeconds(1); //时间增加一秒
- }
-
- //午夜零点小偷到达,看门狗引发Alarm事件
- Console.WriteLine("\n月黑风高的午夜: " + now);
- Console.WriteLine("小偷悄悄地摸进了主人的屋内... ");
- dog.OnAlarm();
- Console.ReadLine();
- }
- }
- 复制代码
运行结果:
</article>