我可以使用构造函数属性来检测JavaScript中的类型吗? 或者有什么我应该知道的。
例如:var a = {}; a.constructor.name; //outputs Object
或var b = 1; b.constructor.name; //outputs Number
或var d = new Date(); d.constructor.name; //outputs Date not Object
或var f = new Function(); f.constructor.name; //outputs Function not Object
仅在参数arguments.constructor.name; //outputs Object like first example
我经常看到开发人员使用:Object.prototype.toString.call([])
或
Object.prototype.toString.call({})
答案 0 :(得分:6)
您可以使用typeof
,但有时会返回misleading results。相反,使用Object.prototype.toString.call(obj)
,它使用对象的内部[[Class]]
属性。您甚至可以为它创建一个简单的包装器,因此它的行为类似于typeof
:
function TypeOf(obj) {
return Object.prototype.toString.call(obj).slice(8, -1).toLowerCase();
}
TypeOf("String") === "string"
TypeOf(new String("String")) === "string"
TypeOf(true) === "boolean"
TypeOf(new Boolean(true)) === "boolean"
TypeOf({}) === "object"
TypeOf(function(){}) === "function"
不要使用obj.constructor
,因为它会被更改,尽管可能能够使用instanceof
查看它是否正确:
function CustomObject() {
}
var custom = new CustomObject();
//Check the constructor
custom.constructor === CustomObject
//Now, change the constructor property of the object
custom.constructor = RegExp
//The constructor property of the object is now incorrect
custom.constructor !== CustomObject
//Although instanceof still returns true
custom instanceof CustomObject === true
答案 1 :(得分:1)
您可以使用typeof
例如:typeof("Hello")