在线时间:8:00-16:00
迪恩网络APP
随时随地掌握行业动态
扫描二维码
关注迪恩网络微信公众号
前言: 日常的开发中,我们经常会遇到判断一个变量的数据类型或者该变量是否为空值的情况,你是如何去选择判断类型的操作符的?本文来总结记录一下我们开发人员必须掌握的关于 1、typeof 操作符
(1)返回值为字符串类型,其中:
(2)常见使用方法 console.log(typeof undefined);//'undefined' console.log(typeof true);//'bpplean' console.log(typeof ("number")); //'string' console.log(typeof "number"); //'string' console.log(typeof 1);//'number' console.log(typeof Symbol());//'symbol' //对于Array,Null等特殊对象使用typeof一律返回object,这正是typeof的局限性 console.log(typeof null); //'object' console.log(typeof [1, 2, 3]);//'object' console.log(typeof undefined); //'undefined' //通过 typeof 操作符来区分函数和其他对象 function f1() { console.log(111); } console.log(typeof f1); //'function' console.log(typeof f1()); // 111 'undefined' (3)不能通过typeof 来判断一个变量是否存在 var a; if (a === undefined) { console.log("变量不存在") } else { console.log("变量存在") } // 变量不存在 2、instanceof 操作符
function f1() { console.log(111); } console.log(f1 instanceof Object);//true console.log(f1 instanceof Function);//true console.log(f1 instanceof RegExp);//false 所有引用值都是
function myInstanceof(left, right) { let proto = Object.getPrototypeOf(left), // 获取对象的原型 prototype = right.prototype; // 获取构造函数的 prototype 对象 // 判断构造函数的 prototype 对象是否在对象的原型链上 while (true) { if (!proto) return false; if (proto === prototype) return true; proto = Object.getPrototypeOf(proto); } } 3、typeof 和 instanceof 的区别以及开发中的使用建议
可以看到,上述两种方法都有弊端,并不能满足所有场景的需求 如果需要通用检测数据类型,建议采用 console.log(Object.prototype.toString.call(undefined)) //"[object Undefined]" console.log(Object.prototype.toString.call(true)) // "[object Boolean]" console.log(Object.prototype.toString.call('1')) // "[object String]" console.log(Object.prototype.toString.call(1)) // "[object Number]" console.log(Object.prototype.toString.call(Symbol())) // "[object Symbol]" console.log(Object.prototype.toString.call({})) // "[object Object]" console.log(Object.prototype.toString.call(function () { })) // "[object Function]" console.log(Object.prototype.toString.call([])) //"[object Array]" console.log(Object.prototype.toString.call(null)) //"[object Null]" console.log(Object.prototype.toString.call(/123/g)) //"[object RegExp]" console.log(Object.prototype.toString.call(new Date())) //"[object Date]" 总结: 到此这篇关于关于 |
请发表评论