我对我的业务逻辑进行了顺序处理,其中包括:
将消息发送到远程服务器
将该消息保存到数据库
顺序的
try {
sender.send(message); // throws SendingException
} catch (SendingException e) {throw SomeException("Couldn't send.", e);}
dbService.save(message); // save only if successfully sent
我意识到,如果同时执行这两项任务,则可以提高性能。一个线程发送消息,另一个线程将消息保存到数据库。
并行程序
// send: 1st thread
executor.execute(() -> {
try {
sender.send(message);
} catch(SendingException e) {throw SomeException("Couldn't send.", e);}
});
// save: 2nd thread
executor.execute(() -> dbService.save(message));
parallel
方法的问题在于,即使发生异常,message
也将保存到数据库中。如果发生异常,有什么方法可以防止保存,但是仍然并行运行这两个任务?也许某种基于触发器的回滚。
最佳答案
保存并提交数据后,您将无法回滚事务。现在,您从send the message
到数据库的线程之外的其他线程saving the message
。因此,您的消息有可能保存到DB before the sending message
,并且在这种情况下,如果在发送消息期间存在任何exception
,则无法回滚。我建议如下使用CompletableFuture
:
CompletableFuture.supplyAsync(() -> {
// send message from here
System.out.println("Msg send");
return msg;
}).exceptionally(ex -> {
// handle the exception
System.out.println("Exception occour");
return "";
}).thenAccept((msgTosave) -> {
if (!msgTosave.isEmpty()) {
// save your msg to db here
System.out.println("Msg To save : " + msgTosave);
}
});