js中的数据类型检测常用的方法是使用typeof,typeof运算符会返回下列6中类型之一:
- "number"
- "string"
- "boolean"
- "object"
- "function"
- "undefined"
例如:
1 2 3 4 5Document 6 22 23 24 25 26
结果如下:
从结果中可以看出使用typeof检测null值时,返回的是object,而不是null。这样其实并不能真正的检测出数据类型。可以向下面定义一个方法检测出null类型。
1 2 3 4 5Document 6 25 26 27 28 29
得到的结果如下:
而对于复杂的数据类型,比如对象或者数组,可以使用constructor属性。constructor属性可以判断绝大部分数据的类型,但是对undefined和null类型并不适用,因为javascript解释器会抛出异常。
数值直面量也不能使用constructor属性,可以加上一个小括号,将数值转化为对象,例如:
alert((1).constructor);
对于内置对象,使用toString()方法检测对象类型时最安全、最准确的。调用toString()方法把对象转化为字符串,然后通过检测字符串中是否包含数组所特有的标志字符可以确定对象的类型。
例如:
1 function typeof(o){ 2 var _toString=Object.prototype.toString; 3 var _type={ 4 "undefined":"undefined", 5 "number":"number", 6 "boolean":"boolean", 7 "string":"string", 8 "[object Function]":"function", 9 "[object Array]":"array",10 "[object RegExp]":"regexp",11 "[object Date]":"date",12 "[object Erroe]":"error"13 }14 return _type[typeof o]||_type[_toString.call(o)]||(o?"object":"null");15 }16
对于非内置对象,只能使用constructor属性和instanceof运算符来实现。