美文网首页
单例设计模式

单例设计模式

作者: QinRenMin | 来源:发表于2019-06-03 15:43 被阅读0次
  • 单例设计模式的核心
    确保只有一个实例,供全局访问使用
  • 普通对象
let F= function (name) {
    this.name = name;
};
let a = new F("a");
let b = new F("b");
console.log(a===b);  //false

不足之处:
(1)没有封装性,属性和方法都是暴露在外面的
(2)全局变量容易造成命名空间的污染
(3)容易造成对象的浪费

  • 传统的单例
let Singleton = function (name) {
    this.name = name;
    this.instance = null;
};
Singleton.getInstance = function (name) {
    if(!this.instance){
        this.instance = new Singleton(name);
    }
    return this.instance;
};
let c= Singleton.getInstance("c");
let d= Singleton.getInstance("d");
console.log(c===d); //true
  • 用代理实现单例设计模式
let createSingleton = function (name) {
    this.name = name;
    this.say();
};
createSingleton.prototype.say = function () {
    console.log(this.name);
};
let ProxySingletonCreate = (function () {
    let instance = null;
    return function (name) {
        if(!instance) {
            instance = new createSingleton(name);
        }
        return instance;
    }
})();
let e = new ProxySingletonCreate("e");
let f = new ProxySingletonCreate("f");

console.log(e===f); //true
console.log(e); //createSingleton { name: 'e' }
console.log(f); //createSingleton { name: 'e' }

相关文章

  • 单例模式Java篇

    单例设计模式- 饿汉式 单例设计模式 - 懒汉式 单例设计模式 - 懒汉式 - 多线程并发 单例设计模式 - 懒汉...

  • python中OOP的单例

    目录 单例设计模式 __new__ 方法 Python 中的单例 01. 单例设计模式 设计模式设计模式 是 前人...

  • 单例

    目标 单例设计模式 __new__ 方法 Python 中的单例 01. 单例设计模式 设计模式设计模式 是 前人...

  • python 单例

    仅用学习参考 目标 单例设计模式 __new__ 方法 Python 中的单例 01. 单例设计模式 设计模式设计...

  • 2018-04-08php实战设计模式

    一、单例模式 单例模式是最经典的设计模式之一,到底什么是单例?单例模式适用场景是什么?单例模式如何设计?php中单...

  • 设计模式第二篇、单例设计模式

    目录1、什么是单例设计模式2、单例设计模式的简单实现3、单例设计模式面临的两个问题及其完整实现4、单例设计模式的应...

  • 设计模式 - 单例模式

    设计模式 - 单例模式 什么是单例模式 单例模式属于创建型模式,是设计模式中比较简单的模式。在单例模式中,单一的类...

  • 2、创建型设计模式-单例设计模式

    江湖传言里的设计模式-单例设计模式 简介:什么是单例设计模式和应用 备注:面试重点考查 单例设计模式:这个是最简单...

  • 设计模式之单例模式

    单例设计模式全解析 在学习设计模式时,单例设计模式应该是学习的第一个设计模式,单例设计模式也是“公认”最简单的设计...

  • 设计模式

    常用的设计模式有,单例设计模式、观察者设计模式、工厂设计模式、装饰设计模式、代理设计模式,模板设计模式等等。 单例...

网友评论

      本文标题:单例设计模式

      本文链接:https://www.haomeiwen.com/subject/poxcxctx.html