您希望一个实例继承另一个实例的私有状态吗?当然你可以在 JavaScript 中做到这一点。首先我们需要定义一个效用函数:
function weakBind(functable, prototype, state) {
return function () {
return functable.apply(this, Object.getPrototypeOf(this) === prototype ?
[state].concat(Array.prototype.slice.call(arguments)) : arguments);
};
}
现在我们可以按如下方式创建我们的基类:
var Dog = (function () {
function Dog() {
if (this instanceof Dog) {
// constructor code
} else return Object.create(private);
}
var public = Dog.prototype, private = Object.create(public, {
size: {
value: "big"
}
});
public.saySize = weakBind(function (private) {
return "I am a " + private.size + " dog.";
}, public, private);
return Dog;
}());
现在您可以按如下方式创建狗:
var dog = new Dog;
alert(dog.saySize()); // I am a big dog.
alert(dog.size); // undefined
我们可以继承私有状态如下:
var Chihuahua = (function () {
function Chihuahua() {
Dog.call(this);
}
var private = Dog();
Object.defineProperty(private, {
size: {
value: "small"
}
});
var public = Chihuahua.prototype = Object.create(Dog.prototype);
public.saySize = weakBind(public.saySize, public, private);
return Chihuahua;
}());
现在您可以按如下方式创建吉娃娃:
var chi = new Chihuahua;
alert(chi.saySize()); // I am a small dog.
alert(chi.size); // undefined
查看演示:http: //jsfiddle.net/b3Eyn/
注意:我写这个答案只是为了表明可以在 JavaScript 中继承私有状态。但是,我建议您不要使用这种模式。如果你的代码设计得很好,那么你一开始就不需要继承私有状态。