欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

JavaScript 手动实现instanceof的方法

程序员文章站 2022-06-25 09:10:56
1. instanceof的用法instanceof运算符用于检测构造函数的prototype属性是否出现在某个实例对象的原型链上。function person() {}function perso...

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

如上代码,定义了两个构造函数,personperson2,又实用new操作创建了一个person的实例对象usr

实用instanceof操作符,分别检验构造函数prototype属性是否在usr这个实例的原型链上。

当然,结果显示,personobjectprototype属性在usr的原型链上。usr不是person2的实例,故person2prototype属性不在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

implicitprototypenull时,结束寻找,没有找到,返回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常见手写代码:

「github—code-js」

到此这篇关于javascript 手动实现instanceof的文章就介绍到这了,更多相关javascript instanceof内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!