freeCodeCamp/curriculum/challenges/chinese/02-javascript-algorithms-an.../es6/use-class-syntax-to-define-...

2.7 KiB
Raw Blame History

id title challengeType videoUrl localeTitle
587d7b8b367417b2b2512b53 Use class Syntax to Define a Constructor Function 1 使用类语法定义构造函数

Description

ES6使用关键字class提供了一种帮助创建对象的新语法。需要注意的是, class语法只是一种语法而不是面向对象范例的完整的基于类的实现不像JavaPython或Ruby等语言。在ES5中我们通常定义一个构造函数function并使用new关键字实例化一个对象。
var SpaceShuttle = functiontargetPlanet{
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

tests:
  - text: <code>Vegetable</code>应该是一个<code>class</code>具有限定<code>constructor</code>方法。
    testString: 'assert(typeof Vegetable === "function" && typeof Vegetable.constructor === "function", "<code>Vegetable</code> should be a <code>class</code> with a defined <code>constructor</code> method.");'
  - text: <code>class</code>关键字。
    testString: 'getUserInput => assert(getUserInput("index").match(/class/g),"<code>class</code> keyword was used.");'
  - text: <code>Vegetable</code>可以实例化。
    testString: 'assert(() => {const a = new Vegetable("apple"); return typeof a === "object";},"<code>Vegetable</code> can be instantiated.");'
  - text: <code>carrot.name</code>应该返回<code>carrot</code> 。
    testString: 'assert(carrot.name=="carrot","<code>carrot.name</code> should return <code>carrot</code>.");'

Challenge Seed

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

// solution required