基于JS判断对象是否是数组
这篇文章主要介绍了基于js判断对象是否是数组,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友可以参考下
1、通过instanceof判断
instanceof运算符用于检验构造函数的prototype属性是否出现在对象的原型链中的任何位置,返回一个布尔值。
let a = []; a instanceof array; //true let b = {}; b instanceof array; //false
在上方代码中,instanceof运算符检测array.prototype属性是否存在于变量a的原型链上,显然a是一个数组,拥有array.prototype属性,所以为true。
需要注意的是,prototype属性是可以修改的,所以并不是最初判断为true就一定永远为真。
其次,当我们的脚本拥有多个全局环境,例如html中拥有多个iframe对象,instanceof的验证结果可能不会符合预期,例如:
//为body创建并添加一个iframe对象 var iframe = document.createelement('iframe'); document.body.appendchild(iframe); //取得iframe对象的构造数组方法 xarray = window.frames[0].array; //通过构造函数获取一个实例 var arr = new xarray(1,2,3); arr instanceof array;//false
导致这种问题是因为iframe会产生新的全局环境,它也会拥有自己的array.prototype属性,让不同环境下的属性相同很明显是不安全的做法,所以array.prototype !== window.frames[0].array.prototype,想要arr instanceof array为true,你得保证arr是由原始array构造函数创建时才可行。
2、通过constructor判断
我们知道,实例的构造函数属性constructor指向构造函数,那么通过constructor属性也可以判断是否为一个数组。
let a = [1,3,4]; a.constructor === array;//true
同样,这种判断也会存在多个全局环境的问题,导致的问题与instanceof相同。
3、通过object.prototype.tostring.call()判断
object.prototype.tostring().call()可以获取到对象的不同类型,多个全局环境也适用
// 检验是否是数组 let a = [1,2,3] object.prototype.tostring.call(a) === '[object array]';//true //检验是否是函数 let b = function () {}; object.prototype.tostring.call(b) === '[object function]';//true //检验是否是数字 let c = 1; object.prototype.tostring.call(c) === '[object number]';//true
4、通过array.isarray()判断
简单好用,而且对于多全局环境,array.isarray() 同样能准确判断,但有个问题,array.isarray() 是在es5中提出,也就是说在es5之前可能会存在不支持此方法的情况。
let a = [1,2,3] array.isarray(a);//true
最终推荐方法
if (!array.isarray) { array.isarray = function(arg) { return object.prototype.tostring.call(arg) === '[object array]'; }; }
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。
上一篇: jQuery操作动画完整实例分析
下一篇: Java标识符及命名规范