当父对象中存在私有变量时,我试图实现原型继承。
考虑像
这样的代码function Piece(isLiveArg) {
var isLive = isLiveArg; // I dont wish to make this field as public. I want it to be private.
this.isLive = function(){ return isLive;}
}
Piece.prototype.isLive = function () { return this.isLive(); }
function Pawn(isLiveArg) {
// Overriding takes place by below assignment, and getPoints got vanished after this assignment.
Pawn.prototype = new Piece(isLiveArg);
}
Pawn.prototype.getPoints = function(){
return 1;
}
var p = new Pawn(true);
console.log("Pawn live status : " + p.isLive());
但是,父对象上不存在私有变量isLive
,只存在公共变量,然后继承可以非常容易地实现这一点。
就像在这个链接中一样,http://jsfiddle.net/tCTGD/3/。
那么,当父对象中存在私有变量时,我将如何实现相同的原型继承。
答案 0 :(得分:5)
设置继承的方式是错误的。对Func.prototype
的分配应该在构造函数之外。然后,如果您将父构造函数应用于新的“子”对象,它也将为其分配闭包。
示例:
function Piece(isLiveArg) {
var isLive = isLiveArg;
this.isLive = function(){ return isLive;}
}
function Pawn(isLiveArg) {
// apply parent constructor
Piece.call(this, isLiveArg);
}
// set up inheritance
Pawn.prototype = Object.create(Piece.prototype);
Pawn.prototype.constructor = Pawn;
Pawn.prototype.getPoints = function(){
return 1;
}
请查看Benefits of using `Object.create` for inheritance,了解为什么Object.create
更适合设置继承。
尝试创建访问“私有属性”的原型函数是没有意义的。只有构造函数中定义的闭包才能访问这些变量。