0

对 javascript 不熟悉,因此试图将我的头脑围绕在使用不同的数据结构上。

得到了一组对象,例如:

{id:1234, photo:"pathtosomejpg"}
{id:1234, photo:"pathtosomejpg2"}
{id:1234, photo:"pathtosomejpg3"}
{id:2234, photo:"pathtosomejpg4"}
{id:2235, photo:"pathtosomejpg5"}

完成循环后,我想获得一个以 为键的二维数组,该值是与该 id 匹配id的所有值的数组。photo

这是我尝试过的:

var groupedImages = [];
var innerAlbumPhotos = [];

// foreach obj in collection
if groupedImages.hasOwnProperty(obj.id.toString())
 innerAlbumPhotos = groupedImages[obj.id.toString()];

innerAlbumPhotos.push(obj.photo);

groupedImages[obj.id.toString()] = innerAlbumPhotos;

如何创建此处描述的数据结构?

4

3 回答 3

1

尝试以下操作:

var results = [];
arr.forEach(function( v ) {
  var target = results[ v.id ];
  target 
    ? target.push( v.photo ) 
    : ( results[ v.id ] = [ v.photo ] );
});

演示:http: //jsfiddle.net/elclanrs/YGNZE/4/

于 2012-11-09T02:08:54.887 回答
0

我会为数组的每个元素使用一个循环。如果 id 不存在,我为它创建一个新数组,如果 id 存在,我将照片添加到其中。

var data = [{id:1234, photo:"pathtosomejpg"},
    {id:1234, photo:"pathtosomejpg2"},
    {id:1234, photo:"pathtosomejpg3"},
    {id:2234, photo:"pathtosomejpg4"},
    {id:2235, photo:"pathtosomejpg5"}];

var result = [];
for (var i = 0; i < data.length; i++) {
    if (result[data[i].id]) {
        result[data[i].id].push(data[i].photo);
    } else {
        result[data[i].id] = [data[i].photo];
    }
}
于 2012-11-09T02:12:19.673 回答
0

javascript 中的数组没有键,因此如果设置 arr[1000] = 1,则数组将有 1000 个元素。所以你应该使用一个对象。

var photo_index = {};
function indexPhoto( photo_object ){
  if( !photo_index[photo_object.id] )
    photo_index[photo_object.id] = [];
  photo_index[ photo_object.id ].push( photo_object.photo );
}

然后,为您描述的所有对象调用 indexPhoto 。

于 2012-11-09T02:16:49.330 回答