* feat(tools): add seed/solution restore script * chore(curriculum): remove empty sections' markers * chore(curriculum): add seed + solution to Chinese * chore: remove old formatter * fix: update getChallenges parse translated challenges separately, without reference to the source * chore(curriculum): add dashedName to English * chore(curriculum): add dashedName to Chinese * refactor: remove unused challenge property 'name' * fix: relax dashedName requirement * fix: stray tag Remove stray `pre` tag from challenge file. Signed-off-by: nhcarrigan <nhcarrigan@gmail.com> Co-authored-by: nhcarrigan <nhcarrigan@gmail.com>
1.8 KiB
1.8 KiB
id, title, challengeType, forumTopicId, dashedName
id | title | challengeType | forumTopicId | dashedName |
---|---|---|---|---|
587d7dae367417b2b2512b7a | 使用 instance of 验证对象的构造函数 | 1 | 301337 | verify-an-objects-constructor-with-instanceof |
--description--
凡是通过构造函数创建出的新对象,都叫做这个构造函数的实例
。JavaScript 提供了一种很简便的方法来验证这个事实,那就是通过instanceof
操作符。instanceof
允许你将对象与构造函数之间进行比较,根据对象是否由这个构造函数创建的返回true
或者false
。以下是一个示例:
let Bird = function(name, color) {
this.name = name;
this.color = color;
this.numLegs = 2;
}
let crow = new Bird("Alexis", "black");
crow instanceof Bird; // => true
如果一个对象不是使用构造函数创建的,那么instanceof
将会验证这个对象不是构造函数的实例:
let canary = {
name: "Mildred",
color: "Yellow",
numLegs: 2
};
canary instanceof Bird; // => false
--instructions--
给House
构造函数创建一个新实例,取名为myHouse
并且传递一个数字给bedrooms
参数。然后使用instanceof
操作符验证这个对象是否为House
的实例。
--hints--
myHouse
应该有一个numBedrooms
属性被赋值为一个数字。
assert(typeof myHouse.numBedrooms === 'number');
请务必使用instanceof
操作符验证myHouse
这个对象是House
构造函数的一个实例。
assert(/myHouse\s*instanceof\s*House/.test(code));
--seed--
--seed-contents--
function House(numBedrooms) {
this.numBedrooms = numBedrooms;
}
// Only change code below this line
--solutions--
function House(numBedrooms) {
this.numBedrooms = numBedrooms;
}
const myHouse = new House(4);
console.log(myHouse instanceof House);