根据Java中的元素属性将列表拆分为多个子列表

时间:2016-02-20 10:33:48

标签: java collections apache-commons

有没有办法将列表拆分为多个列表?根据元素的特定条件将列表分成两个或多个列表。

final List<AnswerRow> answerRows= getAnswerRows(.........);
final AnswerCollection answerCollections = new AnswerCollection();
answerCollections.addAll(answerRows);

The AnswerRow has properties like rowId, collectionId

基于collectionId我想创建一个或多个AnswerCollections

2 个答案:

答案 0 :(得分:8)

如果您只想按collectionId对元素进行分组,可以尝试类似

的内容
List<AnswerCollection> collections = answerRows.stream()
    .collect(Collectors.groupingBy(x -> x.collectionId))
    .entrySet().stream()
    .map(e -> { AnswerCollection c = new AnswerCollection(); c.addAll(e.getValue()); return c; })
    .collect(Collectors.toList());

以上代码将为AnswerCollection生成一个collectionId

使用Java 6和Apache Commons Collections,以下代码使用Java 8流产生与上述代码相同的结果:

ListValuedMap<Long, AnswerRow> groups = new ArrayListValuedHashMap<Long, AnswerRow>();
for (AnswerRow row : answerRows)
    groups.put(row.collectionId, row);
List<AnswerCollection> collections = new ArrayList<AnswerCollection>(groups.size());
for (Long collectionId : groups.keySet()) {
    AnswerCollection c = new AnswerCollection();
    c.addAll(groups.get(collectionId));
    collections.add(c);
}

答案 1 :(得分:2)

  

有没有办法将列表拆分为多个列表?

是的,你可以这样做:

answerRows.subList(startIndex, endIndex);
  

根据列表的特定条件将列表分为两个或更多列表   元件。

您必须根据具体情况计算startend索引,然后使用上述函数将子列表从ArrayList中删除。

例如,如果您想将1000 answerRows批量传递给特定功能,那么您可以执行以下操作:

int i = 0;
for(; i < max && i < answerRows.size(); i++) {
    if((i+1) % 1000 == 0) {
        /* Prepare SubList & Call Function */
        someFunction(answerRows.subList(i, i+1000));
    }
}
/* Final Iteration */
someFunction(answerRows.subList(i, answerRows.size() - 1));