- 检查是否是类的对象实例
请你编写一个函数,检查给定的值是否是给定类或超类的实例。
可以传递给函数的数据类型没有限制。例如,值或类可能是 undefined 。
示例 1:
输入:func = () => checkIfInstance(new Date(), Date)
输出:true
解释:根据定义,Date 构造函数返回的对象是 Date 的一个实例。
示例 2:
输入:func = () => { class Animal {}; class Dog extends Animal {}; return checkIfInstance(new Dog(), Animal); }
输出:true
解释:
class Animal {};
class Dog extends Animal {};
checkIfInstanceOf(new Dog(), Animal); // true
Dog 是 Animal 的子类。因此,Dog 对象同时是 Dog 和 Animal 的实例。
示例 3:
输入:func = () => checkIfInstance(Date, Date)
输出:false
解释:日期的构造函数在逻辑上不能是其自身的实例。
示例 4:
输入:func = () => checkIfInstance(5, Number)
输出:true
解释:5 是一个 Number。注意,“instanceof” 关键字将返回 false。
本人解:
/**
* @param {any} obj
* @param {any} classFunction
* @return {boolean}
*/
var checkIfInstanceOf = function(obj, classFunction) {
if (obj !== null && obj?.__proto__){
if (obj?.__proto__ === classFunction?.prototype) {
return true;
} else {
return checkIfInstanceOf(obj?.__proto__, classFunction)
}
} else {
return false;
}
};
/**
* checkIfInstanceOf(new Date(), Date); // true
*/
优秀解:
本题要求在instanceof的基础上支持基本类型,那么使用Object(obj)即可将基本类型转为引用类型
javascript
var checkIfInstanceOf = function (obj, classFunction) {
if (obj === null || obj === undefined || !(classFunction instanceof Function))
return false;
return Object(obj) instanceof classFunction;
};
迭代实现instanceof
javascript
/** 迭代 */
var checkIfInstanceOf = function (obj, classFunction) {
if (
obj === null ||
obj === undefined ||
classFunction === null ||
classFunction === undefined
)
return false;
while (obj.__proto__ && obj.__proto__ != classFunction.prototype)
obj = obj.__proto__;
return obj.__proto__ === classFunction.prototype;
};
递归实现instanceof
javascript
/** 递归 */
var checkIfInstanceOf = function (obj, classFunction) {
if (
obj === null ||
obj === undefined ||
classFunction === null ||
classFunction === undefined
)
return false;
return (
obj.__proto__ === classFunction.prototype ||
checkIfInstanceOf(obj.__proto__, classFunction)
);
};
作者:escapee11
链接:https://leetcode.cn/problems/check-if-object-instance-of-class/solution/2618-jian-cha-shi-fou-shi-lei-de-dui-xia-spyn/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。