非常琐碎的问题
我试图了解javascript中的继承
function Animal() {
this.eats = true;
}
function Rabbit() {
this.jumps = true;
}
//Rabbit is-a Animal
Rabbit.prototype = Animal; //I'm assuming this does not inherit
alert(Rabbit.prototype.eats); // returns undefined
正确的方法是什么?
最佳答案
这是“有答案的”,但请允许我为后代提供替代方法。
调用父级的构造函数以获取父级的原型不是一个好主意。这样做可能会有副作用;设置ID,跟踪实例数,无论构造函数内部发生什么情况。
您可以在Child构造函数中使用Parent.call(),然后在Object.create或polyfill中使用其原型:
function Animal () {
this.eats = true;
}
function Rabbit (legs) {
Animal.call(this);
this.jumps = true;
}
Rabbit.prototype = Object.create(Animal.prototype);
// Or if you're not working with ES5 (this function not optimized for re-use):
Rabbit.prototype = (function () {
function F () {};
F.prototype = Animal.prototype;
return new F();
}());
var bugs = new Rabbit();
alert(bugs instanceof Animal); // true
alert(bugs.eats); // true