[英]ExecutorService, how to wait for all tasks to finish
等待ExecutorService
的所有任务完成的最简单方法是什么? 我的任务主要是计算性的,所以我只想运行大量作业——每个核心一个。 现在我的设置如下所示:
ExecutorService es = Executors.newFixedThreadPool(2);
for (DataTable singleTable : uniquePhrases) {
es.execute(new ComputeDTask(singleTable));
}
try{
es.wait();
}
catch (InterruptedException e){
e.printStackTrace();
}
ComputeDTask
实现可运行。 这似乎可以正确执行任务,但代码在wait()
上崩溃并出现IllegalMonitorStateException
。 这很奇怪,因为我尝试了一些玩具示例并且它似乎有效。
uniquePhrases
包含数万个元素。 我应该使用另一种方法吗? 我正在寻找尽可能简单的东西
最简单的方法是使用ExecutorService.invokeAll()
,它可以在单行中完成您想要的操作。 按照您的说法,您需要修改或包装ComputeDTask
以实现Callable<>
,这可以为您提供更大的灵活性。 可能在您的应用程序中有一个有意义的Callable.call()
,但如果不使用Executors.callable()
,这里有一种包装它的方法。
ExecutorService es = Executors.newFixedThreadPool(2);
List<Callable<Object>> todo = new ArrayList<Callable<Object>>(singleTable.size());
for (DataTable singleTable: uniquePhrases) {
todo.add(Executors.callable(new ComputeDTask(singleTable)));
}
List<Future<Object>> answers = es.invokeAll(todo);
正如其他人指出的那样,如果合适,您可以使用invokeAll()
的超时版本。 在这个例子中, answers
将包含一堆Future
s,它们将返回空值(参见Executors.callable()
定义。可能你想要做的是轻微的重构,这样你就可以得到一个有用的答案,或参考到底层ComputeDTask
,但我无法从您的示例中看出。
如果不清楚,请注意invokeAll()
在所有任务完成之前不会返回。 (即,如果询问,您的answers
集合中的所有Future
将报告.isDone()
。)这避免了所有手动关闭、awaitTermination 等......并允许您在多个周期内巧妙地重用此ExecutorService
(如果需要)。
SO有几个相关的问题:
这些都不是您的问题的严格重点,但它们确实提供了一些关于人们认为Executor
/ ExecutorService
应该如何使用的颜色。
如果要等待所有任务完成,请使用shutdown
方法而不是wait
。 然后用awaitTermination
跟随它。
此外,您可以使用Runtime.availableProcessors
来获取硬件线程的数量,以便您可以正确地初始化您的线程池。
如果等待ExecutorService
所有任务完成并不是您的目标,而是等待特定批次的任务完成,您可以使用CompletionService
— 具体来说,是ExecutorCompletionService
。
这个想法是创建一个ExecutorCompletionService
包装你的Executor
,通过CompletionService
提交一些已知数量的任务,然后使用take()
(阻止)或poll()
(不)从完成队列中提取相同数量的结果. 一旦您绘制了与您提交的任务相对应的所有预期结果,您就知道它们都已完成。
让我再说一遍,因为从界面上看并不明显:您必须知道将多少东西放入CompletionService
才能知道要尝试绘制多少东西。 这对于take()
方法尤其重要:多次调用它会阻塞您的调用线程,直到其他线程向同一个CompletionService
提交另一个作业。
在Java Concurrency in Practice一书中,有一些示例展示了如何使用CompletionService
。
如果您想等待执行器服务完成执行,请调用shutdown()
然后调用awaitTermination(units, unitType) ,例如awaitTermination(1, MINUTE)
。 ExecutorService 不会在它自己的监视器上阻塞,所以你不能使用wait
等。
您可以等待作业在特定时间间隔内完成:
int maxSecondsPerComputeDTask = 20;
try {
while (!es.awaitTermination(uniquePhrases.size() * maxSecondsPerComputeDTask, TimeUnit.SECONDS)) {
// consider giving up with a 'break' statement under certain conditions
}
} catch (InterruptedException e) {
throw new RuntimeException(e);
}
或者你可以使用ExecutorService 。 提交( Runnable )并收集它返回的Future对象并依次调用get()以等待它们完成。
ExecutorService es = Executors.newFixedThreadPool(2);
Collection<Future<?>> futures = new LinkedList<<Future<?>>();
for (DataTable singleTable : uniquePhrases) {
futures.add(es.submit(new ComputeDTask(singleTable)));
}
for (Future<?> future : futures) {
try {
future.get();
} catch (InterruptedException e) {
throw new RuntimeException(e);
} catch (ExecutionException e) {
throw new RuntimeException(e);
}
}
InterruptedException对于正确处理非常重要。 它可以让您或您图书馆的用户安全地终止一个漫长的过程。
只需使用
latch = new CountDownLatch(noThreads)
在每个线程中
latch.countDown();
并作为障碍
latch.await();
IllegalMonitorStateException 的根本原因:
抛出以指示线程已尝试在对象监视器上等待或通知其他线程在不拥有指定监视器的情况下在对象监视器上等待。
从您的代码中,您刚刚在 ExecutorService 上调用了 wait() 而没有拥有锁。
下面的代码将修复IllegalMonitorStateException
try
{
synchronized(es){
es.wait(); // Add some condition before you call wait()
}
}
按照以下方法之一等待已提交给ExecutorService
的所有任务完成。
从ExecutorService
submit
开始迭代所有Future
任务,并通过Future
对象上的阻塞调用get()
检查状态
在ExecutorService
上使用invokeAll
使用ForkJoinPool或newWorkStealingPool of Executors
(自 java 8)
按照 oracle 文档页面中的建议关闭池
void shutdownAndAwaitTermination(ExecutorService pool) { pool.shutdown(); // Disable new tasks from being submitted try { // Wait a while for existing tasks to terminate if (!pool.awaitTermination(60, TimeUnit.SECONDS)) { pool.shutdownNow(); // Cancel currently executing tasks // Wait a while for tasks to respond to being cancelled if (!pool.awaitTermination(60, TimeUnit.SECONDS)) System.err.println("Pool did not terminate"); } } catch (InterruptedException ie) { // (Re-)Cancel if current thread also interrupted pool.shutdownNow(); // Preserve interrupt status Thread.currentThread().interrupt(); }
如果您想在使用选项 5 而不是选项 1 到 4 时优雅地等待所有任务完成,请更改
if (!pool.awaitTermination(60, TimeUnit.SECONDS)) {
到
每 1 分钟检查一次的while(condition)
。
您可以使用ExecutorService.invokeAll
方法,它将执行所有任务并等待所有线程完成其任务。
这是完整的javadoc
您还可以使用此方法的重载版本来指定超时。
这是ExecutorService.invokeAll
示例代码
public class Test {
public static void main(String[] args) throws InterruptedException, ExecutionException {
ExecutorService service = Executors.newFixedThreadPool(3);
List<Callable<String>> taskList = new ArrayList<>();
taskList.add(new Task1());
taskList.add(new Task2());
List<Future<String>> results = service.invokeAll(taskList);
for (Future<String> f : results) {
System.out.println(f.get());
}
}
}
class Task1 implements Callable<String> {
@Override
public String call() throws Exception {
try {
Thread.sleep(2000);
return "Task 1 done";
} catch (Exception e) {
e.printStackTrace();
return " error in task1";
}
}
}
class Task2 implements Callable<String> {
@Override
public String call() throws Exception {
try {
Thread.sleep(3000);
return "Task 2 done";
} catch (Exception e) {
e.printStackTrace();
return " error in task2";
}
}
}
有几种方法。
您可以先调用ExecutorService.shutdown然后调用ExecutorService.awaitTermination返回:
如果此执行程序终止,则为
true
;如果在终止前超时已过,则为false
所以:
有一个 function 叫做
awaitTermination
但是必须在里面提供超时。 这并不能保证当它返回时所有任务都已经完成。 有没有办法做到这一点?
您只需在循环中调用awaitTermination
。
使用awaitTermination
:
此实现的完整示例:
public class WaitForAllToEnd {
public static void main(String[] args) throws InterruptedException {
final int total_threads = 4;
ExecutorService executor = Executors.newFixedThreadPool(total_threads);
for(int i = 0; i < total_threads; i++){
executor.execute(parallelWork(100 + i * 100));
}
int count = 0;
// This is the relevant part
// Chose the delay most appropriate for your use case
executor.shutdown();
while (!executor.awaitTermination(100, TimeUnit.MILLISECONDS)) {
System.out.println("Waiting "+ count);
count++;
}
}
private static Runnable parallelWork(long sleepMillis) {
return () -> {
try {
Thread.sleep(sleepMillis);
} catch (InterruptedException e) {
// Do Something
}
System.out.println("I am Thread : " + Thread.currentThread().getId());
};
}
}
使用CountDownLatch
:
另一种选择是创建一个count
等于并行任务数的CountDownLatch 。 每个线程调用countDownLatch.countDown();
,而主线程调用countDownLatch.await();
.
此实现的完整示例:
public class WaitForAllToEnd {
public static void main(String[] args) throws InterruptedException {
final int total_threads = 4;
CountDownLatch countDownLatch = new CountDownLatch(total_threads);
ExecutorService executor = Executors.newFixedThreadPool(total_threads);
for(int i = 0; i < total_threads; i++){
executor.execute(parallelWork(100 + i * 100, countDownLatch));
}
countDownLatch.await();
System.out.println("Exit");
executor.shutdown();
}
private static Runnable parallelWork(long sleepMillis, CountDownLatch countDownLatch) {
return () -> {
try {
Thread.sleep(sleepMillis);
} catch (InterruptedException e) {
// Do Something
}
System.out.println("I am Thread : " + Thread.currentThread().getId());
countDownLatch.countDown();
};
}
}
使用CyclicBarrier
:
另一种方法是使用循环屏障
public class WaitForAllToEnd {
public static void main(String[] args) throws InterruptedException, BrokenBarrierException {
final int total_threads = 4;
CyclicBarrier barrier = new CyclicBarrier(total_threads+ 1);
ExecutorService executor = Executors.newFixedThreadPool(total_threads);
for(int i = 0; i < total_threads; i++){
executor.execute(parallelWork(100 + i * 100, barrier));
}
barrier.await();
System.out.println("Exit");
executor.shutdown();
}
private static Runnable parallelWork(long sleepMillis, CyclicBarrier barrier) {
return () -> {
try {
Thread.sleep(sleepMillis);
} catch (InterruptedException e) {
// Do Something
}
System.out.println("I am Thread : " + Thread.currentThread().getId());
try {
barrier.await();
} catch (InterruptedException | BrokenBarrierException e) {
// Do something
}
};
}
}
还有其他方法,但这些方法需要更改您的初始要求,即:
如何在使用 ExecutorService.execute() 提交任务时等待所有任务完成。
我也有这样的情况,我有一组要抓取的文档。 我从应该处理的初始“种子”文档开始,该文档包含指向也应该处理的其他文档的链接,依此类推。
在我的主程序中,我只想编写如下内容,其中Crawler
控制一堆线程。
Crawler c = new Crawler();
c.schedule(seedDocument);
c.waitUntilCompletion()
如果我想导航一棵树,也会发生同样的情况; 我会弹出根节点,每个节点的处理器会根据需要将子节点添加到队列中,并且一堆线程将处理树中的所有节点,直到没有更多节点。
我在 JVM 中找不到任何我认为有点令人惊讶的东西。 所以我写了一个ThreadPool
类,可以直接使用它或者子类来添加适合域的方法,例如schedule(Document)
。 希望能帮助到你!
线程池Javadoc | 马文
添加集合中的所有线程并使用invokeAll
提交。 如果您可以使用ExecutorService
invokeAll
方法,则在所有线程完成之前,JVM 不会继续下一行。
这里有一个很好的例子: invokeAll via ExecutorService
将您的任务提交到Runner ,然后等待调用方法waitTillDone(),如下所示:
Runner runner = Runner.runner(2);
for (DataTable singleTable : uniquePhrases) {
runner.run(new ComputeDTask(singleTable));
}
// blocks until all tasks are finished (or failed)
runner.waitTillDone();
runner.shutdown();
要使用它,请添加此 gradle/maven 依赖项: 'com.github.matejtymes:javafixes:1.0'
有关更多详细信息,请参见此处: https : //github.com/MatejTymes/JavaFixes或此处: http : //matejtymes.blogspot.com/2016/04/executor-that-notifying-you-when-task.html
一个简单的替代方法是将线程与连接一起使用。 参考: 加入线程
我将等待执行程序以您认为适合完成任务的指定超时终止。
try {
//do stuff here
exe.execute(thread);
} finally {
exe.shutdown();
}
boolean result = exe.awaitTermination(4, TimeUnit.HOURS);
if (!result)
{
LOGGER.error("It took more than 4 hour for the executor to stop, this shouldn't be the normal behaviour.");
}
听起来您需要ForkJoinPool
并使用全局池来执行任务。
public static void main(String[] args) {
// the default `commonPool` should be sufficient for many cases.
ForkJoinPool pool = ForkJoinPool.commonPool();
// The root of your task that may spawn other tasks.
// Make sure it submits the additional tasks to the same executor that it is in.
Runnable rootTask = new YourTask(pool);
pool.execute(rootTask);
pool.awaitQuiescence(...);
// that's it.
}
美妙之处在于pool.awaitQuiescence
,该方法将阻塞利用调用者的线程来执行其任务,然后在它真的为空时返回。
这个怎么样?
Object lock = new Object();
CountDownLatch cdl = new CountDownLatch(threadNum);
for (int i = 0; i < threadNum; i++) {
executorService.execute(() -> {
synchronized (lock) {
cdl.countDown();
try {
lock.wait();
} catch (InterruptedException e) {
Thread.currentThread().interrupt();
}
}
});
}
cdl.await();
synchronized (lock) {
lock.notifyAll();
}
如果您不向 ExecutorService 添加新任务,这可能会等待所有当前任务完成
声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.