JS——数据类型及判断

原始的数据类型(五种)

String(字符串)、Number(数字)、Boolean(布尔值)、Null(空)、Undefined(未定义)

引用数据类型

Object、Array、Function

判断数据类型

typeof

返回值有6种,都是字符串形式
String、Number、Boolean、Undefined、Object、Function

console.log(typeof(123))    // Number
console.log(typeof('abc'))  // String
console.log(typeof(true))   // Boolean
console.log(typeof(undefined)) // Undefined
console.log(typeof(null))   // Object,历史遗留问题,null类型被当做一个空对象引用
console.log(typeof({
      }))    // Object
console.log(typeof([ ]))    // Object
console.log(typeof(console.log()))  // Undefined
function sum() {
     }
console.log(typeof(sum))    // Function
console.log(typeof([1, 2])) // Object

typeof的缺陷:
无法正确判断数组,判断结果为Object。
无法判断null类型,判断结果为Object。

instanceof

用来判断某个构造函数的 prototype 属性所指向的对象是否存在于另外一个要检测对象的原型链上

console.log(({
     }) instanceof Object)              // true
console.log((null) instanceof Object)            // false
console.log(([]) instanceof Array)               // true
console.log((/aa/g) instanceof RegExp)           // true
console.log((function(){
     }) instanceof Function)  // true

Object.prototype.toString.call(需要检查的对象)

console.log(Object.prototype.toString.call(null)) // [object Null]
console.log(Object.prototype.toString.call({
      })) // [object Object]
console.log(Object.prototype.toString.call([ ])) // [object Array]
console.log(Object.prototype.toString.call(sayIntroduce)) // [object Function]
console.log(Object.prototype.toString.call(undefined)) // [object Undefined]
console.log(Object.prototype.toString.call('abc'))// [object String]
console.log(Object.prototype.toString.call(123)) // [object Number]
console.log(Object.prototype.toString.call(true)) // [object Boolean]

你可能感兴趣的:(javascript,js)