Interface StructuredTaskScope<T, R, R_X extends Throwable>
- Type Parameters:
T- the result type of subtasks forked in the scopeR- the type of the result returned by thejoin()methodR_X- the type of the exception thrown by thejoin()method
- All Superinterfaces:
AutoCloseable
StructuredTaskScope is a preview API of the Java platform.
StructuredTaskScope supports cases
where execution of a task (a unit of work) splits into several concurrent
subtasks, and where the subtasks must complete before the task continues. A
StructuredTaskScope can be used to ensure that the lifetime of a concurrent operation
is confined by a syntax block, similar to that of a sequential operation in
structured programming.
StructuredTaskScope defines the static open() method to create
and open a new StructuredTaskScope. It defines the close()
method to close it. The API is designed to be used with the try-with-resources
statement where a StructuredTaskScope is opened as a resource and then closed
automatically. The code inside the try block uses the fork(Callable)
method to fork subtasks. Each call to the fork(Callable) method starts
a new Thread (typically a virtual thread)
to execute a subtask as a value-returning method. The subtask
executes concurrently with the code inside the try block, and concurrently with
other subtasks forked in the scope. After forking all subtasks, the code inside the
block uses the join() method to wait for all subtasks to finish (or
some other outcome) as a single operation. The code after the join() method
processes the outcome. Execution does not continue beyond the try block (or
close method) until all threads started in the scope to execute subtasks have
finished.
To ensure correct usage, the fork(Callable), join() and close() methods may only be invoked by the owner thread (the thread that
opened the StructuredTaskScope), the fork(Callable) method may not be
called after join(), the join() method must be invoked to get the outcome
after forking subtasks, and the close() method throws an exception after closing
if the owner did not invoke the join() method after forking subtasks.
As a first example, consider a "main" task that splits into two subtasks to
concurrently fetch values from two remote services. The main task aggregates the results
of both subtasks. The example invokes fork(Callable) to fork the two subtasks.
Each call to fork(Callable) returns a SubtaskPREVIEW as a handle to
the forked subtask. Both subtasks may complete successfully, one subtask may succeed
and the other may fail, or both subtasks may fail.
The main task in the example is interested in the successful result from both
subtasks. It waits in the join() method for both subtasks to complete
successfully or for either subtask to fail. If both subtasks complete successfully then
the join() method completes normally and the task uses the Subtask.get()PREVIEW method to get the result of each subtask. If one of the subtasks fails
then the other subtask is cancelled (this will interrupt
the thread executing the other subtask) and the join() method throws ExecutionException with the exception from the failed subtask as the cause.
try (var scope = StructuredTaskScope.open()) {
Subtask<String> subtask1 = scope.fork(() -> fetchFromRemoteService1());
Subtask<Integer> subtask2 = scope.fork(() -> fetchFromRemoteService2());
// throws ExecutionException if either subtask fails
scope.join();
// both subtasks completed successfully
var result = new MyResult(subtask1.get(), subtask2.get());
} // close
The close() method always waits for threads executing subtasks to
finish, even if the scope is cancelled, so execution cannot continue beyond the
try block and close() method until the interrupted threads finish.
To allow for cancellation, subtasks must be coded so that they finish as soon as
possible when interrupted. Subtasks that do not respond to interrupt, e.g. block on
methods that are not interruptible, may delay the close() method
indefinitely.
In the example, the subtasks produce results of different types (String and
Integer). In other cases the subtasks may all produce results of the same type.
If the example had used StructuredTaskScope.<String>open() to open the scope
then it could only be used to fork subtasks that return a String result.
Joiners
In the example above, the join() method completes normally and returns
null if all subtasks succeed. It throws ExecutionException if any subtask
fails. Other policy and outcome is possible by creating a StructuredTaskScope
with a JoinerPREVIEW that implements the desired policy and outcome. A
Joiner handles subtasks as they are forked and when they complete, and produces the
outcome for the join() method. Instead of null, a Joiner may
cause join() to return the result of a specific subtask, a collection of results,
or an object constructed from the results of some or all subtasks. A Joiner
that returns a non-null result removes the need for bookkeeping and the
need to keep a reference to the subtask objects returned by the fork(Callable)
method. When the outcome is an exception then the Joiner may cause join()
to throw an exception other than ExecutionException in the example above.
The JoinerPREVIEW interface defines static factory methods to create a
Joiner for a number of common cases. The interface can be implemented when a
more advanced or custom policy is required.
A Joiner may cancel the scope (sometimes called
"short-circuiting") when some condition is reached, e.g. a subtask fails, that does
not require the outcome of other subtasks that are still executing. Cancelling the scope
prevents new threads from being started to execute further subtasks, interrupts the threads executing subtasks that have not completed,
and causes the join() method to wakeup with the outcome (result or exception).
In the above example, the outcome is that join() completes with a result of
null when all subtasks succeed. The scope is cancelled if any of the subtasks
fail and join() throws ExecutionException with the exception from the
failed subtask as the cause. Other Joiner
implementations may cancel the scope for other reasons, and may cause the join()
method to throw a different exception when the outcome is an exception.
Now consider another example where a main task splits into two subtasks. In this
example, each subtask produces a String result and the main task is only
interested in the result from the first subtask to complete successfully. The example
uses Joiner.anySuccessfulOrThrow()PREVIEW to create a
Joiner that produces the result of any subtask that completes successfully.
try (var scope = StructuredTaskScope.open(Joiner.<String>anySuccessfulOrThrow())) {
scope.fork(callable1);
scope.fork(callable2);
// throws ExecutionException if both subtasks fail
String firstResult = scope.join();
} // close
In the example, the task forks the two subtasks, then waits in the
join() method for either subtask to complete successfully or for both subtasks to fail.
If one of the subtasks completes successfully then the Joiner causes the other
subtask to be cancelled (this will interrupt the thread executing the subtask), and
the join() method returns the result from the successful subtask. Cancelling the
other subtask avoids the task waiting for a result that it doesn't care about. If
both subtasks fail then the join() method throws ExecutionException with
the exception from one of the subtasks as the cause.
Joiner.anySuccessfulOrThrow(Function)PREVIEW can
be used with a function that produces an exception other than ExecutionException
to throw when all subtasks fail.
Whether code uses the Subtask object returned from fork(Callable)
will depend on the Joiner and usage. Code that forks subtasks that return
results of different types, and uses awaitAllSuccessfulOrThrow()PREVIEW, will need to do its own bookkeeping and keep a reference
to each subtask so that it can getPREVIEW results after joining.
A Joiner that returns a non-null result removes the need to keep a
reference to the SubtaskPREVIEW objects returned by the fork(Callable)
method. These usages will typically use the result of the join() method.
Configuration
AStructuredTaskScope is opened with configuration
that consists of a ThreadFactory to create threads, an optional name for the
scope, and an optional timeout. The name is intended for monitoring and management
purposes.
The open() and open(Joiner) methods create a StructuredTaskScope
with the default configuration. The default
configuration has a ThreadFactory that creates unnamed virtual threads, does not name the scope, and has no timeout.
The open(UnaryOperator) and open(Joiner, UnaryOperator) methods
can be used to create a StructuredTaskScope that uses a different
ThreadFactory, is named for monitoring and management purposes, or has a timeout that
cancels the scope if the timeout expires before or while waiting for subtasks to
complete. The open methods are called with an operator
that is applied to the default configuration and returns a ConfigurationPREVIEW for the StructuredTaskScope under construction.
The following example opens a new StructuredTaskScope with a
ThreadFactory that creates virtual threads with named
"duke-0", "duke-1" ...
ThreadFactory factory = Thread.ofVirtual().name("duke-", 0).factory();
try (var scope = StructuredTaskScope.open(cf -> cf.withThreadFactory(factory))) {
var subtask1 = scope.fork( .. ); // runs in a virtual thread with name "duke-0"
var subtask2 = scope.fork( .. ); // runs in a virtual thread with name "duke-1"
scope.join();
var result = new MyResult(subtask1.get(), subtask2.get());
}
A second example sets a timeout, represented by a Duration. The timeout
starts when the new scope is opened. If the timeout expires before or while waiting in
the join() method then the scope is cancelled
(this interrupts the threads executing the subtasks that have not completed), and the
join() method throws ExecutionException with CancelledByTimeoutExceptionPREVIEW as the cause.
Duration timeout = Duration.ofSeconds(10);
try (var scope = StructuredTaskScope.open(Joiner.<String>allSuccessfulOrThrow(),
cf -> cf.withTimeout(timeout))) {
scope.fork(callable1); // subtask takes a really long time
scope.fork(callable2);
// throws ExecutionException with CancelledByTimeoutException as cause
List<String> results = scope.join();
}
Exception handling
The outcome of the join() method is a result or exception. When the outcome
is an exception then its cause will typically be
the exception from a failed subtask or CancelledByTimeoutExceptionPREVIEW if a timeout was configured.
In some cases it may be useful to add a catch block to the
try-with-resources statement to handle the exception. The following example
uses the open(UnaryOperator) method to open a scope with a timeout configured.
The join() method in this example throws ExecutionException if any
subtask fails or the timeout expires. The exception cause is the exception from a failed
subtask or CancelledByTimeoutException. The example uses the switch
statement to select based on the cause.
try (var scope = StructuredTaskScope.open(cf -> cf.withTimeout(timeout)) {
..
} catch (ExecutionException e) {
switch (e.getCause()) {
case CancelledByTimeoutException ->
case IOException ioe -> ..
default -> ..
}
}
In other cases it may not be useful to catch exception but instead leave it to propagate to the configured uncaught exception handler for logging purposes.
For cases where a specific exception triggers the use of a default result then it may be more appropriate to handle this in the subtask itself rather than the subtask failing and the scope owner handling the exception.
The join() method throws InterruptedException when interrupted
before or while waiting in the join() method.
The Thread Interruption section of the Thread
specification provides guidance on handling this exception.
Inheritance of scoped value bindings
ScopedValue supports the execution of a method with a ScopedValue bound
to a value for the bounded period of execution of the method by the current thread.
It allows a value to be safely and efficiently shared to methods without using method
parameters.
When used in conjunction with a StructuredTaskScope, a ScopedValue
can also safely and efficiently share a value to methods executed by subtasks forked
in the scope. When a ScopedValue object is bound to a value in the thread
executing the task then that binding is inherited by the threads created to
execute the subtasks. The thread executing the task does not continue beyond the
close() method until all threads executing the subtasks have finished.
This ensures that the ScopedValue is not reverted to being unbound (or its previous value) while subtasks are executing.
In addition to providing a safe and efficient means to inherit a value into subtasks,
the inheritance allows sequential code using ScopedValue be refactored to use
structured concurrency.
To ensure correctness, opening a new StructuredTaskScope captures the
current thread's scoped value bindings. These are the scoped values bindings that are
inherited by the threads created to execute subtasks in the scope. Forking a
subtask checks that the bindings in effect at the time that the subtask is forked
match the bindings when the StructuredTaskScope was created. This check ensures
that a subtask does not inherit a binding that is reverted in the main task before the
subtask has completed.
A ScopedValue that is shared across threads requires that the value be an
immutable object or for all access to the value to be appropriately synchronized.
The following example demonstrates the inheritance of scoped value bindings. The
scoped value USERNAME is bound to the value "duke" for the bounded period of a lambda
expression by the thread executing it. The code in the block opens a
StructuredTaskScope and forks two subtasks, it then waits in the join() method
and aggregates the results from both subtasks. If code executed by the threads
running subtask1 and subtask2 uses ScopedValue.get(), to get the value of
USERNAME, then value "duke" will be returned.
private static final ScopedValue<String> USERNAME = ScopedValue.newInstance();
MyResult result = ScopedValue.where(USERNAME, "duke").call(() -> {
try (var scope = StructuredTaskScope.open()) {
Subtask<String> subtask1 = scope.fork( .. ); // inherits binding
Subtask<Integer> subtask2 = scope.fork( .. ); // inherits binding
scope.join();
return new MyResult(subtask1.get(), subtask2.get());
}
});
A scoped value inherited into a subtask may be rebound to a new value in the subtask for the bounded execution of some method executed
in the subtask. When the method completes, the value of the ScopedValue reverts
to its previous value, the value inherited from the thread executing the main task.
A subtask may execute code that itself opens a new StructuredTaskScope.
A main task executing in thread T1 opens a StructuredTaskScope and forks a
subtask that runs in thread T2. The scoped value bindings captured when T1 opens the
scope are inherited into T2. The subtask (in thread T2) executes code that opens a
new StructuredTaskScope and forks a (sub-)subtask that runs in thread T3. The
scoped value bindings captured when T2 opens the scope are inherited into T3. These
include (or may be the same) as the bindings that were inherited from T1. In effect,
scoped values are inherited into a tree of subtasks, not just one level of subtask.
Memory consistency effects
Actions in the owner thread of a StructuredTaskScope prior to forking of a subtask happen-before any actions taken by the thread that executes the subtask, which
in turn happen-before actions in any thread that successfully obtains the
subtask outcome with Subtask.get()PREVIEW or Subtask.exception()PREVIEW. If a subtask's outcome contributes to the result or exception
from join(), then any actions taken by the thread executing that subtask
happen-before the owner thread returns from join() with the outcome.
General exceptions
Unless otherwise specified, passing a null argument to a method in this
class will cause a NullPointerException to be thrown.
- See Java Language Specification:
-
17.4.5 Happens-before Order
- Since:
- 21
-
Nested Class Summary
Nested ClassesModifier and TypeInterfaceDescriptionstatic final classstatic interfacePreview.Represents the configuration for aStructuredTaskScope.static interfacePreview.An object used with aStructuredTaskScopePREVIEW to produce the outcome for the scope'sjoin()method.static interfacePreview.Represents a subtask forked withfork(Callable)orfork(Runnable). -
Method Summary
Modifier and TypeMethodDescriptionvoidclose()Closes this scope.<U extends T>
StructuredTaskScope.SubtaskPREVIEW<U> Fork a subtask by starting a new thread in this scope to execute a method that does not return a result.<U extends T>
StructuredTaskScope.SubtaskPREVIEW<U> Fork a subtask by starting a new thread in this scope to execute a value-returning method.booleanjoin()Returns the result, or throws, after waiting for all subtasks to complete or the scope to be cancelled.static <T> StructuredTaskScopePREVIEW<T, Void, ExecutionException> open()Opens a newStructuredTaskScopewherejoin()waits for all subtasks to succeed or any subtask to fail.static <T, R, R_X extends Throwable>
StructuredTaskScopePREVIEW<T, R, R_X> open(StructuredTaskScope.JoinerPREVIEW<? super T, ? extends R, R_X> joiner) Opens a newStructuredTaskScopethat uses the givenJoinerobject.static <T, R, R_X extends Throwable>
StructuredTaskScopePREVIEW<T, R, R_X> open(StructuredTaskScope.JoinerPREVIEW<? super T, ? extends R, R_X> joiner, UnaryOperator<StructuredTaskScope.ConfigurationPREVIEW> configOperator) Opens a newStructuredTaskScopethat uses the givenJoinerobject and the configuration that is the result of applying the given operator to the default configuration.static <T> StructuredTaskScopePREVIEW<T, Void, ExecutionException> open(UnaryOperator<StructuredTaskScope.ConfigurationPREVIEW> configOperator) Opens a newStructuredTaskScopethat uses the configuration that is the result of applying the given operator to the default configuration.
-
Method Details
-
open
static <T, R, R_X extends Throwable> StructuredTaskScopePREVIEW<T,R, openR_X> (StructuredTaskScope.JoinerPREVIEW<? super T, ? extends R, R_X> joiner, UnaryOperator<StructuredTaskScope.ConfigurationPREVIEW> configOperator) Opens a newStructuredTaskScopethat uses the givenJoinerobject and the configuration that is the result of applying the given operator to the default configuration. TheJoinerimplements the desired policy and produces the outcome (result or exception) for thejoin()method when all subtasks forked in the scope complete execution or the scope is cancelled.This method invokes
configOperatorwith the default configuration to get the configuration for the new scope:- If
Configuration.withThreadFactory(ThreadFactory)PREVIEW is used to set aThreadFactorythen itsnewThreadmethod will be called to create threads when forking subtasks in the scope. If aThreadFactoryis not set then forking subtasks will create an unnamed virtual thread for each subtask. - If
Configuration.withTimeout(Duration)PREVIEW is used to set a timeout then it starts when the scope is opened. If the timeout expires before or while waiting injoin()then the scope is cancelled andjoin()wakes up with an outcome. If the outcome is an exception then it is thrown withCancelledByTimeoutExceptionPREVIEW as the cause. - If the operator completes with an exception or error then it is propagated by
this method. If the operator returns
nullthenNullPointerExceptionis thrown.
The new scope is owned by the current thread. Only code executing in this thread can fork, join, or close the scope.
Construction captures the current thread's scoped value bindings for inheritance by threads forked in the scope.
- Type Parameters:
T- the result type of subtasks forked in the scopeR- the type of the result returned by thejoin()methodR_X- the type of the exception thrown by thejoin()method- Parameters:
joiner- the JoinerconfigOperator- the operator to produce the configuration- Returns:
- a new scope
- Since:
- 26
- If
-
open
static <T, R, R_X extends Throwable> StructuredTaskScopePREVIEW<T,R, openR_X> (StructuredTaskScope.JoinerPREVIEW<? super T, ? extends R, R_X> joiner) Opens a newStructuredTaskScopethat uses the givenJoinerobject. TheJoinerimplements the desired policy and produces the outcome (result or exception) for thejoin()method when all subtasks forked in the scope complete execution or the scope is cancelled. TheJoinerproduces the outcome (result or exception) for thejoin()method when all subtasks forked in the scope complete execution or the scope is cancelled.The scope is created with the default configuration. The default configuration has a
ThreadFactorythat creates unnamed virtual threads, does not name the scope, and has no timeout.The new scope is owned by the current thread. Only code executing in this thread can fork, join, or close the scope.
Construction captures the current thread's scoped value bindings for inheritance by threads forked in the scope.
- Implementation Requirements:
- This factory method is equivalent to invoking the 2-arg open method with the given Joiner and the identity operator.
- Type Parameters:
T- the result type of subtasks forked in the scopeR- the type of the result returned by thejoin()methodR_X- the type of the exception thrown by thejoin()method- Parameters:
joiner- the Joiner- Returns:
- a new scope
- Since:
- 25
-
open
static <T> StructuredTaskScopePREVIEW<T, Void, ExecutionException> open(UnaryOperator<StructuredTaskScope.ConfigurationPREVIEW> configOperator) Opens a newStructuredTaskScopethat uses the configuration that is the result of applying the given operator to the default configuration. Thejoin()method waits for all subtasks to succeed or any subtask to fail. It returnsnullif all subtasks complete successfully. It throwsExecutionExceptionif any subtask fails, with the exception from the first subtask to fail as the cause.This method invokes
configOperatorwith the default configuration to get the configuration for the new scope:- If
Configuration.withThreadFactory(ThreadFactory)PREVIEW is used to set aThreadFactorythen itsnewThreadmethod will be called to create threads when forking subtasks in the scope. If aThreadFactoryis not set then forking subtasks will create an unnamed virtual thread for each subtask. - If
Configuration.withTimeout(Duration)PREVIEW is used to set a timeout then it starts when the scope is opened. If the timeout expires before or while waiting injoin()then the scope is cancelled andjoin()wakes up with an outcome. If the outcome is an exception then it is thrown withCancelledByTimeoutExceptionPREVIEW as the cause. - If the operator completes with an exception or error then it is propagated by
this method. If the operator returns
nullthenNullPointerExceptionis thrown.
The new scope is owned by the current thread. Only code executing in this thread can fork, join, or close the scope.
Construction captures the current thread's scoped value bindings for inheritance by threads forked in the scope.
- Implementation Requirements:
- This factory method is equivalent to invoking the 2-arg open method with a Joiner created with
awaitAllSuccessfulOrThrow()PREVIEW and the given configuration operator. - Type Parameters:
T- the result type of subtasks forked in the scope- Parameters:
configOperator- the operator to produce the configuration- Returns:
- a new scope
- Since:
- 27
- If
-
open
Opens a newStructuredTaskScopewherejoin()waits for all subtasks to succeed or any subtask to fail. Thejoin()method returnsnullif all subtasks complete successfully. Thejoin()method throwsExecutionExceptionif any subtask fails, with the exception from the first subtask to fail as the cause.The scope is created with the default configuration. The default configuration has a
ThreadFactorythat creates unnamed virtual threads, does not name the scope, and has no timeout.The new scope is owned by the current thread. Only code executing in this thread can fork, join, or close the scope.
Construction captures the current thread's scoped value bindings for inheritance by threads forked in the scope.
- Implementation Requirements:
- This factory method is equivalent to invoking the
2-arg open method with a Joiner created
with
awaitAllSuccessfulOrThrow()PREVIEW and the identity operator. - Type Parameters:
T- the result type of subtasks- Returns:
- a new scope
- Since:
- 25
-
fork
Fork a subtask by starting a new thread in this scope to execute a value-returning method. The new thread executes the subtask concurrently with the current thread. The parameter to this method is aCallable, the new thread executes itscall()method.This method returns a
SubtaskPREVIEW object as a handle to the forked subtask. In some usages, this object will be used by the "main" task (the scope owner) to get the subtask's outcome (result or exception) after it has invokedjoin()to wait for all subtasks to complete. In other usages, the scope is created with aJoinerPREVIEW that produces the outcome for the main task to process after joining. AJoinerthat produces a result reduces the need for bookkeeping and the need for the main task to retain references toSubtaskobjects for correlation purposes.To ensure correct usage, the
Subtask.get()PREVIEW method may only be called by the scope owner to get the result of a successful subtask after it has waited for subtasks to complete with thejoin()method. Similarly, theSubtask.exception()PREVIEW method may only be called by the scope owner to get the exception (or error) of a failed subtask after it has joined. If the scope was cancelled before the subtask was forked, or before the subtask completes, then neither method can be used to obtain the outcome.This method first creates a
Subtaskobject to represent the forked subtask. It invokes the Joiner'sonFork(Subtask)PREVIEW method with the subtask in theUNAVAILABLEPREVIEW state. If theonFork(Subtask)method completes with an exception or error then it is propagated by thefork(Callable)method without creating a thread.If the scope is not already cancelled, and the
onFork(Subtask)method returnsfalse, then an unstartedThreadis created with theThreadFactoryconfigured when the scope was opened, and the thread is started. Starting the thread inherits the current thread's scoped value bindings. The bindings must match the bindings captured when the scope was opened. If the scope is already cancelled, oronFork(Subtask)returnstrueto cancel the scope, then this method returns theSubtask, in theUNAVAILABLEPREVIEW state, without creating a thread to execute the subtask.If the subtask executes and completes (successfully or with an exception) before the scope is cancelled, then the thread invokes the Joiner's
onComplete(Subtask)PREVIEW method with the subtask in theSUCCESSPREVIEW orFAILEDPREVIEW state. If theonComplete(Subtask) method returnstruethen the scope is cancelled, if not already cancelled. If theonComplete(Subtask)method completes with an exception or error, then the thread executes the uncaught exception handler before the thread terminates.This method may only be invoked by the scope owner.
- Type Parameters:
U- the result type- Parameters:
task- the value-returning task for the thread to execute- Returns:
- the subtask
- Throws:
WrongThreadException- if the current thread is not the scope ownerIllegalStateException- if the owner has already joined or the scope is closedStructureViolationExceptionPREVIEW- if the current scoped value bindings are not the same as when the scope was createdRejectedExecutionException- if the thread factory rejected creating a thread to execute the subtask- See Also:
-
fork
Fork a subtask by starting a new thread in this scope to execute a method that does not return a result.This method works exactly the same as
fork(Callable)except that the parameter to this method is aRunnable, the new thread executes itsrun()method, andSubtask.get()PREVIEW returnsnullif the subtask completes successfully.- Type Parameters:
U- the result type- Parameters:
task- the task for the thread to execute- Returns:
- the subtask
- Throws:
WrongThreadException- if the current thread is not the scope ownerIllegalStateException- if the owner has already joined or the scope is closedStructureViolationExceptionPREVIEW- if the current scoped value bindings are not the same as when the scope was createdRejectedExecutionException- if the thread factory rejected creating a thread to execute the subtask- Since:
- 25
-
join
Returns the result, or throws, after waiting for all subtasks to complete or the scope to be cancelled.This method waits for all subtasks started in this scope to complete or the scope to be cancelled. Once finished waiting, the
Joiner'sresult()PREVIEW method is invoked to produce the outcome (result or exception).If a timeoutPREVIEW is configured, and the timeout expires before or while waiting, then the scope is cancelled and the
Joiner'stimeout()PREVIEW method is invoked to produce the result or throw an exception withCancelledByTimeoutExceptionPREVIEW as the cause. TheJoiner'sresult()is not invoked in this case.This method may only be invoked by the scope owner. It may only be invoked once to get the result, exception or timeout outcome, unless the previous invocation resulted in an
InterruptedExceptionbeing thrown.- API Note:
- For some
Joinerimplementations,ExecutionExceptionis thrown when the outcome is an exception. Its stack trace will be the stack trace of the call to thejoin()method and the cause will be the exception thrown by a failed subtask with the stack trace of the failed subtask. - Returns:
- the result
- Throws:
WrongThreadException- if the current thread is not the scope ownerIllegalStateException- if already joined or this scope is closedR_X- when the outcome is an exceptionInterruptedException- if the current thread is interrupted before or while waiting. The current thread's interrupted status is cleared when this exception is thrown.- Since:
- 25
- See Also:
-
isCancelled
boolean isCancelled()Returnstrueif this scope is cancelled or in the process of being cancelled, otherwisefalse.Cancelling the scope prevents new threads from starting in the scope and interrupts threads executing unfinished subtasks. It may take some time before the interrupted threads finish execution; this method may return
truebefore all threads have been interrupted or before all threads have finished.- API Note:
- A task with a lengthy "forking phase" (the code in the
tryblock that forks subtasks before thejoin()method is invoked) may use this method to avoid doing work in cases where the scope is cancelled by the completion of a previously forked subtask or a timeout. - Returns:
trueif this scope is cancelled or in the process of being cancelled, otherwisefalse- Since:
- 25
-
close
void close()Closes this scope.This method first cancels the scope, if not already cancelled. This interrupts the threads executing unfinished subtasks. This method then waits for all threads to finish. If interrupted while waiting then it will continue to wait until the threads finish, before completing with the interrupted status set.
This method may only be invoked by the scope owner. If the scope is already closed then the scope owner invoking this method has no effect.
A
StructuredTaskScopeis intended to be used in a structured manner. If this method is called to close a scope before nested scopes are closed then it closes the underlying construct of each nested scope (in the reverse order that they were created in), closes this scope, and then throwsStructureViolationExceptionPREVIEW. Similarly, if this method is called to close a scope while executing with scoped value bindings, and the scope was created before the scoped values were bound, thenStructureViolationExceptionis thrown after closing the scope. If a thread terminates without first closing scopes that it owns then termination will cause the underlying construct of each of its open scopes to be closed. Closing is performed in the reverse order that the scopes were created in. Thread termination may therefore be delayed when the scope owner has to wait for threads forked in these scopes to finish.- Specified by:
closein interfaceAutoCloseable- Throws:
IllegalStateException- thrown after closing the scope if the scope owner did not attempt to join after forkingWrongThreadException- if the current thread is not the scope ownerStructureViolationExceptionPREVIEW- if a structure violation was detected
-
StructuredTaskScopewhen preview features are enabled.