如何检查春季完成的@Async呼叫?
2022-09-03 09:00:29
Im 对执行 rsync 命令的方法使用@Async注释。一次有十个线程调用此方法。我的要求是在所有十个线程完成rsync命令执行之后,只有我剩余的代码应该执行,但不知道如何检查我的所有十个线程是否完全执行@Async方法?所以请告诉我一个检查它的方法
Im 对执行 rsync 命令的方法使用@Async注释。一次有十个线程调用此方法。我的要求是在所有十个线程完成rsync命令执行之后,只有我剩余的代码应该执行,但不知道如何检查我的所有十个线程是否完全执行@Async方法?所以请告诉我一个检查它的方法
如果要返回一些值,则应将返回值包装到Standard Java SE或Spring的AsyncResult
中,后者也实现了。Future
Future
像这样:
@Component
class AsyncTask {
@Async
public Future<String> call() throws InterruptedException {
return new AsyncResult<String>("return value");
}
}
如果您确实设置了此功能,请在呼叫者中执行以下操作:
public void kickOffAsyncTask() throws InterruptedException {
Future<String> futureResult = asyncTask.call();
//do some stuff in parallel
String result = futureResult.get();
System.out.println(result);
}
调用将阻止调用方线程并等待异步线程完成。futureResult.get()
(可选)如果您不想永远等待,则可以使用。Future.get(long timeout, TimeUnit unit)
编辑:
如果您不需要返回任何值,我仍然建议考虑返回虚拟返回值。您不需要将其用于任何目的,只需用于指示特定线程已完成即可。像这样:
public void kickOffAsyncTasks(int execCount) throws InterruptedException {
Collection<Future<String>> results = new ArrayList<>(execCount);
//kick off all threads
for (int idx = 0; idx < execCount; idx++) {
results.add(asyncTask.call());
}
// wait for all threads
results.forEach(result -> {
try {
result.get();
} catch (InterruptedException | ExecutionException e) {
//handle thread error
}
});
//all threads finished
}