我正在接收由数字索引聚合的 json 数据。
例如,当我在我的 forloop 中时,索引可能从 1 开始,这意味着在我的 forloop 中会发生错误,因为 0 不存在。
如何检查 javascript 数组中是否存在数字索引?
我正在接收由数字索引聚合的 json 数据。
例如,当我在我的 forloop 中时,索引可能从 1 开始,这意味着在我的 forloop 中会发生错误,因为 0 不存在。
如何检查 javascript 数组中是否存在数字索引?
var a = [1, 2, 3], index = 2;
if ( a[index] !== void 0 ) { /* void 0 === undefined */
/* See concern about ``undefined'' below. */
/* index doesn't point to an undefined item. */
}
你应该可以使用for(key in data)
var data = [];
data[1] = 'a';
data[3] = 'b';
for(var index in data) {
console.log(index+":"+data[index]);
}
//Output:
// 1-a
// 3-b
如果索引不连续,它将遍历数据中的每个关键项。
如果您实际描述的是 anObject
而不是Array
, 而是数组,因为它具有uint32_t的属性但不存在基本length
属性。然后你可以将它转换成这样的真实数组。浏览器兼容性明智,这需要支持hasOwnProperty
Javascript
function toArray(arrayLike) {
var array = [],
i;
for (i in arrayLike) {
if (Object.prototype.hasOwnProperty.call(arrayLike, i) && i >= 0 && i <= 4294967295 && parseInt(i) === +i) {
array[i] = arrayLike[i];
}
}
return array;
}
var object = {
1: "a",
30: "b",
50: "c",
},
array = toArray(object);
console.log(array);
输出
[1: "a", 30: "b", 50: "c"
]`
好的,现在您有一个人口稀少的数组,并且想要使用for
循环来做某事。
Javascript
var array = [],
length,
i;
array[1] = "a";
array[30] = "b";
array[50] = "c";
length = array.length;
for (i = 0; i < length; i += 1) {
if (Object.prototype.hasOwnProperty.call(array, i)) {
console.log(i, array[i]);
}
}
输出
1 "a"
30 "b"
50 "c"
或者,Array.prototype.forEach
如果您的浏览器支持它,或者我链接的 MDN 页面上给出的可用 shim 或es5_shim ,您可以使用它
Javascript
var array = [];
array[1] = "a";
array[30] = "b";
array[50] = "c";
array.forEach(function (element, index) {
console.log(index, element);
});
输出
1 "a"
30 "b"
50 "c"