ViewVC Help
View File | Revision Log | Show Annotations | Download File | Root Listing
root/jsr166/jsr166/src/main/java/util/concurrent/ForkJoinTask.java
Revision: 1.6
Committed: Mon Aug 3 01:18:07 2009 UTC (14 years, 10 months ago) by jsr166
Branch: MAIN
Changes since 1.5: +179 -125 lines
Log Message:
sync with jsr166 package

File Contents

# User Rev Content
1 jsr166 1.1 /*
2     * Written by Doug Lea with assistance from members of JCP JSR-166
3     * Expert Group and released to the public domain, as explained at
4     * http://creativecommons.org/licenses/publicdomain
5     */
6    
7     package java.util.concurrent;
8    
9     import java.io.Serializable;
10     import java.util.Collection;
11     import java.util.Collections;
12     import java.util.List;
13     import java.util.Map;
14     import java.util.WeakHashMap;
15    
16     /**
17 jsr166 1.6 * Abstract base class for tasks that run within a {@link ForkJoinPool}.
18     * A {@code ForkJoinTask} is a thread-like entity that is much
19 jsr166 1.1 * lighter weight than a normal thread. Huge numbers of tasks and
20     * subtasks may be hosted by a small number of actual threads in a
21     * ForkJoinPool, at the price of some usage limitations.
22     *
23 jsr166 1.6 * <p>A "main" {@code ForkJoinTask} begins execution when submitted
24     * to a {@link ForkJoinPool}. Once started, it will usually in turn
25     * start other subtasks. As indicated by the name of this class,
26     * many programs using {@code ForkJoinTask} employ only methods
27     * {@link #fork} and {@link #join}, or derivatives such as {@link
28     * #invokeAll}. However, this class also provides a number of other
29     * methods that can come into play in advanced usages, as well as
30     * extension mechanics that allow support of new forms of fork/join
31     * processing.
32 jsr166 1.1 *
33 jsr166 1.6 * <p>A {@code ForkJoinTask} is a lightweight form of {@link Future}.
34     * The efficiency of {@code ForkJoinTask}s stems from a set of
35     * restrictions (that are only partially statically enforceable)
36     * reflecting their intended use as computational tasks calculating
37     * pure functions or operating on purely isolated objects. The
38     * primary coordination mechanisms are {@link #fork}, that arranges
39     * asynchronous execution, and {@link #join}, that doesn't proceed
40     * until the task's result has been computed. Computations should
41     * avoid {@code synchronized} methods or blocks, and should minimize
42     * other blocking synchronization apart from joining other tasks or
43     * using synchronizers such as Phasers that are advertised to
44     * cooperate with fork/join scheduling. Tasks should also not perform
45     * blocking IO, and should ideally access variables that are
46     * completely independent of those accessed by other running
47     * tasks. Minor breaches of these restrictions, for example using
48     * shared output streams, may be tolerable in practice, but frequent
49     * use may result in poor performance, and the potential to
50     * indefinitely stall if the number of threads not waiting for IO or
51     * other external synchronization becomes exhausted. This usage
52     * restriction is in part enforced by not permitting checked
53     * exceptions such as {@code IOExceptions} to be thrown. However,
54     * computations may still encounter unchecked exceptions, that are
55     * rethrown to callers attempting join them. These exceptions may
56     * additionally include RejectedExecutionExceptions stemming from
57     * internal resource exhaustion such as failure to allocate internal
58     * task queues.
59 jsr166 1.1 *
60     * <p>The primary method for awaiting completion and extracting
61     * results of a task is {@link #join}, but there are several variants:
62     * The {@link Future#get} methods support interruptible and/or timed
63     * waits for completion and report results using {@code Future}
64     * conventions. Method {@link #helpJoin} enables callers to actively
65     * execute other tasks while awaiting joins, which is sometimes more
66     * efficient but only applies when all subtasks are known to be
67     * strictly tree-structured. Method {@link #invoke} is semantically
68     * equivalent to {@code fork(); join()} but always attempts to
69     * begin execution in the current thread. The "<em>quiet</em>" forms
70     * of these methods do not extract results or report exceptions. These
71     * may be useful when a set of tasks are being executed, and you need
72     * to delay processing of results or exceptions until all complete.
73     * Method {@code invokeAll} (available in multiple versions)
74     * performs the most common form of parallel invocation: forking a set
75     * of tasks and joining them all.
76     *
77 jsr166 1.6 * <p>The ForkJoinTask class is not usually directly subclassed.
78 jsr166 1.1 * Instead, you subclass one of the abstract classes that support a
79 jsr166 1.6 * particular style of fork/join processing, typically {@link
80     * RecursiveAction} for computations that do not return results, or
81     * {@link RecursiveTask} for those that do. Normally, a concrete
82 jsr166 1.1 * ForkJoinTask subclass declares fields comprising its parameters,
83     * established in a constructor, and then defines a {@code compute}
84     * method that somehow uses the control methods supplied by this base
85     * class. While these methods have {@code public} access (to allow
86     * instances of different task subclasses to call each others
87     * methods), some of them may only be called from within other
88     * ForkJoinTasks (as may be determined using method {@link
89     * #inForkJoinPool}). Attempts to invoke them in other contexts
90     * result in exceptions or errors, possibly including
91     * ClassCastException.
92     *
93     * <p>Most base support methods are {@code final} because their
94     * implementations are intrinsically tied to the underlying
95     * lightweight task scheduling framework, and so cannot be overridden.
96     * Developers creating new basic styles of fork/join processing should
97     * minimally implement {@code protected} methods
98 jsr166 1.4 * {@link #exec}, {@link #setRawResult}, and
99     * {@link #getRawResult}, while also introducing an abstract
100 jsr166 1.1 * computational method that can be implemented in its subclasses,
101     * possibly relying on other {@code protected} methods provided
102     * by this class.
103     *
104     * <p>ForkJoinTasks should perform relatively small amounts of
105     * computations, otherwise splitting into smaller tasks. As a very
106     * rough rule of thumb, a task should perform more than 100 and less
107     * than 10000 basic computational steps. If tasks are too big, then
108     * parallelism cannot improve throughput. If too small, then memory
109     * and internal task maintenance overhead may overwhelm processing.
110     *
111 jsr166 1.6 * <p>This class provides {@code adapt} methods for {@link
112     * java.lang.Runnable} and {@link java.util.concurrent.Callable}, that
113     * may be of use when mixing execution of ForkJoinTasks with other
114     * kinds of tasks. When all tasks are of this form, consider using a
115     * pool in {@link ForkJoinPool#setAsyncMode}.
116     *
117 jsr166 1.1 * <p>ForkJoinTasks are {@code Serializable}, which enables them
118     * to be used in extensions such as remote execution frameworks. It is
119     * in general sensible to serialize tasks only before or after, but
120     * not during execution. Serialization is not relied on during
121     * execution itself.
122     *
123     * @since 1.7
124     * @author Doug Lea
125     */
126     public abstract class ForkJoinTask<V> implements Future<V>, Serializable {
127    
128     /**
129     * Run control status bits packed into a single int to minimize
130     * footprint and to ensure atomicity (via CAS). Status is
131     * initially zero, and takes on nonnegative values until
132     * completed, upon which status holds COMPLETED. CANCELLED, or
133     * EXCEPTIONAL, which use the top 3 bits. Tasks undergoing
134     * blocking waits by other threads have SIGNAL_MASK bits set --
135     * bit 15 for external (nonFJ) waits, and the rest a count of
136     * waiting FJ threads. (This representation relies on
137     * ForkJoinPool max thread limits). Completion of a stolen task
138     * with SIGNAL_MASK bits set awakens waiter via notifyAll. Even
139     * though suboptimal for some purposes, we use basic builtin
140     * wait/notify to take advantage of "monitor inflation" in JVMs
141     * that we would otherwise need to emulate to avoid adding further
142     * per-task bookkeeping overhead. Note that bits 16-28 are
143     * currently unused. Also value 0x80000000 is available as spare
144     * completion value.
145     */
146     volatile int status; // accessed directly by pool and workers
147    
148     static final int COMPLETION_MASK = 0xe0000000;
149     static final int NORMAL = 0xe0000000; // == mask
150     static final int CANCELLED = 0xc0000000;
151     static final int EXCEPTIONAL = 0xa0000000;
152     static final int SIGNAL_MASK = 0x0000ffff;
153     static final int INTERNAL_SIGNAL_MASK = 0x00007fff;
154     static final int EXTERNAL_SIGNAL = 0x00008000; // top bit of low word
155    
156     /**
157     * Table of exceptions thrown by tasks, to enable reporting by
158     * callers. Because exceptions are rare, we don't directly keep
159     * them with task objects, but instead use a weak ref table. Note
160     * that cancellation exceptions don't appear in the table, but are
161     * instead recorded as status values.
162     * TODO: Use ConcurrentReferenceHashMap
163     */
164     static final Map<ForkJoinTask<?>, Throwable> exceptionMap =
165     Collections.synchronizedMap
166     (new WeakHashMap<ForkJoinTask<?>, Throwable>());
167    
168     // within-package utilities
169    
170     /**
171     * Gets current worker thread, or null if not a worker thread.
172     */
173     static ForkJoinWorkerThread getWorker() {
174     Thread t = Thread.currentThread();
175     return ((t instanceof ForkJoinWorkerThread) ?
176     (ForkJoinWorkerThread) t : null);
177     }
178    
179     final boolean casStatus(int cmp, int val) {
180     return UNSAFE.compareAndSwapInt(this, statusOffset, cmp, val);
181     }
182    
183     /**
184     * Workaround for not being able to rethrow unchecked exceptions.
185     */
186     static void rethrowException(Throwable ex) {
187     if (ex != null)
188     UNSAFE.throwException(ex);
189     }
190    
191     // Setting completion status
192    
193     /**
194     * Marks completion and wakes up threads waiting to join this task.
195     *
196     * @param completion one of NORMAL, CANCELLED, EXCEPTIONAL
197     */
198     final void setCompletion(int completion) {
199     ForkJoinPool pool = getPool();
200     if (pool != null) {
201     int s; // Clear signal bits while setting completion status
202     do {} while ((s = status) >= 0 && !casStatus(s, completion));
203    
204     if ((s & SIGNAL_MASK) != 0) {
205     if ((s &= INTERNAL_SIGNAL_MASK) != 0)
206     pool.updateRunningCount(s);
207     synchronized (this) { notifyAll(); }
208     }
209     }
210     else
211     externallySetCompletion(completion);
212     }
213    
214     /**
215     * Version of setCompletion for non-FJ threads. Leaves signal
216     * bits for unblocked threads to adjust, and always notifies.
217     */
218     private void externallySetCompletion(int completion) {
219     int s;
220     do {} while ((s = status) >= 0 &&
221     !casStatus(s, (s & SIGNAL_MASK) | completion));
222     synchronized (this) { notifyAll(); }
223     }
224    
225     /**
226     * Sets status to indicate normal completion.
227     */
228     final void setNormalCompletion() {
229     // Try typical fast case -- single CAS, no signal, not already done.
230     // Manually expand casStatus to improve chances of inlining it
231     if (!UNSAFE.compareAndSwapInt(this, statusOffset, 0, NORMAL))
232     setCompletion(NORMAL);
233     }
234    
235     // internal waiting and notification
236    
237     /**
238     * Performs the actual monitor wait for awaitDone.
239     */
240     private void doAwaitDone() {
241     // Minimize lock bias and in/de-flation effects by maximizing
242     // chances of waiting inside sync
243     try {
244     while (status >= 0)
245     synchronized (this) { if (status >= 0) wait(); }
246     } catch (InterruptedException ie) {
247     onInterruptedWait();
248     }
249     }
250    
251     /**
252     * Performs the actual timed monitor wait for awaitDone.
253     */
254     private void doAwaitDone(long startTime, long nanos) {
255     synchronized (this) {
256     try {
257     while (status >= 0) {
258 jsr166 1.5 long nt = nanos - (System.nanoTime() - startTime);
259 jsr166 1.1 if (nt <= 0)
260     break;
261     wait(nt / 1000000, (int) (nt % 1000000));
262     }
263     } catch (InterruptedException ie) {
264     onInterruptedWait();
265     }
266     }
267     }
268    
269     // Awaiting completion
270    
271     /**
272     * Sets status to indicate there is joiner, then waits for join,
273     * surrounded with pool notifications.
274     *
275     * @return status upon exit
276     */
277     private int awaitDone(ForkJoinWorkerThread w,
278     boolean maintainParallelism) {
279     ForkJoinPool pool = (w == null) ? null : w.pool;
280     int s;
281     while ((s = status) >= 0) {
282     if (casStatus(s, (pool == null) ? s|EXTERNAL_SIGNAL : s+1)) {
283     if (pool == null || !pool.preJoin(this, maintainParallelism))
284     doAwaitDone();
285     if (((s = status) & INTERNAL_SIGNAL_MASK) != 0)
286     adjustPoolCountsOnUnblock(pool);
287     break;
288     }
289     }
290     return s;
291     }
292    
293     /**
294     * Timed version of awaitDone
295     *
296     * @return status upon exit
297     */
298     private int awaitDone(ForkJoinWorkerThread w, long nanos) {
299     ForkJoinPool pool = (w == null) ? null : w.pool;
300     int s;
301     while ((s = status) >= 0) {
302     if (casStatus(s, (pool == null) ? s|EXTERNAL_SIGNAL : s+1)) {
303     long startTime = System.nanoTime();
304     if (pool == null || !pool.preJoin(this, false))
305     doAwaitDone(startTime, nanos);
306     if ((s = status) >= 0) {
307     adjustPoolCountsOnCancelledWait(pool);
308     s = status;
309     }
310     if (s < 0 && (s & INTERNAL_SIGNAL_MASK) != 0)
311     adjustPoolCountsOnUnblock(pool);
312     break;
313     }
314     }
315     return s;
316     }
317    
318     /**
319     * Notifies pool that thread is unblocked. Called by signalled
320     * threads when woken by non-FJ threads (which is atypical).
321     */
322     private void adjustPoolCountsOnUnblock(ForkJoinPool pool) {
323     int s;
324     do {} while ((s = status) < 0 && !casStatus(s, s & COMPLETION_MASK));
325     if (pool != null && (s &= INTERNAL_SIGNAL_MASK) != 0)
326     pool.updateRunningCount(s);
327     }
328    
329     /**
330     * Notifies pool to adjust counts on cancelled or timed out wait.
331     */
332     private void adjustPoolCountsOnCancelledWait(ForkJoinPool pool) {
333     if (pool != null) {
334     int s;
335     while ((s = status) >= 0 && (s & INTERNAL_SIGNAL_MASK) != 0) {
336     if (casStatus(s, s - 1)) {
337     pool.updateRunningCount(1);
338     break;
339     }
340     }
341     }
342     }
343    
344     /**
345     * Handles interruptions during waits.
346     */
347     private void onInterruptedWait() {
348     ForkJoinWorkerThread w = getWorker();
349     if (w == null)
350     Thread.currentThread().interrupt(); // re-interrupt
351     else if (w.isTerminating())
352     cancelIgnoringExceptions();
353     // else if FJworker, ignore interrupt
354     }
355    
356     // Recording and reporting exceptions
357    
358     private void setDoneExceptionally(Throwable rex) {
359     exceptionMap.put(this, rex);
360     setCompletion(EXCEPTIONAL);
361     }
362    
363     /**
364     * Throws the exception associated with status s.
365     *
366     * @throws the exception
367     */
368     private void reportException(int s) {
369     if ((s &= COMPLETION_MASK) < NORMAL) {
370     if (s == CANCELLED)
371     throw new CancellationException();
372     else
373     rethrowException(exceptionMap.get(this));
374     }
375     }
376    
377     /**
378     * Returns result or throws exception using j.u.c.Future conventions.
379     * Only call when {@code isDone} known to be true.
380     */
381     private V reportFutureResult()
382     throws ExecutionException, InterruptedException {
383     int s = status & COMPLETION_MASK;
384     if (s < NORMAL) {
385     Throwable ex;
386     if (s == CANCELLED)
387     throw new CancellationException();
388     if (s == EXCEPTIONAL && (ex = exceptionMap.get(this)) != null)
389     throw new ExecutionException(ex);
390     if (Thread.interrupted())
391     throw new InterruptedException();
392     }
393     return getRawResult();
394     }
395    
396     /**
397     * Returns result or throws exception using j.u.c.Future conventions
398     * with timeouts.
399     */
400     private V reportTimedFutureResult()
401     throws InterruptedException, ExecutionException, TimeoutException {
402     Throwable ex;
403     int s = status & COMPLETION_MASK;
404     if (s == NORMAL)
405     return getRawResult();
406     if (s == CANCELLED)
407     throw new CancellationException();
408     if (s == EXCEPTIONAL && (ex = exceptionMap.get(this)) != null)
409     throw new ExecutionException(ex);
410     if (Thread.interrupted())
411     throw new InterruptedException();
412     throw new TimeoutException();
413     }
414    
415     // internal execution methods
416    
417     /**
418     * Calls exec, recording completion, and rethrowing exception if
419     * encountered. Caller should normally check status before calling.
420     *
421     * @return true if completed normally
422     */
423     private boolean tryExec() {
424     try { // try block must contain only call to exec
425     if (!exec())
426     return false;
427     } catch (Throwable rex) {
428     setDoneExceptionally(rex);
429     rethrowException(rex);
430     return false; // not reached
431     }
432     setNormalCompletion();
433     return true;
434     }
435    
436     /**
437     * Main execution method used by worker threads. Invokes
438     * base computation unless already complete.
439     */
440     final void quietlyExec() {
441     if (status >= 0) {
442     try {
443     if (!exec())
444     return;
445     } catch (Throwable rex) {
446     setDoneExceptionally(rex);
447     return;
448     }
449     setNormalCompletion();
450     }
451     }
452    
453     /**
454     * Calls exec(), recording but not rethrowing exception.
455     * Caller should normally check status before calling.
456     *
457     * @return true if completed normally
458     */
459     private boolean tryQuietlyInvoke() {
460     try {
461     if (!exec())
462     return false;
463     } catch (Throwable rex) {
464     setDoneExceptionally(rex);
465     return false;
466     }
467     setNormalCompletion();
468     return true;
469     }
470    
471     /**
472     * Cancels, ignoring any exceptions it throws.
473     */
474     final void cancelIgnoringExceptions() {
475     try {
476     cancel(false);
477     } catch (Throwable ignore) {
478     }
479     }
480    
481     /**
482     * Main implementation of helpJoin
483     */
484     private int busyJoin(ForkJoinWorkerThread w) {
485     int s;
486     ForkJoinTask<?> t;
487     while ((s = status) >= 0 && (t = w.scanWhileJoining(this)) != null)
488     t.quietlyExec();
489     return (s >= 0) ? awaitDone(w, false) : s; // block if no work
490     }
491    
492     // public methods
493    
494     /**
495     * Arranges to asynchronously execute this task. While it is not
496     * necessarily enforced, it is a usage error to fork a task more
497 jsr166 1.6 * than once unless it has completed and been reinitialized.
498     *
499     * <p>This method may be invoked only from within {@code
500     * ForkJoinTask} computations (as may be determined using method
501     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
502     * result in exceptions or errors, possibly including {@code
503     * ClassCastException}.
504 jsr166 1.2 *
505 jsr166 1.6 * @return {@code this}, to simplify usage
506 jsr166 1.1 */
507 jsr166 1.2 public final ForkJoinTask<V> fork() {
508 jsr166 1.1 ((ForkJoinWorkerThread) Thread.currentThread())
509     .pushTask(this);
510 jsr166 1.2 return this;
511 jsr166 1.1 }
512    
513     /**
514     * Returns the result of the computation when it is ready.
515 jsr166 1.6 * This method differs from {@link #get()} in that
516     * abnormal completion results in {@code RuntimeException} or
517     * {@code Error}, not {@code ExecutionException}.
518 jsr166 1.1 *
519     * @return the computed result
520     */
521     public final V join() {
522     ForkJoinWorkerThread w = getWorker();
523     if (w == null || status < 0 || !w.unpushTask(this) || !tryExec())
524     reportException(awaitDone(w, true));
525     return getRawResult();
526     }
527    
528     /**
529     * Commences performing this task, awaits its completion if
530     * necessary, and return its result.
531     *
532     * @throws Throwable (a RuntimeException, Error, or unchecked
533     * exception) if the underlying computation did so
534     * @return the computed result
535     */
536     public final V invoke() {
537     if (status >= 0 && tryExec())
538     return getRawResult();
539     else
540     return join();
541     }
542    
543     /**
544 jsr166 1.6 * Forks the given tasks, returning when {@code isDone} holds
545     * for each task or an exception is encountered.
546     *
547     * <p>This method may be invoked only from within {@code
548     * ForkJoinTask} computations (as may be determined using method
549     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
550     * result in exceptions or errors, possibly including {@code
551     * ClassCastException}.
552     *
553     * @param t1 the first task
554     * @param t2 the second task
555     * @throws NullPointerException if any task is null
556     * @throws RuntimeException or Error if a task did so
557 jsr166 1.1 */
558 jsr166 1.6 public static void invokeAll(ForkJoinTask<?> t1, ForkJoinTask<?> t2) {
559 jsr166 1.1 t2.fork();
560     t1.invoke();
561     t2.join();
562     }
563    
564     /**
565 jsr166 1.6 * Forks the given tasks, returning when {@code isDone} holds for
566     * each task or an exception is encountered. If any task
567     * encounters an exception, others may be, but are not guaranteed
568     * to be, cancelled.
569     *
570     * <p>This method may be invoked only from within {@code
571     * ForkJoinTask} computations (as may be determined using method
572     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
573     * result in exceptions or errors, possibly including {@code
574     * ClassCastException}.
575     *
576     * <p>Overloadings of this method exist for the special cases
577     * of one to four arguments.
578 jsr166 1.1 *
579 jsr166 1.6 * @param tasks the tasks
580 jsr166 1.1 * @throws NullPointerException if tasks or any element are null
581     * @throws RuntimeException or Error if any task did so
582     */
583     public static void invokeAll(ForkJoinTask<?>... tasks) {
584     Throwable ex = null;
585     int last = tasks.length - 1;
586     for (int i = last; i >= 0; --i) {
587     ForkJoinTask<?> t = tasks[i];
588     if (t == null) {
589     if (ex == null)
590     ex = new NullPointerException();
591     }
592     else if (i != 0)
593     t.fork();
594     else {
595     t.quietlyInvoke();
596     if (ex == null)
597     ex = t.getException();
598     }
599     }
600     for (int i = 1; i <= last; ++i) {
601     ForkJoinTask<?> t = tasks[i];
602     if (t != null) {
603     if (ex != null)
604     t.cancel(false);
605     else {
606     t.quietlyJoin();
607     if (ex == null)
608     ex = t.getException();
609     }
610     }
611     }
612     if (ex != null)
613     rethrowException(ex);
614     }
615    
616     /**
617 jsr166 1.6 * Forks all tasks in the collection, returning when {@code
618     * isDone} holds for each task or an exception is encountered.
619     * If any task encounters an exception, others may be, but are
620     * not guaranteed to be, cancelled.
621     *
622     * <p>This method may be invoked only from within {@code
623     * ForkJoinTask} computations (as may be determined using method
624     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
625     * result in exceptions or errors, possibly including {@code
626     * ClassCastException}.
627 jsr166 1.1 *
628     * @param tasks the collection of tasks
629 jsr166 1.2 * @return the tasks argument, to simplify usage
630 jsr166 1.1 * @throws NullPointerException if tasks or any element are null
631     * @throws RuntimeException or Error if any task did so
632     */
633 jsr166 1.2 public static <T extends ForkJoinTask<?>> Collection<T> invokeAll(Collection<T> tasks) {
634 jsr166 1.1 if (!(tasks instanceof List<?>)) {
635     invokeAll(tasks.toArray(new ForkJoinTask<?>[tasks.size()]));
636 jsr166 1.2 return tasks;
637 jsr166 1.1 }
638     @SuppressWarnings("unchecked")
639     List<? extends ForkJoinTask<?>> ts =
640     (List<? extends ForkJoinTask<?>>) tasks;
641     Throwable ex = null;
642     int last = ts.size() - 1;
643     for (int i = last; i >= 0; --i) {
644     ForkJoinTask<?> t = ts.get(i);
645     if (t == null) {
646     if (ex == null)
647     ex = new NullPointerException();
648     }
649     else if (i != 0)
650     t.fork();
651     else {
652     t.quietlyInvoke();
653     if (ex == null)
654     ex = t.getException();
655     }
656     }
657     for (int i = 1; i <= last; ++i) {
658     ForkJoinTask<?> t = ts.get(i);
659     if (t != null) {
660     if (ex != null)
661     t.cancel(false);
662     else {
663     t.quietlyJoin();
664     if (ex == null)
665     ex = t.getException();
666     }
667     }
668     }
669     if (ex != null)
670     rethrowException(ex);
671 jsr166 1.2 return tasks;
672 jsr166 1.1 }
673    
674     /**
675 jsr166 1.4 * Returns {@code true} if the computation performed by this task
676     * has completed (or has been cancelled).
677 jsr166 1.1 *
678 jsr166 1.4 * @return {@code true} if this computation has completed
679 jsr166 1.1 */
680     public final boolean isDone() {
681     return status < 0;
682     }
683    
684     /**
685 jsr166 1.4 * Returns {@code true} if this task was cancelled.
686 jsr166 1.1 *
687 jsr166 1.4 * @return {@code true} if this task was cancelled
688 jsr166 1.1 */
689     public final boolean isCancelled() {
690     return (status & COMPLETION_MASK) == CANCELLED;
691     }
692    
693     /**
694     * Asserts that the results of this task's computation will not be
695     * used. If a cancellation occurs before attempting to execute this
696 jsr166 1.4 * task, execution will be suppressed, {@link #isCancelled}
697     * will report true, and {@link #join} will result in a
698 jsr166 1.1 * {@code CancellationException} being thrown. Otherwise, when
699     * cancellation races with completion, there are no guarantees
700 jsr166 1.4 * about whether {@code isCancelled} will report {@code true},
701     * whether {@code join} will return normally or via an exception,
702     * or whether these behaviors will remain consistent upon repeated
703 jsr166 1.1 * invocation.
704     *
705     * <p>This method may be overridden in subclasses, but if so, must
706     * still ensure that these minimal properties hold. In particular,
707 jsr166 1.6 * the {@code cancel} method itself must not throw exceptions.
708 jsr166 1.1 *
709 jsr166 1.6 * <p>This method is designed to be invoked by <em>other</em>
710 jsr166 1.1 * tasks. To terminate the current task, you can just return or
711     * throw an unchecked exception from its computation method, or
712 jsr166 1.4 * invoke {@link #completeExceptionally}.
713 jsr166 1.1 *
714     * @param mayInterruptIfRunning this value is ignored in the
715     * default implementation because tasks are not in general
716     * cancelled via interruption
717     *
718 jsr166 1.4 * @return {@code true} if this task is now cancelled
719 jsr166 1.1 */
720     public boolean cancel(boolean mayInterruptIfRunning) {
721     setCompletion(CANCELLED);
722     return (status & COMPLETION_MASK) == CANCELLED;
723     }
724    
725     /**
726 jsr166 1.4 * Returns {@code true} if this task threw an exception or was cancelled.
727 jsr166 1.1 *
728 jsr166 1.4 * @return {@code true} if this task threw an exception or was cancelled
729 jsr166 1.1 */
730     public final boolean isCompletedAbnormally() {
731     return (status & COMPLETION_MASK) < NORMAL;
732     }
733    
734     /**
735     * Returns the exception thrown by the base computation, or a
736 jsr166 1.6 * {@code CancellationException} if cancelled, or {@code null} if
737     * none or if the method has not yet completed.
738 jsr166 1.1 *
739 jsr166 1.4 * @return the exception, or {@code null} if none
740 jsr166 1.1 */
741     public final Throwable getException() {
742     int s = status & COMPLETION_MASK;
743     if (s >= NORMAL)
744     return null;
745     if (s == CANCELLED)
746     return new CancellationException();
747     return exceptionMap.get(this);
748     }
749    
750     /**
751     * Completes this task abnormally, and if not already aborted or
752     * cancelled, causes it to throw the given exception upon
753     * {@code join} and related operations. This method may be used
754     * to induce exceptions in asynchronous tasks, or to force
755     * completion of tasks that would not otherwise complete. Its use
756 jsr166 1.6 * in other situations is discouraged. This method is
757 jsr166 1.1 * overridable, but overridden versions must invoke {@code super}
758     * implementation to maintain guarantees.
759     *
760     * @param ex the exception to throw. If this exception is
761     * not a RuntimeException or Error, the actual exception thrown
762     * will be a RuntimeException with cause ex.
763     */
764     public void completeExceptionally(Throwable ex) {
765     setDoneExceptionally((ex instanceof RuntimeException) ||
766     (ex instanceof Error) ? ex :
767     new RuntimeException(ex));
768     }
769    
770     /**
771     * Completes this task, and if not already aborted or cancelled,
772     * returning a {@code null} result upon {@code join} and related
773     * operations. This method may be used to provide results for
774     * asynchronous tasks, or to provide alternative handling for
775     * tasks that would not otherwise complete normally. Its use in
776 jsr166 1.6 * other situations is discouraged. This method is
777 jsr166 1.1 * overridable, but overridden versions must invoke {@code super}
778     * implementation to maintain guarantees.
779     *
780     * @param value the result value for this task
781     */
782     public void complete(V value) {
783     try {
784     setRawResult(value);
785     } catch (Throwable rex) {
786     setDoneExceptionally(rex);
787     return;
788     }
789     setNormalCompletion();
790     }
791    
792     public final V get() throws InterruptedException, ExecutionException {
793     ForkJoinWorkerThread w = getWorker();
794     if (w == null || status < 0 || !w.unpushTask(this) || !tryQuietlyInvoke())
795     awaitDone(w, true);
796     return reportFutureResult();
797     }
798    
799     public final V get(long timeout, TimeUnit unit)
800     throws InterruptedException, ExecutionException, TimeoutException {
801 jsr166 1.5 long nanos = unit.toNanos(timeout);
802 jsr166 1.1 ForkJoinWorkerThread w = getWorker();
803     if (w == null || status < 0 || !w.unpushTask(this) || !tryQuietlyInvoke())
804 jsr166 1.5 awaitDone(w, nanos);
805 jsr166 1.1 return reportTimedFutureResult();
806     }
807    
808     /**
809     * Possibly executes other tasks until this task is ready, then
810     * returns the result of the computation. This method may be more
811     * efficient than {@code join}, but is only applicable when
812     * there are no potential dependencies between continuation of the
813     * current task and that of any other task that might be executed
814     * while helping. (This usually holds for pure divide-and-conquer
815 jsr166 1.6 * tasks).
816     *
817     * <p>This method may be invoked only from within {@code
818     * ForkJoinTask} computations (as may be determined using method
819     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
820     * result in exceptions or errors, possibly including {@code
821     * ClassCastException}.
822 jsr166 1.1 *
823     * @return the computed result
824     */
825     public final V helpJoin() {
826     ForkJoinWorkerThread w = (ForkJoinWorkerThread) Thread.currentThread();
827     if (status < 0 || !w.unpushTask(this) || !tryExec())
828     reportException(busyJoin(w));
829     return getRawResult();
830     }
831    
832     /**
833 jsr166 1.6 * Possibly executes other tasks until this task is ready.
834     *
835     * <p>This method may be invoked only from within {@code
836     * ForkJoinTask} computations (as may be determined using method
837     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
838     * result in exceptions or errors, possibly including {@code
839     * ClassCastException}.
840 jsr166 1.1 */
841     public final void quietlyHelpJoin() {
842     if (status >= 0) {
843     ForkJoinWorkerThread w =
844     (ForkJoinWorkerThread) Thread.currentThread();
845     if (!w.unpushTask(this) || !tryQuietlyInvoke())
846     busyJoin(w);
847     }
848     }
849    
850     /**
851     * Joins this task, without returning its result or throwing an
852     * exception. This method may be useful when processing
853     * collections of tasks when some have been cancelled or otherwise
854     * known to have aborted.
855     */
856     public final void quietlyJoin() {
857     if (status >= 0) {
858     ForkJoinWorkerThread w = getWorker();
859     if (w == null || !w.unpushTask(this) || !tryQuietlyInvoke())
860     awaitDone(w, true);
861     }
862     }
863    
864     /**
865     * Commences performing this task and awaits its completion if
866     * necessary, without returning its result or throwing an
867     * exception. This method may be useful when processing
868     * collections of tasks when some have been cancelled or otherwise
869     * known to have aborted.
870     */
871     public final void quietlyInvoke() {
872     if (status >= 0 && !tryQuietlyInvoke())
873     quietlyJoin();
874     }
875    
876     /**
877     * Possibly executes tasks until the pool hosting the current task
878     * {@link ForkJoinPool#isQuiescent}. This method may be of use in
879     * designs in which many tasks are forked, but none are explicitly
880     * joined, instead executing them until all are processed.
881 jsr166 1.6 *
882     * <p>This method may be invoked only from within {@code
883     * ForkJoinTask} computations (as may be determined using method
884     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
885     * result in exceptions or errors, possibly including {@code
886     * ClassCastException}.
887 jsr166 1.1 */
888     public static void helpQuiesce() {
889     ((ForkJoinWorkerThread) Thread.currentThread())
890     .helpQuiescePool();
891     }
892    
893     /**
894     * Resets the internal bookkeeping state of this task, allowing a
895     * subsequent {@code fork}. This method allows repeated reuse of
896     * this task, but only if reuse occurs when this task has either
897     * never been forked, or has been forked, then completed and all
898     * outstanding joins of this task have also completed. Effects
899 jsr166 1.6 * under any other usage conditions are not guaranteed.
900     * This method may be useful when executing
901 jsr166 1.1 * pre-constructed trees of subtasks in loops.
902     */
903     public void reinitialize() {
904     if ((status & COMPLETION_MASK) == EXCEPTIONAL)
905     exceptionMap.remove(this);
906     status = 0;
907     }
908    
909     /**
910     * Returns the pool hosting the current task execution, or null
911     * if this task is executing outside of any ForkJoinPool.
912     *
913 jsr166 1.6 * @see #inForkJoinPool
914 jsr166 1.4 * @return the pool, or {@code null} if none
915 jsr166 1.1 */
916     public static ForkJoinPool getPool() {
917     Thread t = Thread.currentThread();
918     return (t instanceof ForkJoinWorkerThread) ?
919     ((ForkJoinWorkerThread) t).pool : null;
920     }
921    
922     /**
923     * Returns {@code true} if the current thread is executing as a
924     * ForkJoinPool computation.
925     *
926     * @return {@code true} if the current thread is executing as a
927     * ForkJoinPool computation, or false otherwise
928     */
929     public static boolean inForkJoinPool() {
930     return Thread.currentThread() instanceof ForkJoinWorkerThread;
931     }
932    
933     /**
934     * Tries to unschedule this task for execution. This method will
935     * typically succeed if this task is the most recently forked task
936     * by the current thread, and has not commenced executing in
937     * another thread. This method may be useful when arranging
938     * alternative local processing of tasks that could have been, but
939 jsr166 1.6 * were not, stolen.
940     *
941     * <p>This method may be invoked only from within {@code
942     * ForkJoinTask} computations (as may be determined using method
943     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
944     * result in exceptions or errors, possibly including {@code
945     * ClassCastException}.
946 jsr166 1.1 *
947 jsr166 1.4 * @return {@code true} if unforked
948 jsr166 1.1 */
949     public boolean tryUnfork() {
950     return ((ForkJoinWorkerThread) Thread.currentThread())
951     .unpushTask(this);
952     }
953    
954     /**
955     * Returns an estimate of the number of tasks that have been
956     * forked by the current worker thread but not yet executed. This
957     * value may be useful for heuristic decisions about whether to
958     * fork other tasks.
959     *
960 jsr166 1.6 * <p>This method may be invoked only from within {@code
961     * ForkJoinTask} computations (as may be determined using method
962     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
963     * result in exceptions or errors, possibly including {@code
964     * ClassCastException}.
965     *
966 jsr166 1.1 * @return the number of tasks
967     */
968     public static int getQueuedTaskCount() {
969     return ((ForkJoinWorkerThread) Thread.currentThread())
970     .getQueueSize();
971     }
972    
973     /**
974     * Returns an estimate of how many more locally queued tasks are
975     * held by the current worker thread than there are other worker
976     * threads that might steal them. This value may be useful for
977     * heuristic decisions about whether to fork other tasks. In many
978     * usages of ForkJoinTasks, at steady state, each worker should
979     * aim to maintain a small constant surplus (for example, 3) of
980     * tasks, and to process computations locally if this threshold is
981     * exceeded.
982     *
983 jsr166 1.6 * <p>This method may be invoked only from within {@code
984     * ForkJoinTask} computations (as may be determined using method
985     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
986     * result in exceptions or errors, possibly including {@code
987     * ClassCastException}.
988     *
989 jsr166 1.1 * @return the surplus number of tasks, which may be negative
990     */
991     public static int getSurplusQueuedTaskCount() {
992     return ((ForkJoinWorkerThread) Thread.currentThread())
993     .getEstimatedSurplusTaskCount();
994     }
995    
996     // Extension methods
997    
998     /**
999 jsr166 1.4 * Returns the result that would be returned by {@link #join}, even
1000     * if this task completed abnormally, or {@code null} if this task
1001     * is not known to have been completed. This method is designed
1002     * to aid debugging, as well as to support extensions. Its use in
1003     * any other context is discouraged.
1004 jsr166 1.1 *
1005 jsr166 1.4 * @return the result, or {@code null} if not completed
1006 jsr166 1.1 */
1007     public abstract V getRawResult();
1008    
1009     /**
1010     * Forces the given value to be returned as a result. This method
1011     * is designed to support extensions, and should not in general be
1012     * called otherwise.
1013     *
1014     * @param value the value
1015     */
1016     protected abstract void setRawResult(V value);
1017    
1018     /**
1019     * Immediately performs the base action of this task. This method
1020     * is designed to support extensions, and should not in general be
1021     * called otherwise. The return value controls whether this task
1022     * is considered to be done normally. It may return false in
1023     * asynchronous actions that require explicit invocations of
1024 jsr166 1.4 * {@link #complete} to become joinable. It may throw exceptions
1025 jsr166 1.1 * to indicate abnormal exit.
1026     *
1027 jsr166 1.4 * @return {@code true} if completed normally
1028 jsr166 1.1 * @throws Error or RuntimeException if encountered during computation
1029     */
1030     protected abstract boolean exec();
1031    
1032     /**
1033 jsr166 1.5 * Returns, but does not unschedule or execute, a task queued by
1034     * the current thread but not yet executed, if one is immediately
1035 jsr166 1.1 * available. There is no guarantee that this task will actually
1036 jsr166 1.5 * be polled or executed next. Conversely, this method may return
1037     * null even if a task exists but cannot be accessed without
1038     * contention with other threads. This method is designed
1039     * primarily to support extensions, and is unlikely to be useful
1040 jsr166 1.6 * otherwise.
1041     *
1042     * <p>This method may be invoked only from within {@code
1043     * ForkJoinTask} computations (as may be determined using method
1044     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
1045     * result in exceptions or errors, possibly including {@code
1046     * ClassCastException}.
1047 jsr166 1.1 *
1048 jsr166 1.4 * @return the next task, or {@code null} if none are available
1049 jsr166 1.1 */
1050     protected static ForkJoinTask<?> peekNextLocalTask() {
1051     return ((ForkJoinWorkerThread) Thread.currentThread())
1052     .peekTask();
1053     }
1054    
1055     /**
1056     * Unschedules and returns, without executing, the next task
1057     * queued by the current thread but not yet executed. This method
1058     * is designed primarily to support extensions, and is unlikely to
1059 jsr166 1.6 * be useful otherwise.
1060     *
1061     * <p>This method may be invoked only from within {@code
1062     * ForkJoinTask} computations (as may be determined using method
1063     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
1064     * result in exceptions or errors, possibly including {@code
1065     * ClassCastException}.
1066 jsr166 1.1 *
1067 jsr166 1.4 * @return the next task, or {@code null} if none are available
1068 jsr166 1.1 */
1069     protected static ForkJoinTask<?> pollNextLocalTask() {
1070     return ((ForkJoinWorkerThread) Thread.currentThread())
1071     .pollLocalTask();
1072     }
1073    
1074     /**
1075     * Unschedules and returns, without executing, the next task
1076     * queued by the current thread but not yet executed, if one is
1077     * available, or if not available, a task that was forked by some
1078     * other thread, if available. Availability may be transient, so a
1079     * {@code null} result does not necessarily imply quiescence
1080     * of the pool this task is operating in. This method is designed
1081     * primarily to support extensions, and is unlikely to be useful
1082 jsr166 1.6 * otherwise.
1083     *
1084     * <p>This method may be invoked only from within {@code
1085     * ForkJoinTask} computations (as may be determined using method
1086     * {@link #inForkJoinPool}). Attempts to invoke in other contexts
1087     * result in exceptions or errors, possibly including {@code
1088     * ClassCastException}.
1089 jsr166 1.1 *
1090 jsr166 1.4 * @return a task, or {@code null} if none are available
1091 jsr166 1.1 */
1092     protected static ForkJoinTask<?> pollTask() {
1093     return ((ForkJoinWorkerThread) Thread.currentThread())
1094     .pollTask();
1095     }
1096    
1097 jsr166 1.5 /**
1098     * Adaptor for Runnables. This implements RunnableFuture
1099     * to be compliant with AbstractExecutorService constraints
1100     * when used in ForkJoinPool.
1101     */
1102     static final class AdaptedRunnable<T> extends ForkJoinTask<T>
1103     implements RunnableFuture<T> {
1104     final Runnable runnable;
1105     final T resultOnCompletion;
1106     T result;
1107     AdaptedRunnable(Runnable runnable, T result) {
1108     if (runnable == null) throw new NullPointerException();
1109     this.runnable = runnable;
1110     this.resultOnCompletion = result;
1111     }
1112     public T getRawResult() { return result; }
1113     public void setRawResult(T v) { result = v; }
1114     public boolean exec() {
1115     runnable.run();
1116     result = resultOnCompletion;
1117     return true;
1118     }
1119     public void run() { invoke(); }
1120     private static final long serialVersionUID = 5232453952276885070L;
1121     }
1122    
1123     /**
1124     * Adaptor for Callables
1125     */
1126     static final class AdaptedCallable<T> extends ForkJoinTask<T>
1127     implements RunnableFuture<T> {
1128 jsr166 1.6 final Callable<? extends T> callable;
1129 jsr166 1.5 T result;
1130 jsr166 1.6 AdaptedCallable(Callable<? extends T> callable) {
1131 jsr166 1.5 if (callable == null) throw new NullPointerException();
1132     this.callable = callable;
1133     }
1134     public T getRawResult() { return result; }
1135     public void setRawResult(T v) { result = v; }
1136     public boolean exec() {
1137     try {
1138     result = callable.call();
1139     return true;
1140     } catch (Error err) {
1141     throw err;
1142     } catch (RuntimeException rex) {
1143     throw rex;
1144     } catch (Exception ex) {
1145     throw new RuntimeException(ex);
1146     }
1147     }
1148     public void run() { invoke(); }
1149     private static final long serialVersionUID = 2838392045355241008L;
1150     }
1151 jsr166 1.2
1152     /**
1153 jsr166 1.6 * Returns a new {@code ForkJoinTask} that performs the {@code run}
1154     * method of the given {@code Runnable} as its action, and returns
1155     * a null result upon {@link #join}.
1156 jsr166 1.2 *
1157     * @param runnable the runnable action
1158     * @return the task
1159     */
1160 jsr166 1.6 public static ForkJoinTask<?> adapt(Runnable runnable) {
1161 jsr166 1.5 return new AdaptedRunnable<Void>(runnable, null);
1162 jsr166 1.2 }
1163    
1164     /**
1165 jsr166 1.6 * Returns a new {@code ForkJoinTask} that performs the {@code run}
1166     * method of the given {@code Runnable} as its action, and returns
1167     * the given result upon {@link #join}.
1168 jsr166 1.2 *
1169     * @param runnable the runnable action
1170     * @param result the result upon completion
1171     * @return the task
1172     */
1173     public static <T> ForkJoinTask<T> adapt(Runnable runnable, T result) {
1174 jsr166 1.5 return new AdaptedRunnable<T>(runnable, result);
1175 jsr166 1.2 }
1176    
1177     /**
1178 jsr166 1.6 * Returns a new {@code ForkJoinTask} that performs the {@code call}
1179     * method of the given {@code Callable} as its action, and returns
1180     * its result upon {@link #join}, translating any checked exceptions
1181     * encountered into {@code RuntimeException}.
1182 jsr166 1.2 *
1183     * @param callable the callable action
1184     * @return the task
1185     */
1186 jsr166 1.6 public static <T> ForkJoinTask<T> adapt(Callable<? extends T> callable) {
1187 jsr166 1.5 return new AdaptedCallable<T>(callable);
1188 jsr166 1.2 }
1189    
1190 jsr166 1.1 // Serialization support
1191    
1192     private static final long serialVersionUID = -7721805057305804111L;
1193    
1194     /**
1195     * Save the state to a stream.
1196     *
1197     * @serialData the current run status and the exception thrown
1198 jsr166 1.4 * during execution, or {@code null} if none
1199 jsr166 1.1 * @param s the stream
1200     */
1201     private void writeObject(java.io.ObjectOutputStream s)
1202     throws java.io.IOException {
1203     s.defaultWriteObject();
1204     s.writeObject(getException());
1205     }
1206    
1207     /**
1208     * Reconstitute the instance from a stream.
1209     *
1210     * @param s the stream
1211     */
1212     private void readObject(java.io.ObjectInputStream s)
1213     throws java.io.IOException, ClassNotFoundException {
1214     s.defaultReadObject();
1215     status &= ~INTERNAL_SIGNAL_MASK; // clear internal signal counts
1216     status |= EXTERNAL_SIGNAL; // conservatively set external signal
1217     Object ex = s.readObject();
1218     if (ex != null)
1219     setDoneExceptionally((Throwable) ex);
1220     }
1221    
1222 jsr166 1.3 // Unsafe mechanics
1223 jsr166 1.1
1224 jsr166 1.3 private static final sun.misc.Unsafe UNSAFE = sun.misc.Unsafe.getUnsafe();
1225     private static final long statusOffset =
1226     objectFieldOffset("status", ForkJoinTask.class);
1227    
1228     private static long objectFieldOffset(String field, Class<?> klazz) {
1229 jsr166 1.1 try {
1230 jsr166 1.3 return UNSAFE.objectFieldOffset(klazz.getDeclaredField(field));
1231 jsr166 1.1 } catch (NoSuchFieldException e) {
1232 jsr166 1.3 // Convert Exception to corresponding Error
1233     NoSuchFieldError error = new NoSuchFieldError(field);
1234 jsr166 1.1 error.initCause(e);
1235     throw error;
1236     }
1237     }
1238     }