24

Underscore.js を使用して、アイテムのリストを複数回グループ化しようとしています。

SIZE ごとにグループ化し、各 SIZE ごとに CATEGORY ごとにグループ化...

http://jsfiddle.net/rickysullivan/WTtXP/1/

理想的には、_.groupBy()グループ化するパラメーターを使用して配列をスローできるように、関数または拡張が必要です。

var multiGroup = ['size', 'category'];

おそらくミックスインを作ることができます...

_.mixin({
    groupByMulti: function(obj, val, arr) {
        var result = {};
        var iterator = typeof val == 'function' ? val : function(obj) {
                return obj[val];
            };
        _.each(arr, function(arrvalue, arrIndex) {
            _.each(obj, function(value, objIndex) {
                var key = iterator(value, objIndex);
                var arrresults = obj[objIndex][arrvalue];
                if (_.has(value, arrvalue))
                    (result[arrIndex] || (result[arrIndex] = [])).push(value);

頭が痛いけど、ここはもう少し押し込む必要があると思う...

            });
        })
        return result;
    }
});

properties = _.groupByMulti(properties, function(item) {

    var testVal = item["size"];

    if (parseFloat(testVal)) {
        testVal = parseFloat(item["size"])
    }

    return testVal

}, multiGroup);
4

9 に答える 9

41

単純な再帰的実装:

_.mixin({
  /*
   * @mixin
   *
   * Splits a collection into sets, grouped by the result of running each value
   * through iteratee. If iteratee is a string instead of a function, groups by
   * the property named by iteratee on each of the values.
   *
   * @param {array|object} list - The collection to iterate over.
   * @param {(string|function)[]} values - The iteratees to transform keys.
   * @param {object=} context - The values are bound to the context object.
   * 
   * @returns {Object} - Returns the composed aggregate object.
   */
  groupByMulti: function(list, values, context) {
    if (!values.length) {
      return list;
    }
    var byFirst = _.groupBy(list, values[0], context),
        rest    = values.slice(1);
    for (var prop in byFirst) {
      byFirst[prop] = _.groupByMulti(byFirst[prop], rest, context);
    }
    return byFirst;
  }
});

あなたのjsfiddleでのデモ

于 2012-12-13T21:48:50.577 に答える
17

@Bergiの答えは、Lo-Dashを利用することで少し合理化できると思いますmapValues (オブジェクト値に関数をマッピングするため)。これにより、ネストされた方法で複数のキーによって配列内のエントリをグループ化できます。

_ = require('lodash');

var _.nest = function (collection, keys) {
  if (!keys.length) {
    return collection;
  }
  else {
    return _(collection).groupBy(keys[0]).mapValues(function(values) { 
      return nest(values, keys.slice(1));
    }).value();
  }
};

メソッドの名前を に変更しました。これは、D3 のネストオペレーターnestが提供する役割とほとんど同じ役割を果たせるためです。詳細についてはこの要点を参照し、例での使用例についてはこのフィドルを参照してください。

于 2014-03-28T15:27:47.370 に答える
16

このかなり単純なハックはどうですか?

console.log(_.groupBy(getProperties(), function(record){
    return (record.size+record.category);
}));
于 2013-08-22T18:48:39.177 に答える
1

このアンダースコア拡張機能を確認してください: Irene Ros によるUnderscore.Nest 。

この拡張機能の出力は、指定したものとは少し異なりますが、モジュールは約 100 行のコードしかないため、スキャンして方向を取得できるはずです。

于 2012-12-13T21:15:54.973 に答える
0

lodash と mixin の例

_.mixin({
'groupByMulti': function (collection, keys) {
if (!keys.length) {
 return collection;
 } else {
  return _.mapValues(_.groupBy(collection,_.first(keys)),function(values) {
    return _.groupByMulti(values, _.rest(keys));
  });
}
}
});    
于 2015-07-17T12:09:02.990 に答える
0

分かりやすい機能をご紹介します。

function mixin(list, properties){

    function grouper(i, list){

        if(i < properties.length){
            var group = _.groupBy(list, function(item){
                var value = item[properties[i]];
                delete item[properties[i]];
                return value;
            });

            _.keys(group).forEach(function(key){
                group[key] = grouper(i+1, group[key]);
            });
            return group;
        }else{
            return list;
        }
    }

    return grouper(0, list);

}
于 2016-08-29T18:51:15.580 に答える
0

これは、map-reduceのreduceフェーズの優れた使用例です。マルチグループ関数ほど視覚的に洗練されたものにはなりません (グループ化するキーの配列を渡すことはできません) が、全体として、このパターンはデータをより柔軟に変換できます。

var grouped = _.reduce(
    properties, 
    function(buckets, property) {
        // Find the correct bucket for the property
        var bucket = _.findWhere(buckets, {size: property.size, category: property.category});

        // Create a new bucket if needed.
        if (!bucket) {
            bucket = {
                size: property.size, 
                category: property.category, 
                items: []
            };
            buckets.push(bucket);
        }

        // Add the property to the correct bucket
        bucket.items.push(property);
        return buckets;
    }, 
    [] // The starting buckets
);

console.log(grouped)

しかし、アンダースコアミックスインでそれが必要な場合は、ここに私の刺し傷があります:

_.mixin({
'groupAndSort': function (items, sortList) {
    var grouped = _.reduce(
        items,
        function (buckets, item) {
            var searchCriteria = {};
            _.each(sortList, function (searchProperty) { searchCriteria[searchProperty] = item[searchProperty]; });
            var bucket = _.findWhere(buckets, searchCriteria);

            if (!bucket) {
                bucket = {};
                _.each(sortList, function (property) { bucket[property] = item[property]; });
                bucket._items = [];
                buckets.push(bucket);
            }

            bucket._items.push(item);
            return buckets;
        },
        [] // Initial buckets
    );

    grouped.sort(function (x, y) {
        for (var i in sortList) {
            var property = sortList[i];
            if (x[property] != y[property])
                return x[property] > y[property] ? 1 : -1;
        }
        return 0;
    });

    return _.map(grouped, function (group) {
        var toReturn = { key: {}, value: group.__items };
        _.each(sortList, function (searchProperty) { toReturn.key[searchProperty] = group[searchProperty]; });
        return toReturn;
    });
});
于 2013-11-12T23:36:59.257 に答える
0

ベルギの方法に対するジョイレクサスによる改善は、アンダースコア/ロダッシュ ミックスイン システムを利用していません。ここでは、ミックスインとして次のとおりです。

_.mixin({
  nest: function (collection, keys) {
    if (!keys.length) {
      return collection;
    } else {
      return _(collection).groupBy(keys[0]).mapValues(function(values) {
        return _.nest(values, keys.slice(1));
      }).value();
    }
  }
});
于 2015-05-07T02:21:40.243 に答える