JavaScript中类型判断方法有:1. typeof适用于基本类型,但null返回"object";2. instanceof用于引用类型实例判断,不适用基本类型;3. Object.prototype.toString.call()最可靠,可精确识别所有内置类型;4. 可封装getType函数综合处理,推荐优先使用toString方法实现精准判断。

JavaScript 中实现类型判断有多种方式,不同的方法适用于不同场景。由于 JavaScript 是弱类型语言,变量的类型在运行时才确定,因此准确判断类型对程序的健壮性很重要。
1. 使用 typeof 操作符
typeof 是最常用的方式,适合判断基本数据类型。
- typeof "hello" → "string"
- typeof 123 → "number"
- typeof true → "boolean"
- typeof undefined → "undefined"
- typeof function(){} → "function"
- typeof Symbol() → "symbol"
但注意:typeof null 返回 "object",这是历史遗留 bug;而且对于数组和普通对象,都返回 "object",无法区分。
2. 使用 instanceof 操作符
instanceof 用于判断一个对象是否是某个构造函数的实例,适合判断引用类型。
立即学习“Java免费学习笔记(深入)”;
- [] instanceof Array → true
- {} instanceof Object → true
- new Date() instanceof Date → true
局限性:只能用于对象,基本类型如字符串、数字等不会返回有意义的结果。而且跨 iframe 时可能因构造函数不同而失效。
3. 使用 Object.prototype.toString.call()
这是最可靠、最全面的类型判断方法,可以精确识别内置类型。
- Object.prototype.toString.call("hi") → "[object String]"
- Object.prototype.toString.call([]) → "[object Array]"
- Object.prototype.toString.call({}) → "[object Object]"
- Object.prototype.toString.call(null) → "[object Null]"
- Object.prototype.toString.call(undefined) → "[object Undefined]"
- Object.prototype.toString.call(/regex/) → "[object RegExp]"
通过提取 toString 方法并绑定到目标值上,可以绕过对象自身的 toString 方法,获取内部 [[Class]] 标识。
4. 综合封装一个类型判断函数
结合以上方法,可以封装一个通用函数:
function getType(value) {
if (value == null) {
return value + ""; // 处理 null 和 undefined
}
const type = typeof value;
if (type !== "object") {
return type;
}
// 使用 toString 获取精确类型
const classType = Object.prototype.toString.call(value);
return classType.slice(8, -1).toLowerCase(); // 如 "Array" → "array"
}
使用示例:
- getType("abc") → "string"
- getType([]) → "array"
- getType(null) → "null"
- getType(new Date()) → "date"
基本上就这些。根据实际需求选择合适的方法,日常推荐优先使用 Object.prototype.toString.call() 来做精确判断。











