2020-09-29 22:09:05 +02:00

2.3 KiB
Raw Blame History

id, title, challengeType, forumTopicId, localeTitle
id title challengeType forumTopicId localeTitle
587d7dad367417b2b2512b77 Define a Constructor Function 1 16804 定义构造函数

Description

构造函数用以创建一个新对象,并给这个新对象定义属性和行为。因此这是创建新对象的一个最基本的方式。 以下就是一个构造函数的示例:
function Bird() {
  this.name = "Albert";
  this.color = "blue";
  this.numLegs = 2;
}

这个构造函数定义了一个Bird对象,其属性namecolornumLegs的值分别被设置为Albertblue和 2。 构造函数遵循一些惯例规则:

  • 构造函数函数名的首字母最好大写,这是为了方便我们区分构造函数和其他非构造函数。
  • 构造函数使用this关键字来给它将创建的这个对象设置新的属性。在构造函数里面,this指向的就是它新创建的这个对象。
  • 构造函数定义了属性和行为就可创建对象,而不是像其他函数一样需要设置返回值。

Instructions

创建一个构造函数Dog。给其添加namecolornumLegs属性并分别给它们设置为:字符串,字符串和数字。

Tests

tests:
  - text: <code>Dog</code>应该有一个<code>name</code>属性且它的值是一个字符串。
    testString: assert(typeof (new Dog()).name === 'string');
  - text: <code>Dog</code>应该有一个<code>color</code>属性且它的值是一个字符串。
    testString: assert(typeof (new Dog()).color === 'string');
  - text: <code>Dog</code>应该有一个<code>numLegs</code>属性且它的值是一个数字。
    testString: assert(typeof (new Dog()).numLegs === 'number');

Challenge Seed


Solution

function Dog (name, color, numLegs) {
  this.name = 'name';
  this.color = 'color';
  this.numLegs = 4;
}