對於觀察者模式和發佈者-訂閱者模式的一些理解

最近在試讀vue的源碼(vue3都要出來了,vue2的源碼還沒去讀,慚愧慚愧),發現本身對觀察者以及發佈者-訂閱者模式的理解不夠,立文來梳理記錄一下本身的思路。vue

1、觀察者模式和發佈者-訂閱者模式模式的區別

有些人認爲觀察者模式 === 發佈者-訂閱者模式,也有人以爲二者存在一些區別,其實二者的確有一些區別,可是二者的目的都是爲了改善傳統的通知機制,解耦通知方和被通知方的關係。那爲何發佈者-訂閱者模式存在區別呢?實際上是由於後者相對於前者而言,多了一個相似於調度中心的存在,後者能集中管理多個主題對象,而且觀察者和發佈者之間是不存在直接關係的,在調度中心能夠很方便的實現分發管理,這個特性讓發佈者-訂閱者模式變得更加靈活。bash

2、觀察者和發佈者-訂閱者模式的簡單實現

觀察者模式

class Observer {
    constructor(label) {
        this.label = label
    }
    update() {
        console.log(`update${this.label}`)
    }
}

class Target {
    constructor() {
        this.observerList = []
    }

    add(observer) {
        this.observerList.push(observer)
    }

    remove(observer) {
        this.observerList = this.observerList.filter(ob => ob !== observer)
    }

    notify() {
        this.observerList.forEach(ob => {
            ob.update()
        })
    }
}

let tar = new Target()

for (let i = 0; i < 10; i++) {
    tar.add(new Observer(i))
}

tar.notify()//打印update1到update10

複製代碼

發佈者-訂閱者模式

class Publisher {
    constructor() {
        this.subscribers = {}
        this.cache = {}
    }

    add(type, fn) {
        if (Object.prototype.toString.call(fn) !== '[object Function]') return
        this.subscribers[type] ? this.subscribers[type].push(fn) : this.subscribers[type] = [fn]
        return this
    }

    publish(type, theme) {
        //存儲主題信息
        this.cache[type] ? this.cache[type].push(theme) : this.cache[type] = [theme]
        let subscribers = this.subscribers[type]
        if (!subscribers || !subscribers.length) {
            console.warn('no subscriber in subscribers.')
            return this
        }
        subscribers.forEach(fn => fn.call(this, theme))
        return this
    }

    unbind(type, fn) {
        this.subscribers[type] = this.subscribers[type].filter(item => item !== fn)
        return this
    }

    history(type, fn) {
        let cache = this.cache[type] || []
        cache.forEach(item => fn.call(this, item))
        return this
    }
}

let sub1 = data => {
    console.log(`sub1${data}`)
}

let sub2 = data => {
    console.log(`sub2${data}`)
}

let sub3 = data => {
    console.log(`sub3${data}`)
}

let publisher = new Publisher()

publisher.add('click', sub1).add('click', sub2).add('change', sub3)

publisher.publish('click', '第一次click').publish('change', '第一次change')

publisher.unbind('click', sub1).publish('click', '第二次點擊').history('click', data => {
    console.log('history' + data)
})

打印結果:
/***  
sub1第一次click
sub2第一次click
sub3第一次change
sub2第二次點擊
history第一次click
history第二次點擊
***/
複製代碼

如以上代碼,發佈者訂閱者模式能夠在調度中心(至關於代碼中的publish函數)進行一些定製化的操做,好比進行節流操做,過濾操做,權限控制等等,我的感受會比較靈活一點。函數

先寫這麼多~有不對的歡迎指正~ui

相關文章
相關標籤/搜索