9

在 JavaScript 中,我试图转换具有相似键的对象数组:

[{'a':1,'b':2}, {'a':3,'b':4}, {'a':5,'b':6,'c':7}]

到具有每个键的值数组的对象:

{'a':[1,3,5], 'b':[2,4,6], 'c':[7]};

使用 underscore.js 1.4.2。

我在下面有一些工作代码,但感觉比编写嵌套的 for 循环更长更笨重。

有没有更优雅的方式在下划线中做到这一点?我缺少一些简单的东西吗?

console.clear();

var input = [{'a':1,'b':2},{'a':3,'b':4},{'a':5,'b':6,'c':7}];
var expected = {'a':[1,3,5], 'b':[2,4,6], 'c':[7]};

// Ok, go
var output = _(input)
.chain()
// Get all object keys
.reduce(function(memo, obj) {
    return memo.concat(_.keys(obj));
}, [])
// Get distinct object keys
.uniq()
// Get object key, values
.map(function(key) {
    // Combine key value variables to an object  
    // ([key],[[value,value]]) -> {key: [value,value]}
    return _.object(key,[
        _(input)
        .chain()
        // Get this key's values
        .pluck(key)
        // Filter out undefined
        .compact()
        .value()
    ]);
})
// Flatten array of objects to a single object
// [{key1: [value]}, {key2, [values]}] -> {key1: [values], key2: [values]}
.reduce(function(memo, obj) {
    return _.extend(memo, obj);
}, {})
.value();

console.log(output);
console.log(expected);
console.log(_.isEqual(output, expected));

谢谢

4

3 回答 3

8

听起来你想要zip对象。这将是对象的类似方法:

_.transpose = function(array) {
    var keys = _.union.apply(_, _.map(array, _.keys)),
        result = {};
    for (var i=0, l=keys.length; i<l; i++) {
        var key = keys[i];
        result[key] = _.pluck(array, key);
    }
    return result;
};

但是,我只会使用

_.transpose = function(array) {
    var result = {};
    for (var i=0, l=array.length; i<l)
        for (var prop in array[i]) 
             if (prop in result)
                 result[prop].push(array[i][prop]);
             else
                 result[prop] = [ array[i][prop] ];
    return result;
};

根本没有任何下划线:-)当然,您可以使用一些迭代器方法,它可能看起来像

_.reduce(array, function(map, obj) {
    return _.reduce(obj, function(map, val, key) {
        if (key in map)
            map[key].push(val)
        else
            map[key] = [val];
        return map;
    }, map);
}, {});
于 2012-11-13T00:36:11.170 回答
1

您可以使用 lodash 的 zipObject 方法:https ://lodash.com/docs#zipObject

于 2015-03-08T19:15:43.887 回答
0

你需要 3 行 lodash:

_.merge.apply(null, _.union([{}], myArrayOfObjects, [function (a, b) {
    return _.compact(_.flatten([a, b]));
}]))

有关该函数作用的更多详细信息,请参阅的文档。_.merge

于 2015-09-03T08:03:21.547 回答