最近被人問到設計模式,觀察者(Observer)模式和發佈(Publish)/訂閱(Subscribe)模式兩者有什麼區別。其實這兩種模式仍是有些許差別的,本質上的區別是調度的方式不一樣。設計模式
觀察者模式,目標和觀察者是基類,目標提供維護觀察者的一系列方法,觀察者提供更新接口。具體觀察者和具體目標繼承各自的基類,而後具體觀察者把本身註冊到具體目標裏,在具體目標發生變化時候,調度觀察者的更新方法。this
好比有個「天氣中心」的具體目標A,專門監聽天氣變化,而有個顯示天氣的界面的觀察者B,B就把本身註冊到A裏,當A觸發天氣變化,就調度B的更新方法,並帶上本身的上下文。spa
示例prototype
// 觀察者列表 function ObserverList () { this.observerList = []; } ObserverList.prototype.add = function (obj) { return this.observerList.push(obj); } ObserverList.prototype.count = function () { return this.observerList.length; } ObserverList.prototype.get = function (index) { if (index > -1 && index < this.observerList.length) { return this.observerList[index]; } } ObserverList.prototype.indexOf = function (obj, startIndex) { var i = startIndex || 0; while (i < this.observerList.length) { if (this.observerList[i] === obj) { return i; } i++; } return -1; } ObserverList.prototype.removeAt = function (index) { this.observerList.splice(index, 1); } // 目標 function Subject () { this.observers = new ObserverList(); } Subject.prototype.addObsever = function (observer) { this.observers.add(observer); } Subject.prototype.removeObsever = function (observer) { this.observers.removeAt(this.observers.indexOf(observer, 0)); } Subject.prototype.notify = function (context) { var observerCount = this.observers.count(); for(var i = 0; i < observerCount; i++) { this.observers.get(i).update(context); } } // 觀察者 function Observer () { this.update = function (context) { console.log(context); } } var mySubject = new Subject(); mySubject.addObsever(new Observer); mySubject.notify("hello world");
發佈/訂閱模式,訂閱者把本身想訂閱的事件註冊到調度中心,當該事件觸發時候,發佈者發佈該事件到調度中心(順帶上下文),由調度中心統一調度訂閱者註冊到調度中心的處理代碼。設計
好比有個界面是實時顯示天氣,它就訂閱天氣事件(註冊到調度中心,包括處理程序),當天氣變化時(定時獲取數據),就做爲發佈者發佈天氣信息到調度中心,調度中心就調度訂閱者的天氣處理程序。code
// 發佈、訂閱模式 var pubsub = {}; (function (myObject){ var topics = {}; var subUid = -1; // 發佈指定訂閱 myObject.publish = function (topic, args) { if (!topics[topic]) { return false; } var subscribers = topics[topic]; var len = subscribers ? subscribers.length : 0; while(len--) { subscribers[len].func(topic, args); } return this; } // 向訂閱中心添加訂閱 myObject.subscribe = function (topic, func) { if (!topics[topic]) { topics[topic] = []; } var token = (++subUid).toString(); topics[topic].push({ token: token, func: func }) return token; } // 向訂閱中移除訂閱 myObject.unSubscribe = function (token) { for (var m in topics) { if (topics[m]) { for (var i = 0, j = topics[m].length; i < j; i++) { if (topics[m][i].token === token) { topics[m].splice(i, 1); return token; } } } } return this; }; })(pubsub); pubsub.subscribe("test", ()=>{console.log("hello world")}); pubsub.publish("test");