1.9 KiB
1.9 KiB
id, title, challengeType, forumTopicId, dashedName
id | title | challengeType | forumTopicId | dashedName |
---|---|---|---|---|
587d7dae367417b2b2512b7a | 使用 instanceof 驗證對象的構造函數 | 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;
instanceof
方法會返回 true
.
如果一個對象不是使用構造函數創建的,那麼 instanceof
將會驗證這個對象不是構造函數的實例:
let canary = {
name: "Mildred",
color: "Yellow",
numLegs: 2
};
canary instanceof Bird;
instanceof
方法會返回 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);