前言
相信你們在代碼中常常看見 '==' 和 '===',但你們真的弄懂了比較運算符和其中的隱式轉換嘛? 今天就從新認識下比較運算符。面試
說明: 嚴格匹配,不會類型轉換,必需要數據類型和值徹底一致數組
先判斷類型,若是類型不是同一類型的話直接爲false; 1 對於基本數據類型(值類型): Number,String,Boolean,Null和Undefined:兩邊的值要一致,才相等 console.log(null === null) // true console.log(undefined === undefined) // true 注意: NaN: 不會等於任何數,包括它本身 console.log(NaN === NaN) // false 2 對於複雜數據類型(引用類型): Object,Array,Function等:兩邊的引用地址若是一致的話,是相等的 arr1 = [1,2,3]; arr2 = arr1; console.log(arr1 === arr2) // true
非嚴格匹配: 會類型轉換,可是有前提條件一共有五種狀況
(接下來的代碼以 x == y 爲示例)code
x和y都是null或undefined:
規則: 沒有隱式類型轉換,無條件返回true對象
console.log ( null == undefined );//true console.log ( null == null );//true console.log ( undefined == undefined );//true
x或y是NaN : NaN與任何數字都不等
規則:沒有隱式類型轉換,無條件返回false字符串
console.log ( NaN == NaN );//false
x和y都是string,boolean,number
規則:有隱式類型轉換,會將不是number類型的數據轉成numberstring
console.log ( 1 == true );//true (1) 1 == Number(true) console.log ( 1 == "true" );//false (1) 1 == Number('true') console.log ( 1 == ! "true" );//false (1) 1 == !Boolean('true') (2) 1 == !true (3) 1 == false (4)1 == Number(false) console.log ( 0 == ! "true" );//true console.log(true == 'true') // false
x或y是複雜數據類型 : 會先獲取複雜數據類型的原始值以後再左比較
複雜數據類型的原始值: 先調用valueOf方法,而後調用toString方法
valueOf:通常默認返回自身
數組的toString:默認會調用join方法拼接每一個元素而且返回拼接後的字符串io
console.log ( [].toString () );//空字符串 console.log ( {}.toString () );//[object Object] 注意: 空數組的toString()方法會獲得空字符串, 而空對象的toString()方法會獲得字符串[object Object] (注意第一個小寫o,第二個大寫O喲) console.log ( [ 1, 2, 3 ].valueOf().toString());//‘1,2,3’ console.log ( [ 1, 2, 3 ] == "1,2,3" );//true (1)[1,2,3].toString() == '1,2,3' (2)'1,2,3' == '1,2,3' console.log({} == '[object Object]');//true
x和y都是複雜數據類型 :
規則只比較地址,若是地址一致則返回true,不然返回falseconsole
var arr1 = [10,20,30]; var arr2 = [10,20,30]; var arr3 = arr1;//將arr1的地址拷貝給arr3 console.log ( arr1 == arr2 );//雖然arr1與arr2中的數據是同樣,可是它們兩個不一樣的地址 console.log ( arr3 == arr1 );//true 二者地址是同樣 console.log ( [] == [] );//false console.log ( {} == {} );//false
經典面試題function
注意:八種狀況轉boolean獲得false: 0 -0 NaN undefined null '' false document.all() console.log([] == 0); //true // 分析:(1) [].valueOf().toString() == 0 (2) Number('') == 0 (3) false == 0 (4) 0 == 0 console.log(![] == 0); //true // 分析: 邏輯非優先級高於關係運算符 ![] = false (空數組轉布爾值獲得true) console.log([] == []); //false // [] 與右邊邏輯非表達式結果比較 //(1) [] == !Boolean([]) (2) [] == !true (3)[] == false (4) [].toString() == false (5)'' == false (6)Number('0') == Number(false) console.log([] == ![]); //true onsole.log({} == {}); //false // {} 與右邊邏輯非表達式結果比較 //(1){} == !{} (2){} == !true (3){} == false (4){}.toString() == false (5)'[object Object]' == false (6)Number('[object Object]') == false console.log({} == !{}); //false
變態面試題object
var a = ??? if(a == 1 && a == 2 && a == 3 ){ console.log(1) } //如何完善a,使其正確打印1 //答案 var a = { i : 0, //聲明一個屬性i valueOf:function ( ) { return ++a.i; //每調用一次,讓對象a的i屬性自增一次而且返回 } } if (a == 1 && a == 2 && a == 3){ //每一次運算時都會調用一次a的valueOf()方法 console.log ( "1" ); }