本文参考 hahazexia 发表于博客园文章,
原文链接:https://www.cnblogs.com/hahazexia/p/8886829.html
1,typeof判断
下面是常用的类型判断
console.log(
typeof 123, //"number"
typeof 'abc', //"string"
typeof true, //"boolean"
typeof [1, 2], //"object"
typeof {}, //"object"
typeof function () {}, //"function"
typeof undefined, //"undefined"
typeof null, //"object"
typeof new Date(), //"object"
typeof /^[a-z]$/, //"object"
typeof new Error() //"object"
);
代码结果可以看到,除了Function,Boolean,String,Number,Undefinde,其他判断的都是object,比较笼统,不能精确判断,这种情况不适用;
2,instanceof
console.log(
123 instanceof Number, //false
'abc' instanceof String, //false
false instanceof Boolean, //false
[1, 2, 3] instanceof Array, //true
{} instanceof Object, //true
function () { } instanceof Function, //true
undefined instanceof Object, //false
null instanceof Object, //false
new Date() instanceof Date, //true
/^[a-zA-Z]$/ instanceof RegExp, //true
new Error() instanceof Error //true
)
Number,String,Boolean没有检测出他们的类型,不适用此方法,null,undefinde,因为他们的类型是自己本身,不是object创建出来的,所以判断也是false
3,constructor
constructor是prototype对象上的属性,指向构造函数。根据实例对象寻找属性的顺序,若实例对象上没有实例属性或方法时,就去原型链上寻找,因此,实例对象也是能使用constructor属性的。
console.log(new Number(123).constructor)
//ƒ Number() { [native code] }
可以看到它指向了Number的构造函数,因此,可以使用num.constructor==Number来判断一个变量是不是Number类型的。
var num = 123;
var str = 'abcdef';
var bool = true;
var arr = [1, 2, 3, 4];
var json = {name:'wenzi', age:25};
var func = function(){ console.log('this is function'); }
var und = undefined;
var nul = null;
var date = new Date();
var reg = /^[a-zA-Z]{5,20}$/;
var error= new Error();
function Person(){
}
var tom = new Person();
// undefined和null没有constructor属性
console.log(
tom.constructor==Person,
num.constructor==Number,
str.constructor==String,
bool.constructor==Boolean,
arr.constructor==Array,
json.constructor==Object,
func.constructor==Function,
date.constructor==Date,
reg.constructor==RegExp,
error.constructor==Error
);
//所有结果均为true
除了undefined和null之外,其他类型都可以通过constructor属性来判断类型。
4,prototype.toString.call()
可以通过toString() 来获取每个对象的类型。为了每个对象都能通过 Object.prototype.toString() 来检测,需要以 Function.prototype.call() 或者 Function.prototype.apply() 的形式来调用,传递要检查的对象作为第一个参数,称为thisArg。
var toString = Object.prototype.toString;
toString.call(123); //"[object Number]"
toString.call('abcdef'); //"[object String]"
toString.call(true); //"[object Boolean]"
toString.call([1, 2, 3, 4]); //"[object Array]"
toString.call({name:'wenzi', age:25}); //"[object Object]"
toString.call(function(){ console.log('this is function'); }); //"[object Function]"
toString.call(undefined); //"[object Undefined]"
toString.call(null); //"[object Null]"
toString.call(new Date()); //"[object Date]"
toString.call(/^[a-zA-Z]{5,20}$/); //"[object RegExp]"
toString.call(new Error()); //"[object Error]"
这样可以看到使用Object.prototype.toString.call()的方式来判断一个变量的类型是最准确的方法。