判断实例对象类型有三种方式
- typeof
- instanceof
- Object.prototype.toString.call(arrName)
typeof: 可以判断出实例的类型,但是不能区分null,typeof null === object
console.log(typeof null) // object
instanceof 用于检测构造函数的prototype属性是否出现在某个实例对象的原型链上,因为在原型链查找,所以不太准确,比如一个数组实例,构造函数出现在Array上面,也出现在Object上面。代码如下:
let arr = [1, 2, 3]
console.log(arr instanceof Array) // true
console.log(arr instanceof Object) // true
Object.prototype.toString.call: 能比较准确地检测出实例属性的类型,且没有上述方法的一些瑕疵,推荐使用
Object.prototype.toString.call(undefined) //"[object Undefined]"
Object.prototype.toString.call('a') //"[object String]"
Object.prototype.toString.call(2) //"[object Number]"
Object.prototype.toString.call({}) //"[object Object]"
Object.prototype.toString.call([]) //"[object Array]"