第一个的内存占用总是更大。将其prototype
视为所有实例都可以使用的共享方法包。它是有效的,因为您不会为每个实例创建一个新函数,而是重用内存中已经存在的方法。
好消息是您展示的两种方式可以结合使用。
MyClass = function () {
var x;
// public method with access
// to private variables
this.sayX = function () {
alert(x);
};
}
// method that doesn't need access to private variables
MyClass.prototype.sharedMethod = function () {
// ...
}
但就您处理小型代码库而言,您不应该担心内存使用情况。您甚至可以使用类似的模式
// everything will be created for every
// instance, but the whole thing is nicely
// wrapped into one 'factory' function
myClass = function () {
// private variables
var x;
// private methods
function doSomethingWithX() {}
// public interface
return {
sayX: function () {
alert(x);
},
publicMethod: function () { .. },
// ...
};
};
注意,我特意把 myClass 改成了小写,因为它不再是构造函数,new
调用时也不需要使用了!
更新- 第三种模式非常适合您的需求:
MyClass = function (x, y, whatever) {
this._init.apply(this, arguments);
}
// The prototype creates a scope for data hiding.
// It also includes a constructor function.
MyClass.prototype = (function () {
var x; // private
return {
_init: function (x_in) {
x = x_in;
},
sayX: function () {
alert(x);
},
// ...
};
})();