我想获取父类名称 ( Parent
),但我只能使用此代码 ( Child
)检索子类名称...
'use strict';
class Parent {
}
class Child extends Parent {
}
var instance = new Child();
console.log(instance.constructor.name);
是否可以 ?
谢谢 !
我想获取父类名称 ( Parent
),但我只能使用此代码 ( Child
)检索子类名称...
'use strict';
class Parent {
}
class Child extends Parent {
}
var instance = new Child();
console.log(instance.constructor.name);
是否可以 ?
谢谢 !
ES6 类相互继承。所以当instance.constructor
指的是Child
,那么你可以使用Object.getPrototypeOf(instance.constructor)
来获取Parent
,然后访问.name
:
Object.getPrototypeOf(instance.constructor).name // == "Parent"
当然,完整的 ES6 合规性和非压缩代码是必要的。你永远不应该依赖代码中的函数名。
这里有一些有趣的事情:
class J {}
class K extends J {}
class L extends K {}
function getBaseClass(targetClass){
if(targetClass instanceof Function){
let baseClass = targetClass;
while (baseClass){
const newBaseClass = Object.getPrototypeOf(baseClass);
if(newBaseClass && newBaseClass !== Object && newBaseClass.name){
baseClass = newBaseClass;
}else{
break;
}
}
return baseClass;
}
}
console.log(getBaseClass(L)); // Will return J.
你可以在技术上做到
// instanceProto === Child.prototype
var instanceProto = Object.getPrototypeOf(instance);
// parentProto === Parent.prototype
var parentProto = Object.getPrototypeOf(instanceProto);
console.log(parentProto.constructor.name);
请记住,这些名称可能都被压缩器破坏了。
另一种简单的解决方案:
class Foo {}
class Bar extends Foo{}
Object.getPrototypeOf(Bar) === Foo // true
Bar.__proto__ === Foo // true
console.log(Bar.__proto__.name) // Foo