我得到 1000 个元素对象的数组列表,我想创建一批 100 个元素。
如何在Java 8中以某种优雅的方式做到这一点?
我有以下实体要迭代,其大小为 1000:
List<CustomerAgreement> customerAgreement
现在我将在上面之后调用以下方法
customerAgreementDao.createAll(customerAgreement);
customerAgreementDao.flush();
如何从上面的实体创建批处理并在该批处理中调用上述两个方法?
当前的标准方法有点像:
Session session = sessionFactory.openSession();
Transaction tx = session.beginTransaction();
for ( int i=0; i<888888; i++ ) {
TableA record = new TableA();
record.setXXXX();
session.save(record)
if ( i % 50 == 0 ) {
session.flush();
session.clear();
}
}
tx.commit();
session.close();
我自己会使用List.subList
,因为我不太喜欢lambda;在我看来,它们通常会降低代码的可读性。
这应该有效 - 如果您不介意,我已经缩减了数组:
// create list as demo
var list = new ArrayList<String>();
for (int i = 0; i < 13; i++) {
list.add(Integer.toString(i));
}
int batchSize = 3;
// the code
int offset = 0;
while (offset < list.size()) {
// make sure the end offset doesn't go past the end
int endOffset = Math.min(offset + batchSize, list.size());
// call or add it to anything else, or even use streaming afterwards
System.out.println(list.subList(offset, endOffset));
offset = endOffset;
}
结果在
[0, 1, 2]
[3, 4, 5]
[6, 7, 8]
[9, 10, 11]
[12]
请注意,子列表不是副本,对列表中对象的任何更改都将反映在子列表中,而对原始列表的结构更改(调整大小(将导致,嗯,可能会一团糟。这也适用于相反的方式,尽管对subList
的结构变化是可能的。
int itemsPerBatch = 100;
int totalBatches = (customerAgreements.size()+itemsPerBatch-1)/itemsPerBatch;
int offset = 0;
for(int i=0; i<totalBatches; i++) {
List<String> currentBatch = customerAgreements.subList(offset, Math.min(offset+itemsPerBatch, customerAgreements.size()));
offset+=itemsPerBatch;
}