3

我有以下从 API 接收的对象:

{
   '2012-12-12': [
       { 'id': 1234,
         'type': 'A' },
       { 'id': 1235,
         'type': 'A' },
       { 'id': 1236,
         'type': 'B' },
    ],
   '2012-12-13': [
       { 'id': 1237,
         'type': 'A' },
       { 'id': 1238,
         'type': 'C' },
       { 'id': 1239,
         'type': 'B' },
    ]
}

然后我想要另一个名为typestype的变量Array,它将保存每个type对象的属性的每个可能值。在这种情况下,它将是:

types = ['A', 'B', 'C']

我试图以一种功能性的方式完成它(我正在使用 underscore.js),但我无法找到一种方法。现在我正在使用

types = [];
_.each(response, function(arr1, key1) {
    _.each(arr1, function(arr2, key2) {
        types.push(arr2.type);
    });
});
types = _.uniq(types);

但这非常难看。你能帮我找出更好的方法来编写这段代码吗?

谢谢!

4

2 回答 2

5

这应该有效:

types = _.chain(input) // enable chaining
  .values()            // object to array
  .flatten()           // 2D array to 1D array
  .pluck("type")       // pick one property from each element
  .uniq()              // only the unique values
  .value()             // get an unwrapped array

小提琴:http: //jsfiddle.net/NFSfs/

当然,如果您愿意,可以删除所有空格:

types = _.chain(input).values().flatten().pluck("type").uniq().value()

或没有链接:

types = _.uniq(_.pluck(_.flatten(_.values(input)),"type"));

flatten 似乎适用于对象,即使文档明确指出它不应该。如果您希望针对实现进行编码,可以省略对 的调用values,但我不建议这样做。实现可能有一天会改变,让你的代码神秘地坏掉。

于 2013-02-12T21:45:30.100 回答
1

如果您只想要更短的代码,您可以将对象扁平化为单个数组,然后映射该数组。

var types = _.unique(_.map(_.flatten(_.toArray(response)), function(arr) {
    return arr.type;
}));

这是另一个版本。主要是为了好奇。

var types = _.unique(_.pluck(_.reduce(response, _.bind(Function.apply, [].concat), []), "type"));

这是另一个。

var types = _.unique(_.reduce(response, function(acc, arr) {
    return acc.concat(_.pluck(arr,"type"));
}, []));

还有一个。

var types = _.unique(_.pluck([].concat.apply([], _.toArray(response)), "type"))
于 2013-02-12T21:51:38.317 回答