JS實現單例模式的多種方案

粥裡有勺糖發表於2021-05-18

JS實現單例模式的多種方案

今天在複習設計模式中的-建立型模式,發現JS實現單例模式的方案有很多種,稍加總結了一下,列出瞭如下的6種方式與大家分享

大體上將內容分為了ES5(Function)與ES6(Class)實現兩種部分

單例模式的概念

  • 一個例項只生產一次
  • 保證一個類僅有一個例項,並提供一個訪問它的全域性訪問點

方式1

利用instanceof判斷是否使用new關鍵字呼叫函式進行物件的例項化

function User() {
    if (!(this instanceof User)) {
        return
    }
    if (!User._instance) {
        this.name = '無名'
        User._instance = this
    }
    return User._instance
}

const u1 = new User()
const u2 = new User()

console.log(u1===u2);// true

方式2

在函式上直接新增方法屬性呼叫生成例項

function User(){
    this.name = '無名'
}
User.getInstance = function(){
    if(!User._instance){
        User._instance = new User()
    }
    return User._instance
}

const u1 = User.getInstance()
const u2 = User.getInstance()

console.log(u1===u2);

方式3

使用閉包,改進方式2

function User() {
    this.name = '無名'
}
User.getInstance = (function () {
    var instance
    return function () {
        if (!instance) {
            instance = new User()
        }
        return instance
    }
})()

const u1 = User.getInstance()
const u2 = User.getInstance()

console.log(u1 === u2);

方式4

使用包裝物件結合閉包的形式實現

const User = (function () {
    function _user() {
        this.name = 'xm'
    }
    return function () {
        if (!_user.instance) {
            _user.instance = new _user()
        }
        return _user.instance
    }
})()

const u1 = new User()
const u2 = new User()

console.log(u1 === u2); // true

當然這裡可以將閉包部分的程式碼單獨封裝為一個函式

在頻繁使用到單例的情況下,推薦使用類似此方法的方案,當然內部實現可以採用上述任意一種

function SingleWrapper(cons) {
    // 排除非函式與箭頭函式
    if (!(cons instanceof Function) || !cons.prototype) {
        throw new Error('不是合法的建構函式')
    }
    var instance
    return function () {
        if (!instance) {
            instance = new cons()
        }
        return instance
    }
}

function User(){
    this.name = 'xm'
}
const SingleUser = SingleWrapper(User)
const u1 = new SingleUser()
const u2 = new SingleUser()
console.log(u1 === u2);

方式5

在建構函式中利用new.target判斷是否使用new關鍵字

class User{
    constructor(){
        if(new.target !== User){
            return
        }
        if(!User._instance){
            this.name = 'xm'
            User._instance = this
        }
        return User._instance
    }
}

const u1 = new User()
const u2 = new User()
console.log(u1 === u2);

方式6

使用static靜態方法

class User {
    constructor() {
        this.name = 'xm'
    }
    static getInstance() {
        if (!User._instance) {
            User._instance = new User()
        }
        return User._instance
    }
}


const u1 = User.getInstance()
const u2 = User.getInstance()

console.log(u1 === u2);

相關文章