题目:如何判断一个js对象是否是Array,arr为要判断的对象,其中最准确的方法是?
A. typeof(arr)
B. arr instanceof Array
C. arr.toString==='[object Array]';
D. Object.prototype.toString.call(arr) === '[object Array]';
在开发中,我们经常需要判断某个对象是否为数组类型,在Js中检测对象类型的常见方法都有哪些呢?
typeof操作符
typeof操作符可能返回下列某个字符串:
-
"undefined"
—— 值未定义 "boolean"
-
"string"
(小写) "number"
-
"object"
—— 这个值是对象或者null
"function"
typeof []; // "object"
- 对于Function, String, Number ,Undefined 等几种类型的对象来说,他完全可以胜任,但是为Array时,就会得到object。
- 这是因为:数组属于js对象,用此操作符检测只能返回
"object"
instanceof操作符
instanceof 运算符用来测试一个对象在其原型链中是否存在一个构造函数的 prototype 属性。
语法
object instanceof constructor
//object需检测对象
//constructor某个构造函数
描述
instanceof 运算符用来检测 constructor.prototype
是否存在于参数 object 的原型链上。
instanceof和多全局对象(多个frame或多个window之间的交互)
在浏览器中,我们的脚本可能需要在多个窗口之间进行交互。多个窗口意味着多个全局环境,不同的全局环境拥有不同的全局对象,从而拥有不同的内置类型构造函数。这可能会引发一些问题。
比如,表达式[] instanceof window.frames[0].Array会返回false,因为 Array.prototype !== window.frames[0].Array.prototype,因此你必须使用 Array.isArray(myObj) 或者 Object.prototype.toString.call(myObj) === "[object Array]"来判断myObj是否是数组。
- 栗子
//1.正常情况下
[] instanceof Array //true
//2.多个frame交互时——就会产生大问题了。
var iframe = document.createElement('iframe');
document.body.appendChild(iframe);
xArray = window.frames[window.frames.length-1].Array;
var arr = new xArray("1","2","3","4","5");//这个写法IE大哥下是不支持的,FF下才有
alert(arr instanceof Array); // false
alert(arr.constructor === Array); // false
//3.万全判断方法
Array.isArray(arr); // true
Object.prototype.toString.call(arr) === "[object Array]" ; //true
- 当检测Array实例时, Array.isArray 优于 instanceof,因为Array.isArray能检测iframes.
Object.prototype.toString.call(obj)
ECMA-262 写道
Object.prototype.toString( ) When the toString method is called, the following steps are taken:
- Get the [[Class]] property of this object.
- Compute a string value by concatenating the three strings “[object “, Result (1), and “]”.
- Return Result (2)
上面的规范定义了Object.prototype.toString的行为:
首先,取得对象的一个内部属性[[Class]],然后依据这个属性,返回一个类似于"[object Array]"的字符串作为结果(看过ECMA标准的应该都知道,[[]]用来表示语言内部用到的、外部不可直接访问的属性,称为“内部属性”)。利用这个方法,再配合call,我们可以取得任何对象的内部属性[[Class]],然后把类型检测转化为字符串比较,以达到我们的目的。还是先来看看在ECMA标准中Array的描述吧。
ECMA-262 写道
new Array([ item0[, item1 [,…]]])
The [[Class]] property of the newly constructed object is set to “Array”
- 于是:
if (!Array.isArray) {
Array.isArray = function(arg) {
return Object.prototype.toString.call(arg) === '[object Array]';
};
}
- 分析:
call改变toString的this引用为待检测的对象,返回此对象的字符串表示,然后对比此字符串是否是'[object Array]',以判断其是否是Array的实例。也许你要问了,为什么不直接o.toString()?嗯,虽然Array继承自Object,也会有toString方法,但是这个方法有可能会被改写而达不到我们的要求,而Object.prototype则是老虎的屁股,很少有人敢去碰它的,所以能一定程度保证其“纯洁性”:)
与前面几个方案不同,这个方法很好的解决了跨frame对象构建的问题,经过测试,各大浏览器兼容性也很好,可以放心使用。一个好消息是,很多框架,比如jQuery、Base2等等,都计划借鉴此方法以实现某些特殊的,比如数组、正则表达式等对象的类型判定,不用我们自己写了。
另外ECMA已经换成这样的写法:
isArray : function(v){
return toString.apply(v) === '[object Array]';
}