什么是单例模式?
单例模式(Singleton Pattern)是简单的设计模式之一。这种类型的设计模式属于创建型模式,它提供了一种创建对象的最佳方式。
简单的说就是不管实例多少次,最终返回的是首次的实例对象; 单例模式不仅减少了内存的开销, 并且解决了一部分在全局变量中冲突的问题。
单例模式确保一个类只有一个实例存在。举个例子说: 一个班只有一名班主任, 而对于这个问题就是一个简单的介绍,同一个班级可以有多个老师,但是只有一个班主任,所以这个班主任就是单例模式。
简单的单例模式
1 2 3 4 5 6
| const time_tool = { title: "时间处理方法", getTime: function () {}, getDate: function () {}, getYear: function () {}, };
|
上面的例子就是以为字面量
的形式创建一个封装时间的处理工具,同时暴露出一个全局的变量time_tool
,在使用的时候只需要调用time_tool.getTime()
即可。time_tool
就是单例模式的体现,在创建对象的方式实例化了一个对象, 并且const
定义的变量是不能修改以及重复存在的;
构造函数与立即执行函数表达式
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29
| const Singleton = (function () { let instance;
function init() { function privateMethod() { console.log("私有"); } return { publicMethod: function () { console.log("公有"); privateMethod(); }, }; }
return { getInstance: function () { if (!instance) { instance = init(); } return instance; }, }; })(); const instance1 = Singleton.getInstance(); const instance2 = Singleton.getInstance(); console.log(instance1, instance2); console.log(instance1 === instance2);
|
使用模块模式
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27
| const SingletonModule = (function () { let instance;
function Singleton() { const privateVar = "I am private";
this.publicMethod = function () { console.log("Public Method"); console.log(privateVar); }; }
return { getInstance: function () { if (!instance) { instance = new Singleton(); } return instance; }, }; })();
const singletonInstance1 = SingletonModule.getInstance(); const singletonInstance2 = SingletonModule.getInstance(); console.log(singletonInstance1 === singletonInstance2);
|
使用 ES6 的类和静态属性
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21
| class SingletonClass { static instance = null;
constructor() { if (!SingletonClass.instance) { SingletonClass.instance = this; } return SingletonClass.instance; }
publicMethod() { console.log("Singleton Class Public Method"); } }
const singletonInstance1 = new SingletonClass(); const singletonInstance2 = new SingletonClass();
console.log(singletonInstance1 === singletonInstance2);
|
单例模式的实现方式有很多种,如使用字面量,使用构造函数,使用立即执行函数表达式,使用模块模式,使用 ES6 的类和静态属性等。