JavaScript 手动实现instanceof的方法
1. instanceof的用法
instanceof
运算符用于检测构造函数的prototype
属性是否出现在某个实例对象的原型链上。
function person() {} function person2() {} const usr = new person(); console.log(usr instanceof person); // true console.log(usr instanceof object); // true console.log(usr instanceof person2); // false
如上代码,定义了两个构造函数,person
和person2
,又实用new
操作创建了一个person
的实例对象usr
。
实用instanceof
操作符,分别检验构造函数的prototype
属性是否在usr
这个实例的原型链上。
当然,结果显示,person
和object
的prototype
属性在usr
的原型链上。usr
不是person2
的实例,故person2
的prototype
属性不在usr
的原型链上。
2. 实现instanceof
明白了instanceof
的功能和原理后,可以自己实现一个instanceof
同样功能的函数:
function myinstanceof(obj, constructor) { // obj的隐式原型 let implicitprototype = obj?.__proto__; // 构造函数的原型 const displayprototype = constructor.prototype; // 遍历原型链 while (implicitprototype) { // 找到,返回true if (implicitprototype === displayprototype) return true; implicitprototype = implicitprototype.__proto__; } // 遍历结束还没找到,返回false return false; }
myinstanceof
函数接收两个参数:实例对象obj
和构造函数constructor
。
首先拿到实例对象的隐式原型:obj.__proto__
,构造函数的原型对象constructor.prototype
。
接着,就可以通过不断得到上一级的隐式原型:
implicitprototype = implicitprototype.__proto__;
来遍历原型链,寻找displayprototype
是否在原型链上,若找到,返回true
。
当implicitprototype
为null
时,结束寻找,没有找到,返回false
。
原型链其实就是一个类似链表的数据结构。
instanceof
做的事,就是在链表上寻找有没有目标节点。从表头节点开始,不断向后遍历,若找到目标节点,返回true
。遍历结束还没找到,返回false
。
3. 验证
写一个简单的实例验证一下自己实现的instanceof
:
function person() {} function person2() {} const usr = new person(); function myinstanceof(obj, constructor) { let implicitprototype = obj?.__proto__; const displayprototype = constructor.prototype; while (implicitprototype) { if (implicitprototype === displayprototype) return true; implicitprototype = implicitprototype.__proto__; } return false; } myinstanceof(usr, person); // true myinstanceof(usr, object); // true myinstanceof(usr, person2); // false myinstanceof(usr, function); // false myinstanceof(usr.__proto__, person); // false usr.__proto__ instanceof person; // false
可以看到,myinstanceof
正确得出了结果。
有趣的是,usr.__proto__ instanceof person
返回false
,说明obj instanceof constructor
检测的原型链,不包括obj
节点本身。
javascript常见手写代码:
到此这篇关于javascript 手动实现instanceof的文章就介绍到这了,更多相关javascript instanceof内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!
上一篇: 酷盘云存储如何让电脑和手机共用一个硬盘
下一篇: java经典排序(冒泡,选择)