在Professional JavaScript for Web Developers书中,有一种称为寄生组合遗传的技术。我不明白为什么你需要克隆原始原型,为什么不将SubType原型设置为父类原型(SuperType)。
function object(o){
function F(){}
F.prototype = o;
return new F();
}
function inheritPrototype(subType, superType){
var prototype = object(superType.prototype); //create object -- why this is needed?
prototype.constructor = subType; //augment object
subType.prototype = prototype; //assign object
}
function SuperType(name){
this.name = name;
this.colors = ["red", "blue", "green"];
}
SuperType.prototype.sayName = function(){
alert(this.name);
};
function SubType(name, age){
SuperType.call(this, name);
this.age = age;
}
inheritPrototype(SubType, SuperType);
SubType.prototype.sayAge = function(){
alert(this.age);
};
我试着像这样改变它并且它起作用了:
function inheritPrototype(subType, superType){
var prototype = superType.prototype;
prototype.constructor = subType; //augment object
subType.prototype = prototype; //assign object
}
答案 0 :(得分:3)
在您的方法中,您只是对父原型的引用设置别名。因此,无论何时向“子原型”添加方法,它实际上只是将其添加到父原型。
第一种方法不复制父原型,后来添加到父原型的任何方法都是继承的,它不是快照/副本。