1. 程式人生 > >js中精確判斷物件型別--關於typeof 和Object.prototype.toString方法的區別

js中精確判斷物件型別--關於typeof 和Object.prototype.toString方法的區別

在javascript中可以使用typeof來判斷資料型別,但typeof只能判斷區分基本型別,即number、string、boolean、undefinded和object這5種

        <script type="text/javascript">
            //基本資料型別:number、string、boolean、null、undefined
            //複雜資料型別(引用資料型別):object(Array、Data、RegExp、function)
            alert(typeof 1);  //number;
            alert(typeof
true); //boolean; alert(typeof undefined); //undefined; alert(typeof "hello world") //string; alert(typeof {}); //object; alert(typeof null); //object, null是一個空物件; alert(typeof function(){}); //function;
</script>

如上:對於null(空物件)、陣列、{}(物件)使用typeof判斷資料型別,都會統一返回“object”字串

要精確判斷物件型別可以使用js中的Object.prototype.toString方法(判斷物件屬於那種內建物件型別);

eg:

var arr=[];
console.log(Object.prototype.toString.call(arr));  //結果是  "[object Array]"

在ES3中,Object.prototype.toString方法的在被呼叫的時候,會執行如下的操作步驟:
1. 獲取this物件的[[Class]]屬性的值;
2. 計算出“[object”+”第一步獲取的屬性值”+“]” 這3個字串拼接後的新字串;
3. 返回第2步計算出的新字串;

其過程簡單說來就是:
1. 獲取物件的類名(物件型別)。
2. 然後將[object、獲取的物件型別的名、]組合為字串
3. 返回字串 “[object Array]”

[[Class]]是一個內部屬性,所有的物件(原生物件和宿主物件)都擁有該屬性.在規範中,[[Class]]是這麼定義的:
內部屬性,[[Class]] 一個字串值,表明了該物件的型別

由於 JavaScript 中一切都是物件,任何都不例外,對所有值型別應用 Object.prototype.toString.call() 方法結果如下:

        <script type="text/javascript">
            console.log(Object.prototype.toString.call(123))    //"[object Number]"
            console.log(Object.prototype.toString.call('123'))    //"[object String]"
            console.log(Object.prototype.toString.call(undefined))    //"[object Undefined]"
            console.log(Object.prototype.toString.call(true))    //"[object Boolean]"
            console.log(Object.prototype.toString.call(null))    //"[object Null]"
            console.log(Object.prototype.toString.call({}))    //"[object Object]"
            console.log(Object.prototype.toString.call([]))    //"[object Array]"
            console.log(Object.prototype.toString.call(function(){}))    //"[object Function]"
        </script>

如上可以看到:Object.prototype.toString.call()可以精確的判斷物件型別;

判斷是否為函式

   function isFunction(it) {
        return Object.prototype.toString.call(it) === '[object Function]';
    }

有相容性問題,全面的寫法是:

 function isArray(arr){  //自己封裝的一個函式isArray(),用於判斷函式傳入的引數是否是陣列;
                if(typeof Array.isArray === "undefined"){  //Array.isArray()是ES5中新增的方法,先判斷下其是否是undefined,如果是未定義的話執行該段函式,定義一個Array.isArray()方法;
                    Array.isArray = function(brr){  //如果未定義,則定義函式並傳入引數;
                        return Object.prototype.toString.call(brr)=="[object Array]"  //通過js中的Object.prototype.toString方法,返回一個判斷,假設引數物件值屬於陣列內建型別,判斷時,如果返回true則是陣列,否則不是;
                    }
                }
                return Array.isArray(arr);  //返回該方法,呼叫isArray()相當於呼叫Array.isArray();
            }

如上是判斷陣列,其他判斷類似;