常用的判断数据类型的方法主要有:typeof,instanceof,constructor,Object.prototype.toString
下面来分别介绍
1、typeof:返回一个字符串,表示未经计算的操作数的类型。
console.log(typeof 42); // number
缺点:对于数组和对象或null 都会返回object
2、instanceof:用于测试构造函数的prototype属性是否出现在对象的原型链中的任何位置
function Car(make, model, year) { this.make = make; this.model = model; this.year = year;}var auto = new Car('Honda', 'Accord', 1998);console.log(auto instanceof Car); // true// 因为Object是原型链的最顶端,所以在其原型链上的都会为trueconsole.log(auto instanceof Object); // true
缺点:instanceof不能判断null和undefined
3、constructor:返回创建实例对象的 Object
构造函数的引用
var o = {};o.constructor === Object; // truevar o = new Object;o.constructor === Object; // truevar a = [];a.constructor === Array; // truevar a = new Array;a.constructor === Array // truevar n = new Number(3);n.constructor === Number; // truefunction Tree(name) { this.name = name;}var theTree = new Tree("Redwood");console.log( theTree.constructor ); //function Tree(name){this.name=name}
缺点:无法检测null,undefined
4、Object.prototype.toString
Object.prototype.toString.call(new Date) // [object Date]