近来最先在整顿ES6/ES7/ES8/ES9
的知识点(已上传到 我的博客 上),碰到一些知识点是本身已遗忘(用得少的知识点),因而也从新温习了一遍。
这篇文章要温习的 instanceof
是我在整顿过程当中碰到的,那就整顿下来吧,不然轻易遗忘。
假如那里写得不妥,迎接列位大佬指导。
1.定义
instanceof
运算符用于测试组织函数的
prototype
属性是不是出现在对象的原型链中的任何位置。 —— MDN
简朴理解为:instanceof
能够检测一个实例是不是属于某种范例。
比方:
function F (){
// ...
}
let a = new F ();
a instanceof F; // true
a instanceof Object; // true 背面引见缘由
还能够在继续关联中用来推断一个实例是不是属于它的父范例。
比方:
function F (){};
function G (){};
function Q (){};
G.prototype = new F(); // 继续
let a = new G();
a instanceof F; // true
a instanceof G; // true
a instanceof Q; // false
2.运用方法
语法为: object instanceof constructor
。
-
object
: 须要测试的函数 -
constructor
: 组织函数
即:用instanceof
运算符来检测constructor.prototype
是不是存在参数object
的原型链。
function F (){};
function G (){};
let a = new F ();
a instanceof F; // true 由于:Object.getPrototypeOf(a) === F.prototype
a instanceof Q; // false 由于:F.prototype不在a的原型链上
a instanceof Object; // true 由于:Object.prototype.isPrototypeOf(a)返回true
F.prototype instanceof Object; // true,同上
注重:
-
a instanceof F
返回true
今后,不一定永久都都返回为true
,F.prototype
属性的值有可能会转变。 - 原表达式
a
的值也会转变,比方a.__proto__ = {}
以后,a instanceof F
就会返回false
了。
检测对象是不是是特定组织函数的实例:
// 准确
if (!(obj instanceof F)) {
// ...
}
// 毛病 由于
if (!obj instanceof F); // 永久返回false
// 由于 !obj 在instanceof之前被处置惩罚 , 即一向运用一个布尔值检测是不是是F的实例
3.完成instanceof
/**
* 完成instanceof
* @param obj{Object} 须要测试的对象
* @param fun{Function} 组织函数
*/
function _instanceof(obj, fun) {
let f = fun.prototype; // 取B的显现原型
obj = obj.__proto__; // 取A的隐式原型
while (true) {
//Object.prototype.__proto__ === null
if (obj === null)
return false;
if (f === obj) // 这里重点:当 f 严厉即是 obj 时,返回 true
return true;
obj = obj.__proto__;
}
}
4.instanceof 与 typeof 对照
雷同: instanceof
和typeof
都能用来推断一个变量的范例。
区分: instanceof
只能用来推断对象、函数和数组,不能用来推断字符串和数字等:
let a = {};
let b = function () {};
let c = [];
let d = 'hi';
let e = 123;
a instanceof Object; // true
b instanceof Object; // true
c instanceof Array; // true
d instanceof String; // false
e instanceof Number; // false
typeof
:用于推断一个表达式的原始值,返回一个字符串。
typeof 42; // "number"
typeof 'blubber'; // "string"
typeof true; // "boolean"
typeof aa; // "undefined"
平常返回效果有:
- number
- boolean
- string
- function(函数)
- object(NULL,数组,对象)
- undefined。
推断变量是不是存在:
不能运用:
if(a){
//变量存在
}
// Uncaught ReferenceError: a is not defined
缘由是假如变量未定义,就会报未定义的错,而应当运用:
if(typeof a != 'undefined'){
//变量存在
}
5.参考资料
迎接关注微信民众号【前端自习课】天天清晨,与您一同进修一篇优异的前端手艺博文 .