时间:2022-09-01 09:26:08 | 栏目:JavaScript代码 | 点击:次
有时看一些框架源码的时候,会碰到 isPrototypeOf()
这个函数,那么这个函数有什么作用呢?
isPrototypeOf()
是 Object
函数(类)的下的一个方法,用于判断当前对象是否为另外一个对象的原型,如果是就返回 true
,否则就返回 false
。
这个函数理解的关键是在原型链上,这个据说是JavaScript
的三座大山之一。
这里不详述其中的原理,简单的来讲就是3点:
prototype
原型属性。__proto__
指向生成它的函数对象的prototype
。prototype
也有__proto__
指向生成它的函数对象的prototype
。let o = new Object(); console.log(Object.prototype.isPrototypeOf(o)); // true
因为o
对象是Object
的实例,所以o对象的原型(__proto__)
指向Object
的原型(prototype
),上面会输出true。
function Human() {} let human = new Human(); console.log(Human.prototype.isPrototypeOf(human)); // true
这例和上例类似,因为human
对象是Human
的实例,所以human
对象的原型(__proto__)
指向Human
的原型(prototype
),上面会输出true
。
console.log(Object.prototype.isPrototypeOf(human)); // true
为什么呢?,用代码可能更好解释,请看下面推导:
// 因为 Human 的原型(prototype)中的原型(__proto__)指向 Object 的原型(prototype) Human.prototype.__proto__ === Object.prototype // 又因为 human 的原型(__proto__)指向 Human 的原型(prototype) huamn.__proto__ === Human.prototype // 所以human对象的原型(__proto__)的原型(__proto__)指向Object的原型(prototype) huamn.__proto__.__proto__ === Object.prototype
如果查看human的结构就很容易清楚了:
那 Object
的原型(prototype
) 是不是就是 human
对象的原型呢?确切的说Object
的原型(prototype
)是在 human
的原型链上。
JavaScript
中内置类Number
、String
、Boolean
、Function
、Array
因为都是继承Object
,所以下面的输出也都是true
:
console.log(Object.prototype.isPrototypeOf(Number)); // true console.log(Object.prototype.isPrototypeOf(String)); // true console.log(Object.prototype.isPrototypeOf(Boolean)); // true console.log(Object.prototype.isPrototypeOf(Array)); // true console.log(Object.prototype.isPrototypeOf(Function)); // true
自然Object.prototype
也是Number
、String
、Boolean
、Function
、Array
的实例的原型。
另外值得一提的是 Function.prototype
也是Object
的原型,因为Object
也是一个函数(类),它们是互相生成的。
请看下面输出:
console.log(Object.prototype.isPrototypeOf(Function)); // true
console.log(Function.prototype.isPrototypeOf(Object)); // true
instanceof
是用来判断对象是否属于某个对象的实例。
例如:
function Human() {} let human = new Human(); // human 是 Human 的实例,所以结果输出true console.log(human instanceof Human); // true // 因为所有的类都继承Object,所以结果也输出true console.log(human instanceof Object); // true // 因为 human 对象不是数组,所以结果输出false console.log(human instanceof Array); // false
再来一些内置类的例子:
// 【1,2,3] 是 Array 的实例,所以输出true console.log([1, 2, 3] instanceof Array); // true // 方法 function(){} 是 Function的实例,所以输出true console.log(function(){} instanceof Function);
instanceof
作用的原理就是判断实例的原型链中能否找到类的原型对象(prototype),而 isPrototypeOf
又是判断类的原型对象(prototype
)是否在实例的原型链上。
所以我的理解,这两个表达的意思是一致的,就是写法不同,下面两个输出应该是一致的:
console.log(A instanceof B); console.log(B.prototype.isPrototypeOf(A));
小结
其实要理解 isPrototypeOf
函数,关键是要理解原型链这个玩意。