如果是bulkWrite(),我需要成功处理文档的数组或失败的文档,以及失败的原因。
以下是我的尝试。如果可能,建议更简单的方法。
try {
collection.insertMany(documents, new InsertManyOptions().ordered(false));
} catch (DuplicateKeyException dke) {
LOGGER.error("{}", dke);
} catch (MongoBulkWriteException mbwe) {
List<BulkWriteError> errors = mbwe.getWriteErrors();
for (BulkWriteError error : errors) {
LOGGER.error("{}", error.getMessage());
}
} catch (Exception ex) {
LOGGER.error("{}", ex.getCause());
}
当我插入带有重复_ids的文档时,我应该按照javadoc获得DuplicateKeyException,但是我得到的是MongoBulkWriteException。
我正在使用java 8和mongodb 3.2.1驱动程序
答案 0 :(得分:1)
insertMany仅抛出以下异常:
MongoBulkWriteException - 如果批量写入操作中有例外
MongoException - 如果由于某些其他故障导致写入失败
然而,异常带有它的原因,并且在重复的id的情况下将是:
insertDocument :: caused by :: 11000 E11000 duplicate key error index: test.restaurants.$_id_ dup key: { : ObjectId('56c8ac3146235e4898bb696c') }
因此,由于您在消息中有信息,因此可以使用正则表达式提取数组中失败的文档的ID。
代码就是这样(我在代码中内联它):
List<String>duplicateIds = new ArrayList<String>();
List<BulkWriteError> errors = mbwe.getWriteErrors();
for (BulkWriteError error : errors) {
LOGGER.error("{}", error.getMessage());
// extract from error.message the id of the duplicated document, (11000 is the duplicate id code)
if (error.getCode() == 11000) {
Matcher m = Pattern.compile("[0-9a-f]{24}")
.matcher(error.getMessage());
m.find();
duplicateIds.add(m.group());
}
}
// here the duplicateIds will hold all the found ids, you can print them in console for example:
System.out.println(duplicateIds.toString());
// and do whatever else you like with them
上面的代码将捕获重复的ID - 如果你想让它捕获其他错误,很容易相应地调整它。
<强>更新强>:
如果您想使用bulkWrite()
,您可以使用完全相同的代码,因为它会抛出与(MongoBulkWrite, MongoException)
相同的例外insertMany()
,请参阅BulkWrite()
如果您想更新代码以捕获其他异常,则可以轻松扩展: