js如何判斷一個對象是數組(函數)

js如何判斷一個對象是數組(函數)

1.typeof操做符 
js如何判斷一個對象是數組javascript

示例:java

// 數值
typeof 37 === 'number';

// 字符串
typeof '' === 'string';

// 布爾值
typeof true === 'boolean';

// Symbols
typeof Symbol() === 'symbol';

// Undefined
typeof undefined === 'undefined';

// 對象
typeof {a: 1} === 'object';
typeof [1, 2, 4] === 'object';

// 下面的例子使人迷惑,很是危險,沒有用處。避免使用它們。
typeof new Boolean(true) === 'object';
typeof new Number(1) === 'object';
typeof new String('abc') === 'object';

// 函數
typeof function() {} === 'function';

從上面的實例咱們能夠看出,利用typeof除了array和null判斷爲object外,其餘的均可以正常判斷。

2.instanceof操做符 和 對象的constructor 屬性數組

這個操做符和JavaScript中面向對象有點關係,瞭解這個就先得了解JavaScript中的面向對象。由於這個操做符是檢測對象的原型鏈是否指向構造函數的prototype對象的。瀏覽器

 

var arr = [1,2,3,1];
console.log(arr instanceof Array); // true 

var fun = function(){};
console.log(fun instanceof Function); // true 

  

var arr = [1,2,3,1];
console.log(arr.constructor === Array); // true 

var fun = function(){};
console.log(arr.constructor === Function); // true 

  


第2種和第3種方法貌似無懈可擊,可是實際上仍是有些漏洞的,當你在多個frame中來回穿梭的時候,這兩種方法就亞歷山大了。因爲每一個iframe都有一套本身的執行環境,跨frame實例化的對象彼此是不共享原型鏈的,所以致使上述檢測代碼失效app

var iframe = document.createElement('iframe'); //建立iframe
document.body.appendChild(iframe); //添加到body中
xArray = window.frames[window.frames.length-1].Array;
var arr = new xArray(1,2,3); // 聲明數組[1,2,3]
alert(arr instanceof Array); // false
alert(arr.constructor === Array); // false

  
4.使用 Object.prototype.toString 來判斷是不是數組
函數

Object.prototype.toString.call( [] ) === '[object Array]'  // true

Object.prototype.toString.call( function(){} ) === '[object Function]'  // true

這裏使用call來使 toString 中 this 指向 obj。進而完成判斷  

5.使用 原型鏈 來完成判斷
this

[].__proto__ === Array.prototype  // true

var fun = function(){}
fun.__proto__ === Function.prototype  // true

  

6.Array.isArray() 
spa

Array.isArray([])   // true

ECMAScript5將Array.isArray()正式引入JavaScript,目的就是準確地檢測一個值是否爲數組。IE9+、 Firefox 4+、Safari 5+、Opera 10.5+和Chrome都實現了這個方法。可是在IE8以前的版本是不支持的。 

總結:prototype

綜上所述,咱們能夠綜合上面的幾種方法,有一個當前的判斷數組的最佳寫法:對象

var arr = [1,2,3];
var arr2 = [{ name : 'jack', age : 22 }];
function isArrayFn(value){
    // 首先判斷瀏覽器是否支持Array.isArray這個方法
    if (typeof Array.isArray === "function") { 
        return Array.isArray(value);
    }else{
        return Object.prototype.toString.call(value) === "[object Array]";
        // return obj.__proto__ === Array.prototype;
    }
}
console.log(isArrayFn(arr));  // true
console.log(isArrayFn(arr2));  // true        

上述代碼中,爲什麼咱們不直接使用原型鏈的方式判斷(兼容性好),而是先判斷瀏覽器支不支持Array.isArray()這個方法,若是不支持才使用原型鏈的方式呢?咱們能夠從代碼執行效率上看:
js如何判斷一個對象是數組

 

 從這張圖片咱們能夠看到,Array.isArray()這個方法的執行速度比原型鏈的方式快了近一倍。

相關文章
相關標籤/搜索