JS中的单例模式及单例模式原型类的实现
web前端开发
共 1404字,需浏览 3分钟
·
2021-07-19 03:45
class div {
constructor() {
return document.createElement("div");
}
}
btn.addEventListener("click", function (event) {
const div = new Div();
document.body.appendChild(div);
});
现在页面上的这个按钮每被点击一下就会生成一个div,但是现在如果这个div是登录框,我当然就会想要这段函数只生成一个,这时候就可以用到单例模式的思想:让一个类只会生成一个实例。
在js里实现单例模式很简单,只要使用闭包就能做到,这是使用ES6的class语法实现的单例模式:
let div = null;
class Div {
constructor() {
return div ?? (div = document.createElement("div"));
}
}
这样,通过闭包实现了单例模式,无论点击多少次按钮,只会生成一个div。
考虑到单例模式应用的广泛,我实现了一个原型类,通过继承该原型类可以直接得到一个单例模式的类:
const SingletonConstructor = (function () {
const instances = {};
return class {
constructor(Constructor) {
let className = new.target.name;
if (instances[className]) {
return instances[className];
} else {
let instance = new Constructor();
Object.setPrototypeOf.call(null, instance, new.target.prototype);
return (instances[className] = instance);
}
}
};
})();
class Div extends SingletonConstructor {
constructor() {
super(function () {
return document.createElement("div");
});
}
}
需要设计为单例的类只需要继承这个原型类后在构造函数的super中写入构造函数就能实现单例模式。
学习更多技能
请点击中国公众号
评论