获取关联数组的关键字

时间:2012-06-07 17:00:07

标签: javascript jquery arrays

您好我正在使用.each

获取数组
$.each(messages, function(key,message){ doStuff(); });

但关键是数组的索引而不是关联键。

我怎样才能轻松搞定?

由于

3 个答案:

答案 0 :(得分:19)

JavaScript没有“关联数组”。它有数组:

[1, 2, 3, 4, 5]

和对象:

{a: 1, b: 2, c: 3, d: 4, e: 5}

数组没有“键”,它们有索引,从0开始计算。

使用[]访问数组,可以使用[].访问对象。

示例:

var array = [1,2,3];
array[1] = 4;
console.log(array); // [1,4,3]

var obj = {};
obj.test = 16;
obj['123'] = 24;
console.log(obj); // {test: 16, 123: 24}

如果尝试使用字符串作为键而不是int来访问数组,则可能会导致问题。您将设置数组的属性而不是值。

var array = [1,2,3];
array['test'] = 4; // this doesn't set a value in the array
console.log(array); // [1,2,3]
console.log(array.test); // 4

jQuery的$.each适用于这两种方法。在$.each的回调中,第一个参数key是对象的键或数组的索引。

$.each([1, 2, 3, 4, 5], function(key, value){
    console.log(key); // logs 0 1 2 3 4
});

$.each({a: 1, b: 2, c: 3, d: 4, e: 5}, function(key, value){
    console.log(key); // logs 'a' 'b' 'c' 'd' 'e'
});

答案 1 :(得分:9)

var data = {
    val1 : 'text1',
    val2 : 'text2',
    val3 : 'text3'
};
$.each(data, function(key, value) {
    alert( "The key is '" + key + "' and the value is '" + value + "'" );
});
​

请参阅Demo

答案 2 :(得分:0)

JavaScript没有PHP中的“关联数组”,而是对象。但是,对象可能具有与值对应的字符串键。数组是以数字索引的值列表,因此,如果key是数字,则它必须是您正在使用的数组而不是对象,因此您无法获取密钥,因为没有。

因此,您可能希望使用简单的for循环而不是基于回调的迭代器(例如$.each)迭代数组。