--- id: 587d7db0367417b2b2512b83 challengeType: 1 forumTopicId: 301334 title: 使用继承避免重复 --- ## Description
有一条原则叫做:Don't Repeat Yourself,常以缩写形式DRY出现,意思是“不要自己重复”。编写重复代码会产生的问题是:任何改变都需要去多个地方修复所有重复的代码。这通常意味着我们需要做更多的工作,会产生更高的出错率。 请观察下面的示例,BirdDog共享describe方法: ```js Bird.prototype = { constructor: Bird, describe: function() { console.log("My name is " + this.name); } }; Dog.prototype = { constructor: Dog, describe: function() { console.log("My name is " + this.name); } }; ``` 我们可以看到describe方法在两个地方重复定义了。根据以上所说的DRY原则,我们可以通过创建一个Animal 超类(或者父类)来重写这段代码: ```js function Animal() { }; Animal.prototype = { constructor: Animal, describe: function() { console.log("My name is " + this.name); } }; ``` Animal构造函数中定义了describe方法,可将BirdDog这两个构造函数的方法删除掉: ```js Bird.prototype = { constructor: Bird }; Dog.prototype = { constructor: Dog }; ```
## Instructions
CatBear重复定义了eat方法。本着DRY的原则,通过将eat方法移动到Animal 超类中来重写你的代码。
## Tests
```yml tests: - text: Animal.prototype应该有eat属性。 testString: assert(Animal.prototype.hasOwnProperty('eat')); - text: Bear.prototype不应该有eat属性。 testString: assert(!(Bear.prototype.hasOwnProperty('eat'))); - text: Cat.prototype不应该有eat属性。 testString: assert(!(Cat.prototype.hasOwnProperty('eat'))); ```
## Challenge Seed
```js function Cat(name) { this.name = name; } Cat.prototype = { constructor: Cat, eat: function() { console.log("nom nom nom"); } }; function Bear(name) { this.name = name; } Bear.prototype = { constructor: Bear, eat: function() { console.log("nom nom nom"); } }; function Animal() { } Animal.prototype = { constructor: Animal, }; ```
## Solution
```js function Cat(name) { this.name = name; } Cat.prototype = { constructor: Cat }; function Bear(name) { this.name = name; } Bear.prototype = { constructor: Bear }; function Animal() { } Animal.prototype = { constructor: Animal, eat: function() { console.log("nom nom nom"); } }; ```