深圳幻海软件技术有限公司 欢迎您!

JS 判断数组的方法总结,哪种最靠谱?

2023-02-28

我们从妈妈、爸爸、祖先三个角度来进行判断。根据构造函数判断(妈妈)instanceof判断一个实例是否属于某构造函数复制letarr=[]console.log(arrinstanceofArray)//true1.2.缺点: instanceof底层原理是检测构造函数的prototype

我们从妈妈、爸爸、祖先三个角度来进行判断。

根据构造函数判断(妈妈)

instanceof

判断一个实例是否属于某构造函数

let arr = []
console.log(arr instanceof Array) // true
  • 1.
  • 2.

缺点: instanceof 底层原理是检测构造函数的 prototype 属性是否出现在某个实例的原型链上,如果实例的原型链发生变化,则无法做出正确判断。

let arr = []
arr.__proto__ = function() {}
console.log(arr instanceof Array) // false
  • 1.
  • 2.
  • 3.

constructor

实例的构造函数属性 constructor 指向构造函数本身。

let arr = []
console.log(arr.constructor === Array) // true
  • 1.
  • 2.

缺点: 如果 arr 的 constructor 被修改,则无法做出正确判断。

let arr = []
arr.constructor = function() {}
console.log(arr.constructor === Array) // false
  • 1.
  • 2.
  • 3.

根据原型对象判断(爸爸)

__ proto __

实例的 __ proto __ 指向构造函数的原型对象

let arr = []
console.log(arr.__proto__ === Array.prototype) // true
  • 1.
  • 2.

缺点:  如果实例的原型链的被修改,则无法做出正确判断。

let arr = []
arr.__proto__ = function() {}
console.log(arr.__proto__ === Array.prototype) // false
  • 1.
  • 2.
  • 3.

Object.getPrototypeOf()

Object 自带的方法,获取某个对象所属的原型对象

let arr = []
console.log(Object.getPrototypeOf(arr) === Array.prototype) // true
  • 1.
  • 2.

缺点:  同上

Array.prototype.isPrototypeOf()

Array 原型对象的方法,判断其是不是某个对象的原型对象

let arr = []
console.log(Array.prototype.isPrototypeOf(arr)) // true
  • 1.
  • 2.

缺点:  同上

原型对象判断(祖先)

根据 Object 的原型对象判断

Object.prototype.toString.call()

Object 的原型对象上有一个 toString 方法,toString 方法默认被所有对象继承,返回 "[object type]" 字符串。但此方法经常被原型链上的同名方法覆盖,需要通过 Object.prototype.toString.call() 强行调用。

let arr = []
console.log(Object.prototype.toString.call(arr) === '[object Array]') // true
  • 1.
  • 2.

这个类型就像胎记,一出生就刻在了身上,因此修改原型链不会对它造成任何影响。

let arr = []
arr.__proto__ = function() {}
console.log(Object.prototype.toString.call(arr) === '[object Array]') // true
  • 1.
  • 2.
  • 3.

Array.isArray()

Array.isArray() 是 ES6 新增的方法,专门用于数组类型判断,原理同上。

let arr = []
console.log(Array.isArray(arr)) // true
  • 1.
  • 2.

修改原型链不会对它造成任何影响。

let arr = []
arr.__proto__ = function() {}
console.log(Array.isArray(arr)) // true
  • 1.
  • 2.
  • 3.

总结

以上就是判断是否为数组的常用方法,相信不用说大家也看出来 Array.isArray 最好用、最靠谱了吧,还是ES6香!