我试图在使用Future执行另一个任务之前等待我的所有线程完成,但是出了点问题,因为我的未来只是为了我的for循环的最后一个线程而烦恼。
我的执行人方法:
public static Future<?> downloadImages(Executor e, MainViewController controller, String filePath, String dns, int port, int numImg,
String offlineUuid, Map<String, String> cookies, String type, String outputFolder) throws SystemException, IOException, InterruptedException {
String urlImages;
String filePath2;
Future future = null;
if (numImg == 1) {
//Some Code
} else {
type = "multimages";
ExecutorService es = Executors.newFixedThreadPool(numImg);
for (int i = 0; i < numImg; i++) {
filePath2 = "";
filePath2 = filePath + File.separator + "TargetApp" + File.separator + "TempImage" + i + "Download.zip";
urlImages = "http://" + dns + ":" + port + Constants.TARGET_SERVICE_DOWNLOADIMAGES_PATH + offlineUuid + "/?pos=" + (i);
future = es.submit(new DownloaderAndUnzipTask(controller, urlImages, filePath2, outputFolder, cookies, type));
}
return future;
}
return null;
}
我的等待方法:
Future future = fullDownloadSelected(tableViewFull.getSelectionModel().getSelectedIndex());
if (future != null) {
try {
future.get();
if (future.isDone());
System.out.println("Processamento de Imagens Acabou");
} catch (ExecutionException ex) {
Logger.getLogger(MainViewController.class.getName()).log(Level.SEVERE, null, ex);
}
当第一个方法中创建的最后一个Thread完成时显示我的msg,但是当池中的所有线程都完成时它应该已经完成。我认为在for循环中提交执行程序的地方有问题,但我该如何解决呢?
答案 0 :(得分:3)
您需要捕获返回的每个Future,然后等待每个Future完成(使用get on each)
您可以选择执行以下操作:
ExecutorService es = Executors.newFixedThreadPool(numImg);
List<Callable> tasks = ...
for (int i = 0; i < numImg; i++) {
tasks.add(your tasks);
}
List<Future<Object>> futures = es.invokeAll(tasks);
只有在完成所有任务后才会返回。
答案 1 :(得分:1)
您只是等待最后Future
完成。
future = es.submit(...);
...
return future;
...
// in waiting method, wait for the last job to finish
future.get();
这只等待提交给执行程序服务的最后一个作业完成 - 其他作业仍然可以运行。您应该从ExecutorService
返回downloadImages()
。然后在你的等待方法中你做:
// you must always shut the service down, no more jobs can be submitted
es.shutdown();
// waits for the service to complete forever
es.awaitTermination(Long.MAX_VALUE, TimeUnit.MILLISECONDS);
您可以更有意义地在调用方法中创建ExecutorService
并将其传递给downloadImages()
。
答案 2 :(得分:1)
你在每次迭代中重新分配未来 您可以使用invokeAll,它会在完成所有提交的任务后返回。