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

2.2 KiB
Raw Blame History

id, title, challengeType, forumTopicId, localeTitle
id title challengeType forumTopicId localeTitle
587d7dad367417b2b2512b78 Use a Constructor to Create Objects 1 18233 使用构造函数创建对象

Description

在上一个挑战中,我们用所学到的知识创建了一个Bird构造函数:
function Bird() {
  this.name = "Albert";
  this.color  = "blue";
  this.numLegs = 2;
  // 构造器内的 "this" 一直指向创建的对象
}

let blueBird = new Bird();

注意:通过构造函数创建对象的时候要使用new操作符。因为只有这样JavaScript 才知道要给Bird这个构造函数创建一个新的实例blueBird。如果不使用new操作符来新建对象,那么构造函数里面的this就无法指向新创建的这个对象实例,从而产生不可预见的错误。 现在blueBird这个实例就继承了Bird这个构造函数的所有属性,如下:

blueBird.name; // => Albert
blueBird.color; // => blue
blueBird.numLegs; // => 2

由构造函数创建的实例也和其他对象一样,它的属性可以被访问和修改:

blueBird.name = 'Elvira';
blueBird.name; // => Elvira

Instructions

使用上一个课时中的Dog构造函数创建一个Dog的新实例,并把它赋值给变量hound

Tests

tests:
  - text: <code>hound</code>应该是通过<code>Dog</code>构造函数来创建的。
    testString: assert(hound instanceof Dog);
  - text: 你的代码中应该使用<code>new</code>操作符来创建<code>Dog</code>构造函数的新<code>实例</code>。
    testString: assert(code.match(/new/g));

Challenge Seed

function Dog() {
  this.name = "Rupert";
  this.color = "brown";
  this.numLegs = 4;
}
// Add your code below this line


Solution

function Dog() {
  this.name = "Rupert";
  this.color = "brown";
  this.numLegs = 4;
}
const hound = new Dog();