mirror of
https://github.com/freeCodeCamp/freeCodeCamp.git
synced 2026-01-03 06:03:23 -05:00
1.9 KiB
1.9 KiB
id, title, challengeType, forumTopicId
| id | title | challengeType | forumTopicId |
|---|---|---|---|
| 587d7db1367417b2b2512b87 | 继承后添加方法 | 1 | 301315 |
--description--
从父类继承其原型对象的构造函数除了继承的方法之外,还可以有自己的方法。
请看举例:Bird是一个构造函数,它继承了Animal构造函数的原型:
function Animal() { }
Animal.prototype.eat = function() {
console.log("nom nom nom");
};
function Bird() { }
Bird.prototype = Object.create(Animal.prototype);
Bird.prototype.constructor = Bird;
除了从Animal构造函数继承的行为之外,还需要给Bird对象添加它独有的行为。这里,我们给Bird对象添加一个fly()函数。函数会以一种与其他构造函数相同的方式添加到Bird的原型中:
Bird.prototype.fly = function() {
console.log("I'm flying!");
};
现在Bird的实例中就有了eat()和fly()这两个方法:
let duck = new Bird();
duck.eat(); // prints "nom nom nom"
duck.fly(); // prints "I'm flying!"
--instructions--
添加必要的代码,使得Dog对象继承Animal构造函数,并且把Dog 原型上的 constructor 属性设置为 Dog。然后给Dog对象添加一个bark()方法,这样的话,beagle将同时拥有eat()和bark()这两个方法。bark()方法中应该输出 "Woof!" 到控制台。
--hints--
Animal应该没有bark()方法。
assert(typeof Animal.prototype.bark == 'undefined');
Dog应该继承了Animal构造函数的eat()方法。
assert(typeof Dog.prototype.eat == 'function');
Dog应该有一个bark()方法作为自身属性。
assert(Dog.prototype.hasOwnProperty('bark'));
beagle应该是Animal的一个instanceof。
assert(beagle instanceof Animal);
beagle的 constructor 属性应该被设置为Dog。
assert(beagle.constructor === Dog);