标签:
在JavaScript中所有数据类型严格意义上都是对象,但实际使用中我们还是有类型之分,如果要判断一个变量是数组还是对象使用typeof搞不定,因为它全都返回object
1
2
3
4
5
6
|
var o = { ‘name‘ : ‘lee‘ }; var a = [ ‘reg‘ , ‘blue‘ ]; document.write( ‘ o typeof is ‘ + typeof o); document.write( ‘ <br />‘ ); document.write( ‘ a typeof is ‘ + typeof a); |
执行:
o typeof is object
a typeof is object
因此,我们只能放弃这种方法,要判断是数组or对象有两种方法
数组有length属性,object没有,而typeof数组与对象都返回object,所以我们可以这么判断
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
var o = { ‘name‘ : ‘lee‘ }; var a = [ ‘reg‘ , ‘blue‘ ]; var getDataType = function (o){ if ( typeof o == ‘object‘ ){ if ( typeof o.length == ‘number‘ ){ return ‘Array‘ ; } else { return ‘Object‘ ; } } else { return ‘param is no object type‘ ; } }; alert( getDataType(o) ); // Object alert( getDataType(a) ); // Array alert( getDataType(1) ); // param is no object type alert( getDataType( true ) ); // param is no object type alert( getDataType( ‘a‘ ) ); // param is no object type |
使用instanceof可以判断一个变量是不是数组,如:
1
2
3
4
5
|
var o = { ‘name‘ : ‘lee‘ }; var a = [ ‘reg‘ , ‘blue‘ ]; alert( a instanceof Array ); // true alert( o instanceof Array ); // false |
也可以判断是不是属于object
1
2
3
4
5
|
var o = { ‘name‘ : ‘lee‘ }; var a = [ ‘reg‘ , ‘blue‘ ]; alert( a instanceof Object ); // true alert( o instanceof Object ); // true |
但数组也是属于object,所以以上两个都是true,因此我们要利用instanceof判断数据类型是对象还是数组时应该优先判断array,最后判断object
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
var o = { ‘name‘ : ‘lee‘ }; var a = [ ‘reg‘ , ‘blue‘ ]; var getDataType = function (o){ if (o instanceof Array){ return ‘Array‘ } else if ( o instanceof Object ){ return ‘Object‘ ; } else { return ‘param is no object type‘ ; } }; alert( getDataType(o) ); // Object alert( getDataType(a) ); // Array alert( getDataType(1) ); // param is no object type alert( getDataType( true ) ); // param is no object type alert( getDataType( ‘a‘ ) ); // param is no object type |
如果你不优先判断Array,比如:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
var o = { ‘name‘ : ‘lee‘ }; var a = [ ‘reg‘ , ‘blue‘ ]; var getDataType = function (o){ if (o instanceof Object){ return ‘Object‘ } else if ( o instanceof Array ){ return ‘Array‘ ; } else { return ‘param is no object type‘ ; } }; alert( getDataType(o) ); // Object alert( getDataType(a) ); // Object alert( getDataType(1) ); // param is no object type alert( getDataType( true ) ); // param is no object type alert( getDataType( ‘a‘ ) ); // param is no object type |
那么数组也会被判断为object。
length 属性可设置或返回数组中元素的数目。
arrayObject.length
数组的 length 属性总是比数组中定义的最后一个元素的下标大 1。对于那些具有连续元素,而且以元素 0 开始的常规数组而言,属性 length 声明了数组中的元素的个数。
数组的 length 属性在用构造函数 Array() 创建数组时被初始化。给数组添加新元素时,如果必要,将更新 length 的值。
设置 length 属性可改变数组的大小。如果设置的值比其当前值小,数组将被截断,其尾部的元素将丢失。如果设置的值比它的当前值大,数组将增大,新的元素被添加到数组的尾部,它们的值为 undefined。
标签:
原文地址:http://www.cnblogs.com/loewe0202/p/5657239.html