观察者模式与.Net Framework中的委托与事件

时间:2023-11-10 15:41:56

本文文字内容均选自《大话设计模式》一书。

解释:观察者模式定义了一种一对多的依赖关系,让多个观察者对象同时监听某一个主题对象。这个主题对象在状态发生变化时,会通知所有观察者对象,使它们能够自动更新自己。

此模式又叫发布-订阅模式。

举例:火车到站与乘客下车。

主题:

 using System;
using System.Threading; namespace DelegateDemo2
{
public class 高速列车
{
public string 车次 { get; set; }
private string[] 途经车站;
private string 当前到站; public delegate void 到站EventHandler(Object sender, 到站EventArgs e);
public event 到站EventHandler 到站; public class 到站EventArgs : EventArgs
{
public readonly string 当前到站;
public 到站EventArgs(string 当前到站)
{
this.当前到站 = 当前到站;
}
} public 高速列车()
{
this.车次 = "G253";
this.途经车站 = new string[] { "青岛站", "济南站", "泰安站", "徐州站", "南京站", "苏州站", "杭州站" };
} protected void On到站(到站EventArgs e)
{
if (this.到站 != null)
{
this.到站(this, e);
}
} public void 行驶()
{
for (int i = ; i < this.途经车站.Length; i++)
{
this.当前到站 = this.途经车站[i];
到站EventArgs e = new 到站EventArgs(this.当前到站);
On到站(e); Thread.Sleep( * );
}
}
}
}

观察者1:

 using System;

 namespace DelegateDemo2
{
public class 显示器
{
public void 显示到站信息(Object sender, DelegateDemo2.高速列车.到站EventArgs e)
{
高速列车 高速列车 = (高速列车)sender;
Console.WriteLine("{0}次列车当前已到达{1}。", 高速列车.车次, e.当前到站);
}
}
}

观察者2:

using System;

namespace DelegateDemo2
{
public class 乘客
{
public string 姓名 { get; set; }
public string 目的地 { get; set; } public 乘客(string 姓名, string 目的地)
{
this.姓名 = 姓名;
this.目的地 = 目的地;
} public void 提行李下车(Object sender, DelegateDemo2.高速列车.到站EventArgs e)
{
if (e.当前到站 == this.目的地)
{
Console.WriteLine("乘客({0})已到达目的地{1},提行李下车!", this.姓名, e.当前到站);
}
}
}
}

客户端:

 namespace DelegateDemo2
{
class Program
{
static void Main(string[] args)
{
高速列车 高速列车 = new 高速列车();
显示器 显示器 = new 显示器(); 乘客 张三丰 = new 乘客("张三丰", "济南站");
乘客 风清扬 = new 乘客("风清扬", "南京站");
乘客 扫地僧 = new 乘客("扫地僧", "杭州站"); 高速列车.到站 += new 高速列车.到站EventHandler(显示器.显示到站信息);
高速列车.到站 += new DelegateDemo2.高速列车.到站EventHandler(张三丰.提行李下车);
高速列车.到站 += new DelegateDemo2.高速列车.到站EventHandler(风清扬.提行李下车);
高速列车.到站 += new DelegateDemo2.高速列车.到站EventHandler(扫地僧.提行李下车); 高速列车.行驶();
}
}
}

使用情景:当一个对象的改变需要同时改变其他对象,且不知道具体有多少对象有待改变时,应该考虑使用观察者模式。

【委托】:委托可以看作是对函数的抽象,是函数的“类”,委托的实例将代表一个具体的函数。

一旦为委托分配了方法,委托将与该方法具有完全相同的行为。委托方法的使用可以像其他任何方法一样,具有参数和返回值。

而且,一个委托可以搭载多个方法,所有方法被依次唤起。更重要的是,它可以使得委托对象所搭载的方法并不需要属于同一个类。

相关文章