ExecutorService Usage
The ExecutorService
in Java is a higher-level replacement for managing threads and tasks, providing a framework for concurrent task execution. It abstracts away the complexities of creating and managing threads directly. There are a several ways to delegate tasks for execution to an ExecutorService.
Creating an ExecutorService
ExecutorService
Refer to the ExecutorService Implementationsfor more details.
// Fixed Thread Pool
ExecutorService fixedThreadPool = Executors.newFixedThreadPool(10);
// Cached Thread Pool
ExecutorService cachedThreadPool = Executors.newCachedThreadPool();
// Single Thread Executor
ExecutorService singleThreadExecutor = Executors.newSingleThreadExecutor();
// Scheduled Thread Pool
ScheduledExecutorService scheduledExecutorService = Executors.newScheduledThreadPool(5);
Submitting Tasks to ExecutorService
ExecutorService
execute(Runnable command)
:
execute(Runnable command)
:Executes the given command at some point in the future asynchronously.
No result is returned, and exceptions are not captured.
Example:
fixedThreadPool.execute(() -> System.out.println("Task executed"));
ExecutorService executorService = Executors.newSingleThreadExecutor();
executorService.execute(new Runnable() {
public void run() {
System.out.println("Asynchronous task");
}
});
executorService.shutdown();
submit(Runnable command)
:
submit(Runnable command)
:The Java
ExecutorService
submit(Runnable)
method also takes aRunnable
implementation, but returns aFuture
object. ThisFuture
object can be used to check if theRunnable
has finished executing.
Example:
Future future = executorService.submit(new Runnable() {
public void run() {
System.out.println("Asynchronous task");
}
});
future.get(); //returns null if the task has finished correctly.
submit(Callable<T> task)
:
submit(Callable<T> task)
:Submits a
Callable
task for execution and returns aFuture
representing the task’s result.
Example:
Future<Integer> future = fixedThreadPool.submit(() -> {
return 42;
})
invokeAll(Collection<? extends Callable<T>> tasks)
:
invokeAll(Collection<? extends Callable<T>> tasks)
:Executes a collection of
Callable
tasks and returns a list ofFuture
objects.The
invokeAll()
method invokes all of theCallable
objects passed to it in the collection passed as parameter. TheinvokeAll()
returns a list ofFuture
objects via which we can obtain the results of the executions of eachCallable
. A task might finish due to an exception, so it may not have succeeded. There is no way on aFuture
to tell the difference.If an exception occurs during the execution of one of the
Callable
tasks, that exception will be captured and stored within the correspondingFuture
object.
Example:
List<Callable<String>> tasks = Arrays.asList(
() -> "Task 1",
() -> "Task 2",
() -> "Task 3"
);
List<Future<String>> futures = fixedThreadPool.invokeAll(tasks);
Exception During Task Execution:
If an exception occurs during the execution of one of the
Callable
tasks, that exception will be captured and stored within the correspondingFuture
object.The
invokeAll()
method itself will not throw an exception in this case. Instead, you will need to check eachFuture
for exceptions by callingfuture.get()
on them.try { List<Future<String>> futures = fixedThreadPool.invokeAll(tasks); for (Future<String> future : futures) { try { String result = future.get(); // Retrieves the result or throws an ExecutionException System.out.println(result); } catch (ExecutionException e) { System.err.println("Task failed: " + e.getCause()); } } } catch (InterruptedException e) { System.err.println("Task execution was interrupted: " + e.getMessage()); }
InterruptedException:
The
invokeAll()
method may throw anInterruptedException
if the calling thread is interrupted while waiting for the tasks to complete.This exception needs to be handled explicitly. When this happens, none of the results will be available, and the thread's interrupted status will be set.
try { List<Future<String>> futures = fixedThreadPool.invokeAll(tasks); // Process futures } catch (InterruptedException e) { // Handle the interruption Thread.currentThread().interrupt(); // Preserve interrupt status System.err.println("Task execution was interrupted: " + e.getMessage()); }
Rejection During Task Submission:
invokeAll()
will not submit tasks one by one; it submits all tasks as a batch. If theExecutorService
is shutting down or if its task queue is full, it will reject all tasks and throw aRejectedExecutionException
. However,invokeAll()
is designed to handle such situations internally, and this is generally not a concern unless we are dealing with a custom implementation.
invokeAny(Collection<? extends Callable<T>> tasks)
:
invokeAny(Collection<? extends Callable<T>> tasks)
:Executes the given tasks and returns the result of one that successfully completes (or throws an exception if none complete).
The
invokeAny()
method takes a collection ofCallable
objects, or subinterfaces ofCallable
. Invoking this method does not return aFuture
, but returns the result of one of theCallable
objects. We have no guarantee about which of theCallable
's results we will get. Just one of the ones that finish. If one Callable finishes, so that a result is returned frominvokeAny()
, then the rest of the Callable instances are cancelled. If one of the tasks complete (or throws an exception), the rest of theCallable
's are cancelled.
Example:
List<Callable<String>> tasks = Arrays.asList(
() -> "Task 1",
() -> "Task 2",
() -> "Task 3"
);
String result = fixedThreadPool.invokeAny(tasks);
ExecutorService executorService = Executors.newSingleThreadExecutor();
Set<Callable<String>> callables = new HashSet<Callable<String>>();
callables.add(new Callable<String>() {
public String call() throws Exception {
return "Task 1";
}
});
callables.add(new Callable<String>() {
public String call() throws Exception {
return "Task 2";
}
});
callables.add(new Callable<String>() {
public String call() throws Exception {
return "Task 3";
}
});
String result = executorService.invokeAny(callables);
System.out.println("result = " + result);
executorService.shutdown();
cancel()
cancel()
We can cancel a task (Runnable
or Callable
) submitted to a Java ExecutorService
by calling the cancel()
method on the Future
returned when the task is submitted. Cancelling the task is only possible if the task has not yet started executing.
future.cancel();
Managing ExecutorService Lifecycle
Shutting Down:
It’s essential to shut down the
ExecutorService
to free resources when tasks are no longer needed.shutdown()
: Initiates an orderly shutdown where previously submitted tasks are executed, but no new tasks will be accepted.shutdownNow()
: Attempts to stop all actively executing tasks and halts the processing of waiting tasks.
Example:
fixedThreadPool.shutdown(); // Initiates shutdown
fixedThreadPool.awaitTermination(60, TimeUnit.SECONDS); // Waits for termination
Checking for Termination:
isShutdown()
: Returnstrue
if theExecutorService
has been shut down.isTerminated()
: Returnstrue
if all tasks have completed following shutdown.
Example:
if (fixedThreadPool.isTerminated()) {
System.out.println("All tasks completed");
}
Last updated
Was this helpful?