我想我不懂javascript模块模式。
我只是创建了这个模块:
var mycompany = {};
mycompany.mymodule = (function() {
var my = {};
var count = 0;
my.init = function(value) {
_setCount(value);
}
// private functions
var _setCount = function(newValue) {
count = newValue;
}
var _getCount = function() {
return count;
}
my.incrementCount = function() {
_setCount(_getCount() + 1);
}
my.degreeseCount = function() {
_setCount(_getCount() - 1);
}
my.status = function() {
return count;
}
return my;
})();
var a = mycompany.mymodule;
var b = mycompany.mymodule;
console.debug(a, 'A at beginning');
console.debug(a, 'B at beginning');
a.init(5);
b.init(2);
console.log('A: ' + a.status()); // return 2 (wtf!)
console.log('B: ' + b.status()); // return 2`
错误在哪里? 我以为我的代码不会返回给我2,而是5。
是什么原因?
答案 0 :(得分:2)
a
和b
是完全相同的对象。
var a = mycompany.mymodule;
var b = mycompany.mymodule;
您要做的是创建两个具有相同原型的不同对象。类似的东西:
mycompany.mymodule = (function () {
var my = function () {};
my.prototype.init = function (value) {
_setCount(value);
};
my.prototype.incrementCount = ...
// ...
return my;
}());
a = new mycompany.mymodule();
b = new mycompany.mymodule();
a.init(5);
b.init(2);
欲了解更多信息,请研究“javascript prototypal inheritance”
答案 1 :(得分:1)
在JavaScript中,对象通过引用传递,而不是复制。
为了进一步解释,这里是您的代码的简化版本:
var pkg = (function () {
var x = {};
return x;
}());
var a = pkg;
var b = pkg;
您不会创建两个单独的对象,而只会引用pkg
和a
中b
指向的对象。 a
和b
完全相同。
a === b // true
这意味着在a
上调用方法最终会对b
执行相同操作(它指向同一个对象 - x
。)
您不想为此使用模块模式。你想要通常的构造函数+原型。
function Pkg() {
this.count = 0;
};
Pkg.prototype.init = function (count) { this.count = count; };
var a = new Pkg();
var b = new Pkg();
a === b // false
a.init(2);
a.count === 2 // true
b.count === 2 // false
答案 2 :(得分:0)
Here是关于模块模式的好读物。