通常我们判断类型是typeof 但是并不精确,只能区分类型 “number”,”string”,”undefined”,”boolean”,”object” 五种。对于数组、函数、对象来说,其关系错综复杂,使用 typeof 都会统一返回 “object” 字符串。
所以JavaScript提供了 Object,prototype.toString.call() 来判断 ,它可以给出数据的确切类型,相比typeof要精确。
<script>
var str = '123';
var arr = [];
var obj = {
name:'hao',
age: 18
};
var num = 5;
var bool = false;
var fun = function(){
}
console.log(typeof arr) // object
console.log(Object.prototype.toString.call(arr)); // [object Array]
console.log(Object.prototype.toString.call(arr).slice(8,-1)); // Array
function isString(o){
return Object.prototype.toString.call(o).slice(8,-1) === "String";
}
console.log(isString(arr))
</script>