判断一个变量类型是数组还是对象

var arr=[1];
var json={age:18}

数组或者对象的typeof 值都是object。

一、通过length

一般情况下对象没有length属性值,其值为undefiend,而数组的length值为number类型。
缺点:非常不实用,当对象的属性存在length,且其值为number(比如类数组),则该方法失效,不建议使用,看看即可。

二、验证构造函数

1.instanceof :判断一个实例是否由构造函数(Array)创建出来

console.log(arr instanceof Array);//true
console.log(json instanceof Array);//false

2.对象的constructor属性用于返回创建该对象的构造函数。

console.log(arr.constructor===Array);//true
console.log(json.constructor===Array);//false

这种方法有2个问题,
一、就是验证不够严格。 即使对象创建时不是使用数组创建的,但是只要原型链上有数组类型,也认为是数组,如下面一段代码:

function Test(){ }
Test.prototype = Array.prototype;
let test = new Test();
console.log(test instanceof Array);//true
console.log(test.constructor===Array);//true

二、instanceof 和constructor 判断的变量,必须在当前页面声明的,比如,一个页面(父页面)有一个iframe,iframe中引用了一个页面(子页面),在子页面中声明了一个a,并将其赋值给父页面的一个变量arr,这时判断该变量, arr.constructor===Array 或arr instanceof Array都会返回false;
原因:

1、array属于引用型数据,在传递过程中,仅仅是引用地址的传递。
2、每个页面的Array原生对象所引用的地址是不一样的,在子页面声明的array,所对应的构造函数,是子页面的Array对象;父页面来进行判断,使用的Array并不等于子页面的Array;

三、toString()方法

该方法原理

 console.log(Object.prototype.toString.call(arr) === '[object Array]'); //true
console.log(Object.prototype.toString.call(json) === '[object Array]'); //false

四、数组仅有的方法

console.log(arr.sort === Array.prototype.sort); //true
 console.log(json.sort === Array.prototype.sort); //false

五、Array.isArray()

Array.isArray(arr);  // true
Array.isArray(obj); //false
    原文作者:Jqlender
    原文地址: https://blog.csdn.net/qq_34035425/article/details/82421513
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞