简体   繁体   中英

what's the best way to check if one object is a prototype of another?

I believe the best way would be something like:

var a = {a:1, b:2}
var b = Object.create(a);
b.a = 1
var c = Object.create(b);
c.c = 3;
var d = Object.create(c);

d.protoTree();  //returns: [c, b, a]
c.protoTree();  //returns: [b, a];
b.protoTree();  //returns: [a];

But is this possible? What's the best way assuming you only know the D object?

You can use isPrototypeOf() for this use case

If wouldn't be good to have that as a member method, but it's easy to implement as a standalone (recursive) function:

function protoTree(obj){
    if(obj === null) return []
    return [obj, ...protoTree(Object.getPrototypeOf(obj))]
}

It works like this (note that it also returns Object.prototype , that a inherits from.

var a = {a:1, b:2}
var b = Object.create(a);
b.a = 1
var c = Object.create(b);
c.c = 3;
var d = Object.create(c);

//Note that `protoTree` returns the prototype objects themselves, not the variable names they are stored in
protoTree(d);  //returns: [c, b, a, Object.prototype]
protoTree(c);  //returns: [b, a, Object.prototype]
protoTree(b);  //returns: [a, Object.prototype]
protoTree(a);  //returns: [Object.prototype]

Using Object.prototype.isPrototypeOf() is the way to do this

 function Person() {} function Child() {} Child.prototype = Object.create(Person.prototype); const child = new Child(); console.log(Person.prototype.isPrototypeOf(child)); console.log(Child.prototype.isPrototypeOf(child));

More about Object.prototype.isPrototypeOf() here

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM