中介者模式是一種行爲設計模式,讓程序組件經過特殊的中介者對象進行間接溝通, 達到減小組件之間依賴關係的目的。設計模式
中介者能使得程序更易於修改和擴展, 並且能更方便地對獨立的組件進行復用, 由於它們再也不依賴於不少其餘的類。this
假若有房東,中介,房客三種角色,房東有房子能夠出租就通知中介,中介把這條信息通知給全部房客,房客看到信息後進行處理,同理,房客有求助需求,也把求助信息通知給中介,中介把這條信息通知給房東,房東看到信息後進行處理。設計
首先, 聲明中介者接口並描述中介者和各類組件之間所需的交流接口。code
public interface IMediator { void Notify(object sender, string ev); }
而後,實現具體中介者類。對象
class ConcreteMediator : IMediator { private readonly LandlordComponent landlordComponent; private readonly TenantComponent tenantComponent; public ConcreteMediator(LandlordComponent landlordComponent, TenantComponent tenantComponent) { this.landlordComponent = landlordComponent; this.landlordComponent.SetMediator(this); this.tenantComponent = tenantComponent; this.tenantComponent.SetMediator(this); } public void Notify(object sender, string ev) { if (ev == "求租") { Console.WriteLine("中介收到求租信息後通知房東。"); landlordComponent.DoB(); } if (ev == "出租") { Console.WriteLine("中介收到出租信息後通知房客。"); tenantComponent.DoD(); } } }
接着,組件基礎類會使用中介者接口與中介者進行交互。接口
class BaseComponent { protected IMediator mediator; public void SetMediator(IMediator mediator) { this.mediator = mediator; } }
接着,具體組件房東,房客類,房東不與房客進行交流,只向中介者發送通知。string
// 4. 具體組件房東 class LandlordComponent : BaseComponent { public void DoA() { Console.WriteLine("房東有房子空出來了,向中介發送出租信息。"); this.mediator.Notify(this, "出租"); } public void DoB() { Console.WriteLine("房東收到求租信息,進行相應的處理。"); } } // 具體組件房客 class TenantComponent : BaseComponent { public void DoC() { Console.WriteLine("房客沒有房子住了,向中介發送求租信息。"); this.mediator.Notify(this, "求租"); } public void DoD() { Console.WriteLine("房客收到出租信息,進行相應的處理。"); } }
最後,建立客戶端類。it
// 客戶端代碼 class Program { static void Main(string[] args) { LandlordComponent landlordComponent = new LandlordComponent(); TenantComponent tenantComponent = new TenantComponent(); new ConcreteMediator(landlordComponent, tenantComponent); landlordComponent.DoA(); Console.WriteLine(); tenantComponent.DoC(); Console.ReadKey(); } }
讓咱們來看看輸出結果:class
房東有房子空出來了,向中介發送出租信息。 中介收到出租信息後通知房客。 房客收到出租信息,進行相應的處理。 房客沒有房子住了,向中介發送求租信息。 中介收到求租信息後通知房東。 房東收到求租信息,進行相應的處理。