jquery中的 $.type(data) 方法可以检测如下数据类型:
1.基本数据类型: boolean、number、string、null、undefined
2.引用类型:Function、Array、Date、RegExp、Object
3.其他:Error、Symbol
一、判断方法
1. typeof
2. instance of
3. constructor()
4.Object.prototype.toString.call()
js判断数据类型无外乎以上四种(symbol除外),前三种能力范围有限,这里不做赘述,唯有第四种能比较全面且准确地判断,也是jQuery使用的方法
二、核心代码
1.定义class2type对象
var class2type = {};
var toString = class2type.toString;
2.判断逻辑
type: function( obj ) {
if ( obj == null ) { return obj + ""; }
return typeof obj === "object" || typeof obj === "function" ?
class2type[ toString.call( obj ) ] || "object" :
typeof obj;
}
首先判断是否为null。
若typeof 为"object" 或 "function" 则经过Object.prototype.toString.call()转化后在映射表中查找。否者直接返回typeof obj 的结果
3.填充class2type映射表
jQuery.each(
"Boolean Number String Function Array Date RegExp Object Error Symbol".split( " " ),
function( i, name ) {
class2type[ "[object " + name + "]" ] = name.toLowerCase();
} );
实际上生成了如下对象:
class2type = {
"Boolean": "boolean",
"Number": "number",
"String": "string",
"Function": "function",
"Array": "array",
"Date": "date",
"RegExp": "regexp",
"Object": "object",
"Error": "error",
"Symbol": "symbol"
}
三、分析
jQuey中仅使用 typeof 和 Object.prototype.toString.call 方法进行判断,
其中typeof能准确判断 boolean、number、string、function、undefined。
可是对 null 和引用类型无能为力。
typeof null // 返回"object"
typeof Array // 返回"object"
typeof Object // 返回"object"
typeof RegExp // 返回"object"
typeof Date // 返回"function"
然后是 toString 方法,这是class2type继承Object中原型链的方法。此方法用法如下:
所以,我们只需要对返回值中 [object type] 中的type进行判断就可以了!