--- id: 587d7b8b367417b2b2512b53 title: Use class Syntax to Define a Constructor Function challengeType: 1 videoUrl: '' localeTitle: 使用类语法定义构造函数 --- ## Description
ES6使用关键字class提供了一种帮助创建对象的新语法。需要注意的是, class语法只是一种语法,而不是面向对象范例的完整的基于类的实现,不像Java,Python或Ruby等语言。在ES5中,我们通常定义一个构造函数function,并使用new关键字实例化一个对象。
var SpaceShuttle = function(targetPlanet){
this.targetPlanet = targetPlanet;
}
var zeus = new SpaceShuttle('Jupiter');
类语法只是替换构造函数创建:
class SpaceShuttle {
构造(targetPlanet){
this.targetPlanet = targetPlanet;
}
}
const zeus = new SpaceShuttle('Jupiter');
请注意, class关键字声明了一个新函数,并添加了一个构造函数,该函数将在调用new调用 - 以创建新对象。
## Instructions
使用class关键字并编写适当的构造函数来创建Vegetable类。使用Vegetable可以创建具有属性name的蔬菜对象,以传递给构造函数。
## Tests
```yml tests: - text: Vegetable应该是一个class具有限定constructor方法。 testString: 'assert(typeof Vegetable === "function" && typeof Vegetable.constructor === "function", "Vegetable should be a class with a defined constructor method.");' - text: class关键字。 testString: 'getUserInput => assert(getUserInput("index").match(/class/g),"class keyword was used.");' - text: Vegetable可以实例化。 testString: 'assert(() => {const a = new Vegetable("apple"); return typeof a === "object";},"Vegetable can be instantiated.");' - text: carrot.name应该返回carrot 。 testString: 'assert(carrot.name=="carrot","carrot.name should return carrot.");' ```
## Challenge Seed
```js function makeClass() { "use strict"; /* Alter code below this line */ /* Alter code above this line */ return Vegetable; } const Vegetable = makeClass(); const carrot = new Vegetable('carrot'); console.log(carrot.name); // => should be 'carrot' ```
## Solution
```js // solution required ```