1. 什么是单例模式?
单例模式定义:一个类只能有一个实例,即使多次实例化该类,也只返回第一次实例化后的实例对象。单例模式能减少不必要的内存开销, 并且减少全局函数和变量冲突。
2. 代码实现
以下实现的单例模式均为“惰性单例”:惰性单例指的是在需要的时候才创建对象实例。惰性单例在实际开发中非常有用,是单例模式的重点。instance实例对象总是在我们调用Singleton.getInstance的时候才被创建,而不是在页面加载好的时候就创建。
javascript 实现
function Singleton(name){
this.name = name;
this.instance = null;
}
Singleton.prototype.getName = function(){
console.log(this.name);
};
Singleton.getInstance = function(name){
if(! this.instance){
this.instance = new Singleton(name);
}
return this.instance;
};
var a = Singleton.getInstance('a');
var b = Singleton.getInstance('b');
console.log(a === b);//true
console.log(a.getName(), b.getName());//a a
ES6 实现
class Singleton {
constructor(name) {
this.name = name;
}
static getInstance(name) {
// ES6中可以使用static方法代替闭包存储单例
if(!Singleton.instance) {
Singleton.instance = new Singleton(name)
}
return Singleton.instance;
}
getName() {
return this.name;
}
}
const a = Singleton.getInstance('a');
const b = Singleton.getInstance('b');
console.log(a === b);//true
console.log(a.getName() === b.getName());//true
console.log(a.getName(), b.getName());//a a