0

我的程序根据一天中的时间创建一个包含 5000 到 60000 条记录的数组列表。我想将它拆分为尽可能多的数组列表,每个数组列表将有 1000 条记录。我在网上查看了许多示例并尝试了一些方法,但遇到了奇怪的问题。你能给我看一个例子吗?

问候!

4

2 回答 2

2
  public static <T> Collection<Collection<T>> split(Collection<T> bigCollection, int maxBatchSize) {
    Collection<Collection<T>> result = new ArrayList<Collection<T>>();

    ArrayList<T> currentBatch = null;
    for (T t : bigCollection) {
      if (currentBatch == null) {
        currentBatch = new ArrayList<T>();
      } else if (currentBatch.size() >= maxBatchSize) {
        result.add(currentBatch);
        currentBatch = new ArrayList<T>();
      }

      currentBatch.add(t);
    }

    if (currentBatch != null) {
      result.add(currentBatch);
    }

    return result;
  }

下面是我们如何使用它(假设电子邮件是一个大的电子邮件地址数组列表:

Collection<Collection<String>> emailBatches = Helper.split(emails, 500);
    for (Collection<String> emailBatch : emailBatches) {
        sendEmails(emailBatch);
        // do something else...
        // and something else ...
    }
}

emailBatch 将像这样遍历集合:

private static void sendEmails(Collection<String> emailBatch){
    for(String email: emailBatch){
        // send email code here.
    }
}
于 2012-07-16T01:42:20.923 回答
1

您可以使用subList http://docs.oracle.com/javase/6/docs/api/java/util/List.html#subListList拆分您的ArrayList. 子列表将为您提供原始列表的视图。如果您真的想创建一个与旧列表分开的新列表,您可以执行以下操作:

int index = 0;
int increment = 1000;
while ( index < bigList.size() ) {
   newLists.add(new ArrayList<Record>(bigList.subList(index,index+increment));
   index += increment;
}

请注意,您必须在此处检查一个错误。这只是一个快速的伪代码示例。

于 2012-07-16T01:27:31.720 回答