美文网首页
js中数据类型检测方法

js中数据类型检测方法

作者: zhangjianli | 来源:发表于2017-02-12 20:38 被阅读0次

    javascript中有五种检测数据类型的方法,分别为 typeof运算符 constructor方法 instanceof运算符 object.prototype.toString方法和Array.isArray(用于检测数组),下面分别介绍以上几种方法

    1. typeof运算符:
      是js原生提供的运算符,比较常用,返回一个表示参数的数据类型的字符串
     var a="javascript";
     console.log(typeof(a));//String
    

    typeof运算符返回值总结:
    | 数据类型 | 返回值 |
    |undefined | "undefined" |
    |null | "object"|
    |boolean | "boolean"|
    |number | "number"|
    String |"string"
    function | "function"
    array | "object"
    由此可见,当想要检测数组和null 时都返回object,因此不可用typeof检测数组

    1. constructor方法:
      利用constructor方法检测数组:实例化的数组拥有一个constructor属性,这个属性指向生成这个数组的方法
      例如:
    var a=[];
    console.log(a.constructor);//function Array(){[native code]}
    

    可以看出,数组是由Array函数实例化的
    其他类型测试代码如下:

    var a={};
    console.log(a.constructor);//function Object(){[native code]}
    var b=/^[0-9]$/;
    console.log(b.constructor);//function RegExp(){[native code]}
    var c=null;
    console.log(c.constructor);//报错
    

    此方法可以用来测试数组,例如:

    var a=[];
    console.log(a.constructor==Array);//true
    

    但是用construtor测试数组是不一定准确的,因为constuctor属性可以被修改,修改后将返回被修改后类型

    1. instanceof运算符
      instanceof运算符用来判断某个构造函数的prototype属性所指的对象是否存在于另外一个要检测对象的原型链上,是用来分辨数组和对象的好方法,语法:object instanceof constructor
      例如:
    var a=[];
    var b={};
    console.log(a instanceof Array);//true
    console.log(a instanceof Object);//true
    console.log(b instanceof Object);//true
    console.log(b instanceof Array);//false
    
    1. Object的toString方法
      使用Object.prototype.toString()方法来判断,每一个继承自Object的对象都有toString方法,除对象类型以外类型toString都返回其值,所以需要利用call,apply方法来改变toString方法的执行上下文
      例如:
    var a=['hello','world'];
    var b={0:'hello',1:'world'};
    var c="hello world";
    Object.prototype.toString.call(a);//"[object Array]"
    Object.prototype.toString.call(b);//"[object Object]"
    Object.prototype.toString.call(c);//"[object String]"
    
    1. Array.isArray()方法:
      几乎是最靠谱的测试数据类型是否为数组的方法
      例如:
    var a=[];
    var b={};
    console.log(Array.isArray(a));//true
    console.log(Array.isArray(b));//false
    

    相关文章

      网友评论

          本文标题:js中数据类型检测方法

          本文链接:https://www.haomeiwen.com/subject/svwaittx.html