JavaScript中isPrototypeOf函数
有时看一些框架源码的时候,会碰到 isprototypeof()
这个函数,那么这个函数有什么作用呢?
1、isprototypeof()
isprototypeof()
是 object
函数(类)的下的一个方法,用于判断当前对象是否为另外一个对象的原型,如果是就返回 true
,否则就返回 false
。
这个函数理解的关键是在原型链上,这个据说是javascript
的三座大山之一。
这里不详述其中的原理,简单的来讲就是3点:
- 1. 函数对象,都会天生自带一个
prototype
原型属性。 - 2. 每一个对象也天生自带一个属性
__proto__
指向生成它的函数对象的prototype
。 - 3. 函数对象的
prototype
也有__proto__
指向生成它的函数对象的prototype
。
示例1,object类实例:
let o = new object(); console.log(object.prototype.isprototypeof(o)); // true
因为o
对象是object
的实例,所以o对象的原型(__proto__)
指向object
的原型(prototype
),上面会输出true。
示例2,自己定义human类:
function human() {} let human = new human(); console.log(human.prototype.isprototypeof(human)); // true
这例和上例类似,因为human
对象是human
的实例,所以human
对象的原型(__proto__)
指向human
的原型(prototype
),上面会输出true
。
示例3,再来看看object的原型(prototype)是否是human的原型:
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
的原型链上。
示例4,object.prototype是否是内置类的原型:
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
的实例的原型。
示例5,object也是函数(类):
另外值得一提的是 function.prototype
也是object
的原型,因为object
也是一个函数(类),它们是互相生成的。
请看下面输出:
console.log(object.prototype.isprototypeof(function)); // true
console.log(function.prototype.isprototypeof(object)); // true
2、和 instanceof 的区别
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
函数,关键是要理解原型链这个玩意。
到此这篇关于javascript
中isprototypeof
函数的文章就介绍到这了,更多相关javascript中isprototypeof内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!