ViewVC Help
View File | Revision Log | Show Annotations | Download File | Root Listing
root/jsr166/jsr166/src/jsr166y/CountedCompleter.java
Revision: 1.14
Committed: Mon Nov 19 18:12:42 2012 UTC (11 years, 5 months ago) by dl
Branch: MAIN
Changes since 1.13: +118 -36 lines
Log Message:
better memory positioning

File Contents

# User Rev Content
1 dl 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/publicdomain/zero/1.0/
5     */
6    
7     package jsr166y;
8    
9     /**
10 dl 1.14 * A {@link ForkJoinTask} with a completion action performed when
11     * triggered and there are no remaining pending
12     * actions. CountedCompleters are in general more robust in the
13     * presence of subtask stalls and blockage than are other forms for
14     * ForkJoinTasks, but are in general less intuitive to program. Uses
15     * of CountedCompleter are similar to those of other completion based
16     * components (such as {@link java.nio.channels.CompletionHandler})
17     * except that multiple <em>pending</em> completions may be necessary
18     * to trigger the {@link #onCompletion} action, not just one. Unless
19     * initialized otherwise, the {@link #getPendingCount pending count}
20     * starts at zero, but may be (atomically) changed using methods
21     * {@link #setPendingCount}, {@link #addToPendingCount}, and {@link
22 dl 1.1 * #compareAndSetPendingCount}. Upon invocation of {@link
23     * #tryComplete}, if the pending action count is nonzero, it is
24     * decremented; otherwise, the completion action is performed, and if
25     * this completer itself has a completer, the process is continued
26 dl 1.2 * with its completer. As is the case with related synchronization
27 jsr166 1.4 * components such as {@link java.util.concurrent.Phaser Phaser} and
28     * {@link java.util.concurrent.Semaphore Semaphore}, these methods
29     * affect only internal counts; they do not establish any further
30     * internal bookkeeping. In particular, the identities of pending
31     * tasks are not maintained. As illustrated below, you can create
32 jsr166 1.5 * subclasses that do record some or all pending tasks or their
33 dl 1.14 * results when needed. Because CountedCompleters provide only basic
34     * synchronization mechanisms, it may be useful to create further
35     * abstract subclasses that maintain linkages and fields and support
36     * methods appropriate for a set of related usages.
37 dl 1.1 *
38     * <p>A concrete CountedCompleter class must define method {@link
39 dl 1.14 * #compute}, that should in most cases (as illustrated below), invoke
40     * {@code tryComplete()} once before returning. The class may also
41     * optionally override method {@link #onCompletion} to perform an
42     * action upon normal completion, and method {@link
43     * #onExceptionalCompletion} to perform an action upon any exception.
44 dl 1.1 *
45 dl 1.3 * <p>CountedCompleters most often do not bear results, in which case
46     * they are normally declared as {@code CountedCompleter<Void>}, and
47     * will always return {@code null} as a result value. In other cases,
48     * you should override method {@link #getRawResult} to provide a
49 dl 1.14 * result from {@code join(), invoke()}, and related methods. In
50     * general, this method should return the value of a field (or a
51     * function of one or more fields) of the CountedCompleter object that
52     * holds the result upon completion. Method {@link #setRawResult} by
53     * default plays no role in CountedCompleters. It is possible, but
54     * not usually applicable, to override this method to maintain other
55     * objects or fields holding result data.
56 dl 1.3 *
57 dl 1.1 * <p>A CountedCompleter that does not itself have a completer (i.e.,
58     * one for which {@link #getCompleter} returns {@code null}) can be
59     * used as a regular ForkJoinTask with this added functionality.
60     * However, any completer that in turn has another completer serves
61     * only as an internal helper for other computations, so its own task
62     * status (as reported in methods such as {@link ForkJoinTask#isDone})
63     * is arbitrary; this status changes only upon explicit invocations of
64     * {@link #complete}, {@link ForkJoinTask#cancel}, {@link
65     * ForkJoinTask#completeExceptionally} or upon exceptional completion
66     * of method {@code compute}. Upon any exceptional completion, the
67 dl 1.2 * exception may be relayed to a task's completer (and its completer,
68     * and so on), if one exists and it has not otherwise already
69 dl 1.14 * completed. Similarly, cancelling an internal CountedCompleter has
70     * only a local effect on that completer, so is not often useful.
71 dl 1.1 *
72     * <p><b>Sample Usages.</b>
73     *
74     * <p><b>Parallel recursive decomposition.</b> CountedCompleters may
75     * be arranged in trees similar to those often used with {@link
76     * RecursiveAction}s, although the constructions involved in setting
77 dl 1.3 * them up typically vary. Here, the completer of each task is its
78     * parent in the computation tree. Even though they entail a bit more
79 dl 1.1 * bookkeeping, CountedCompleters may be better choices when applying
80     * a possibly time-consuming operation (that cannot be further
81     * subdivided) to each element of an array or collection; especially
82     * when the operation takes a significantly different amount of time
83     * to complete for some elements than others, either because of
84     * intrinsic variation (for example IO) or auxiliary effects such as
85     * garbage collection. Because CountedCompleters provide their own
86     * continuations, other threads need not block waiting to perform
87     * them.
88     *
89 jsr166 1.13 * <p>For example, here is an initial version of a class that uses
90 dl 1.1 * divide-by-two recursive decomposition to divide work into single
91     * pieces (leaf tasks). Even when work is split into individual calls,
92     * tree-based techniques are usually preferable to directly forking
93     * leaf tasks, because they reduce inter-thread communication and
94     * improve load balancing. In the recursive case, the second of each
95     * pair of subtasks to finish triggers completion of its parent
96     * (because no result combination is performed, the default no-op
97     * implementation of method {@code onCompletion} is not overridden). A
98 dl 1.14 * static utility method sets up the base task and invokes it
99     * (here, implicitly using the {@link ForkJoinPool#commonPool()}).
100 dl 1.1 *
101     * <pre> {@code
102     * class MyOperation<E> { void apply(E e) { ... } }
103     *
104 dl 1.3 * class ForEach<E> extends CountedCompleter<Void> {
105 dl 1.1 *
106 dl 1.14 * public static <E> void forEach(E[] array, MyOperation<E> op) {
107     * new ForEach<E>(null, array, op, 0, array.length).invoke();
108 dl 1.1 * }
109     *
110     * final E[] array; final MyOperation<E> op; final int lo, hi;
111 dl 1.3 * ForEach(CountedCompleter<?> p, E[] array, MyOperation<E> op, int lo, int hi) {
112 dl 1.1 * super(p);
113     * this.array = array; this.op = op; this.lo = lo; this.hi = hi;
114     * }
115     *
116     * public void compute() { // version 1
117     * if (hi - lo >= 2) {
118     * int mid = (lo + hi) >>> 1;
119     * setPendingCount(2); // must set pending count before fork
120     * new ForEach(this, array, op, mid, hi).fork(); // right child
121     * new ForEach(this, array, op, lo, mid).fork(); // left child
122     * }
123     * else if (hi > lo)
124     * op.apply(array[lo]);
125     * tryComplete();
126     * }
127     * } }</pre>
128     *
129     * This design can be improved by noticing that in the recursive case,
130     * the task has nothing to do after forking its right task, so can
131     * directly invoke its left task before returning. (This is an analog
132     * of tail recursion removal.) Also, because the task returns upon
133     * executing its left task (rather than falling through to invoke
134     * tryComplete) the pending count is set to one:
135     *
136     * <pre> {@code
137     * class ForEach<E> ...
138     * public void compute() { // version 2
139     * if (hi - lo >= 2) {
140     * int mid = (lo + hi) >>> 1;
141     * setPendingCount(1); // only one pending
142     * new ForEach(this, array, op, mid, hi).fork(); // right child
143     * new ForEach(this, array, op, lo, mid).compute(); // direct invoke
144     * }
145     * else {
146     * if (hi > lo)
147     * op.apply(array[lo]);
148     * tryComplete();
149     * }
150     * }
151     * }</pre>
152     *
153     * As a further improvement, notice that the left task need not even
154     * exist. Instead of creating a new one, we can iterate using the
155 jsr166 1.11 * original task, and add a pending count for each fork.
156 dl 1.1 *
157     * <pre> {@code
158     * class ForEach<E> ...
159     * public void compute() { // version 3
160     * int l = lo, h = hi;
161     * while (h - l >= 2) {
162     * int mid = (l + h) >>> 1;
163     * addToPendingCount(1);
164     * new ForEach(this, array, op, mid, h).fork(); // right child
165     * h = mid;
166     * }
167     * if (h > l)
168     * op.apply(array[l]);
169 dl 1.10 * tryComplete();
170 dl 1.1 * }
171     * }</pre>
172     *
173     * Additional improvements of such classes might entail precomputing
174     * pending counts so that they can be established in constructors,
175     * specializing classes for leaf steps, subdividing by say, four,
176     * instead of two per iteration, and using an adaptive threshold
177     * instead of always subdividing down to single elements.
178     *
179     * <p><b>Recording subtasks.</b> CountedCompleter tasks that combine
180     * results of multiple subtasks usually need to access these results
181     * in method {@link #onCompletion}. As illustrated in the following
182     * class (that performs a simplified form of map-reduce where mappings
183     * and reductions are all of type {@code E}), one way to do this in
184     * divide and conquer designs is to have each subtask record its
185     * sibling, so that it can be accessed in method {@code onCompletion}.
186 dl 1.3 * This technique applies to reductions in which the order of
187     * combining left and right results does not matter; ordered
188     * reductions require explicit left/right designations. Variants of
189     * other streamlinings seen in the above examples may also apply.
190 dl 1.1 *
191     * <pre> {@code
192     * class MyMapper<E> { E apply(E v) { ... } }
193     * class MyReducer<E> { E apply(E x, E y) { ... } }
194 dl 1.3 * class MapReducer<E> extends CountedCompleter<E> {
195 dl 1.1 * final E[] array; final MyMapper<E> mapper;
196     * final MyReducer<E> reducer; final int lo, hi;
197 dl 1.3 * MapReducer<E> sibling;
198 dl 1.1 * E result;
199     * MapReducer(CountedCompleter p, E[] array, MyMapper<E> mapper,
200     * MyReducer<E> reducer, int lo, int hi) {
201     * super(p);
202     * this.array = array; this.mapper = mapper;
203     * this.reducer = reducer; this.lo = lo; this.hi = hi;
204     * }
205     * public void compute() {
206     * if (hi - lo >= 2) {
207     * int mid = (lo + hi) >>> 1;
208     * MapReducer<E> left = new MapReducer(this, array, mapper, reducer, lo, mid);
209     * MapReducer<E> right = new MapReducer(this, array, mapper, reducer, mid, hi);
210     * left.sibling = right;
211     * right.sibling = left;
212     * setPendingCount(1); // only right is pending
213     * right.fork();
214     * left.compute(); // directly execute left
215     * }
216     * else {
217     * if (hi > lo)
218     * result = mapper.apply(array[lo]);
219     * tryComplete();
220     * }
221     * }
222     * public void onCompletion(CountedCompleter caller) {
223     * if (caller != this) {
224     * MapReducer<E> child = (MapReducer<E>)caller;
225     * MapReducer<E> sib = child.sibling;
226     * if (sib == null || sib.result == null)
227     * result = child.result;
228     * else
229     * result = reducer.apply(child.result, sib.result);
230     * }
231     * }
232 dl 1.3 * public E getRawResult() { return result; }
233 dl 1.1 *
234 dl 1.14 * public static <E> E mapReduce(E[] array, MyMapper<E> mapper, MyReducer<E> reducer) {
235     * return new MapReducer<E>(null, array, mapper, reducer,
236     * 0, array.length).invoke();
237 dl 1.1 * }
238     * } }</pre>
239     *
240 dl 1.14 * Here, method {@code onCompletion} takes a form common to many
241     * completion designs that combine results. This callback-style method
242     * is triggered once per task, in either of the two different contexts
243     * in which the pending count is, or becomes, zero: (1) by a task
244     * itself, if its pending count is zero upon invocation of {@code
245     * tryComplete}, or (2) by any of its subtasks when they complete and
246     * decrement the pending count to zero. The {@code caller} argument
247     * distinguishes cases. Most often, when the caller is {@code this},
248     * no action is necessary. Otherwise the caller argument can be used
249     * (usually via a cast) to supply a value (and/or links to other
250     * values) to be combined. Asuuming proper use of pending counts, the
251     * actions inside {@code onCompletion} occur (once) upon completion of
252     * a task and its subtasks. No additional synchronization is required
253     * within this method to ensure thread safety of accesses to fields of
254     * this task or other completed tasks.
255     *
256     * <p><b>Searching.</b> A tree of CountedCompleters can search for a
257     * value or property in different parts of a data structure, and
258     * report a result in an {@link java.util.concurrent.AtomicReference}
259     * as soon as one is found. The others can poll the result to avoid
260     * unnecessary work. (You could additionally {@link #cancel} other
261     * tasks, but it is usually simpler and more efficient to just let
262     * them notice that the result is set and if so skip further
263     * processing.) Illustrating again with an array using full
264     * partitioning (again, in practice, leaf tasks will almost always
265     * process more than one element):
266     *
267     * <pre> {@code
268     * class Searcher<E> extends CountedCompleter<E> {
269     * final E[] array; final AtomicReference<E> result; final int lo, hi;
270     * Searcher(CountedCompleter<?> p, E[] array, AtomicReference<E> result, int lo, int hi) {
271     * super(p);
272     * this.array = array; this.result = result; this.lo = lo; this.hi = hi;
273     * }
274     * public E getRawResult() { return result.get(); }
275     * public void compute() { // similar to ForEach version 3
276     * int l = lo, h = hi;
277     * while (h - l >= 2 && result.get() == null) {
278     * int mid = (l + h) >>> 1;
279     * addToPendingCount(1);
280     * new Searcher(this, array, result, mid, h).fork();
281     * h = mid;
282     * }
283     * if (h > l && result.get() == null && matches(array[l]) &&
284     * result.compareAndSet(null, array[l]))
285     * getRoot().quietlyComplete(); // root task is now joinable
286     *
287     * tryComplete(); // normally complete whether or not found
288     * }
289     * boolean matches(E e) { ... } // return true if found
290     *
291     * public static <E> E search(E[] array) {
292     * return new Searcher<E>(null, array, new AtomicReference<E>(), 0, array.length).invoke();
293     * }
294     *}}</pre>
295     *
296     * In this example, as well as others in which tasks have no other
297     * effects except to compareAndSet a common result, the trailing
298     * unconditional invocation of {@code tryComplete} could be made
299     * conditional ({@code if (result.get() == null) tryComplete();})
300     * because no further bookkeeping is required to manage completions
301     * once the root task completes.
302     *
303 dl 1.1 * <p><b>Triggers.</b> Some CountedCompleters are themselves never
304     * forked, but instead serve as bits of plumbing in other designs;
305     * including those in which the completion of one of more async tasks
306     * triggers another async task. For example:
307     *
308     * <pre> {@code
309 dl 1.3 * class HeaderBuilder extends CountedCompleter<...> { ... }
310     * class BodyBuilder extends CountedCompleter<...> { ... }
311     * class PacketSender extends CountedCompleter<...> {
312 dl 1.1 * PacketSender(...) { super(null, 1); ... } // trigger on second completion
313     * public void compute() { } // never called
314 dl 1.3 * public void onCompletion(CountedCompleter<?> caller) { sendPacket(); }
315 dl 1.1 * }
316     * // sample use:
317     * PacketSender p = new PacketSender();
318     * new HeaderBuilder(p, ...).fork();
319     * new BodyBuilder(p, ...).fork();
320     * }</pre>
321     *
322     * @since 1.8
323     * @author Doug Lea
324     */
325 dl 1.3 public abstract class CountedCompleter<T> extends ForkJoinTask<T> {
326 dl 1.2 private static final long serialVersionUID = 5232453752276485070L;
327    
328 dl 1.1 /** This task's completer, or null if none */
329 dl 1.3 final CountedCompleter<?> completer;
330 dl 1.1 /** The number of pending tasks until completion */
331     volatile int pending;
332    
333     /**
334     * Creates a new CountedCompleter with the given completer
335     * and initial pending count.
336     *
337     * @param completer this tasks completer, or {@code null} if none
338     * @param initialPendingCount the initial pending count
339     */
340 dl 1.3 protected CountedCompleter(CountedCompleter<?> completer,
341 dl 1.1 int initialPendingCount) {
342     this.completer = completer;
343     this.pending = initialPendingCount;
344     }
345    
346     /**
347     * Creates a new CountedCompleter with the given completer
348     * and an initial pending count of zero.
349     *
350     * @param completer this tasks completer, or {@code null} if none
351     */
352 dl 1.3 protected CountedCompleter(CountedCompleter<?> completer) {
353 dl 1.1 this.completer = completer;
354     }
355    
356     /**
357     * Creates a new CountedCompleter with no completer
358     * and an initial pending count of zero.
359     */
360     protected CountedCompleter() {
361     this.completer = null;
362     }
363    
364     /**
365     * The main computation performed by this task.
366     */
367     public abstract void compute();
368    
369     /**
370 dl 1.2 * Performs an action when method {@link #tryComplete} is invoked
371     * and there are no pending counts, or when the unconditional
372     * method {@link #complete} is invoked. By default, this method
373 dl 1.14 * does nothing. You can distinguish cases by checking the
374     * identity of the given caller argument. If not equal to {@code
375     * this}, then it is typically a subtask that may contain results
376     * (and/or links to other results) to combine.
377 dl 1.1 *
378     * @param caller the task invoking this method (which may
379     * be this task itself).
380     */
381 dl 1.3 public void onCompletion(CountedCompleter<?> caller) {
382 dl 1.1 }
383    
384     /**
385 dl 1.2 * Performs an action when method {@link #completeExceptionally}
386     * is invoked or method {@link #compute} throws an exception, and
387     * this task has not otherwise already completed normally. On
388     * entry to this method, this task {@link
389     * ForkJoinTask#isCompletedAbnormally}. The return value of this
390     * method controls further propagation: If {@code true} and this
391     * task has a completer, then this completer is also completed
392     * exceptionally. The default implementation of this method does
393     * nothing except return {@code true}.
394     *
395     * @param ex the exception
396     * @param caller the task invoking this method (which may
397     * be this task itself).
398     * @return true if this exception should be propagated to this
399     * tasks completer, if one exists.
400     */
401 dl 1.3 public boolean onExceptionalCompletion(Throwable ex, CountedCompleter<?> caller) {
402 dl 1.2 return true;
403     }
404    
405     /**
406 dl 1.1 * Returns the completer established in this task's constructor,
407     * or {@code null} if none.
408     *
409     * @return the completer
410     */
411 dl 1.3 public final CountedCompleter<?> getCompleter() {
412 dl 1.1 return completer;
413     }
414    
415     /**
416     * Returns the current pending count.
417     *
418     * @return the current pending count
419     */
420     public final int getPendingCount() {
421     return pending;
422     }
423    
424     /**
425     * Sets the pending count to the given value.
426     *
427     * @param count the count
428     */
429     public final void setPendingCount(int count) {
430     pending = count;
431     }
432    
433     /**
434     * Adds (atomically) the given value to the pending count.
435     *
436     * @param delta the value to add
437     */
438     public final void addToPendingCount(int delta) {
439     int c; // note: can replace with intrinsic in jdk8
440     do {} while (!U.compareAndSwapInt(this, PENDING, c = pending, c+delta));
441     }
442    
443     /**
444     * Sets (atomically) the pending count to the given count only if
445     * it currently holds the given expected value.
446     *
447     * @param expected the expected value
448     * @param count the new value
449     * @return true is successful
450     */
451     public final boolean compareAndSetPendingCount(int expected, int count) {
452     return U.compareAndSwapInt(this, PENDING, expected, count);
453     }
454    
455     /**
456 dl 1.6 * Returns the root of the current computation; i.e., this
457     * task if it has no completer, else its completer's root.
458     *
459     * @return the root of the current computation
460     */
461     public final CountedCompleter<?> getRoot() {
462     CountedCompleter<?> a = this, p;
463     while ((p = a.completer) != null)
464     a = p;
465     return a;
466     }
467    
468     /**
469 dl 1.1 * If the pending count is nonzero, decrements the count;
470     * otherwise invokes {@link #onCompletion} and then similarly
471     * tries to complete this task's completer, if one exists,
472     * else marks this task as complete.
473     */
474     public final void tryComplete() {
475 dl 1.3 CountedCompleter<?> a = this, s = a;
476 dl 1.2 for (int c;;) {
477 dl 1.1 if ((c = a.pending) == 0) {
478     a.onCompletion(s);
479     if ((a = (s = a).completer) == null) {
480     s.quietlyComplete();
481     return;
482     }
483     }
484     else if (U.compareAndSwapInt(a, PENDING, c, c - 1))
485     return;
486     }
487     }
488    
489     /**
490     * Regardless of pending count, invokes {@link #onCompletion},
491 dl 1.3 * marks this task as complete and further triggers {@link
492 dl 1.14 * #tryComplete} on this task's completer, if one exists. The
493 dl 1.3 * given rawResult is used as an argument to {@link #setRawResult}
494 dl 1.14 * before invoking {@link #onCompletion} or marking this task as
495     * complete; its value is meaningful only for classes overriding
496     * {@code setRawResult}.
497     *
498     * <p>This method may be useful when forcing completion as soon as
499     * any one (versus all) of several subtask results are obtained.
500     * However, in the common (and recommended) case in which {@code
501     * setRawResult} is not overridden, this effect can be obtained
502     * more simply using {@code getRoot().quietlyComplete();}.
503 dl 1.1 *
504 dl 1.3 * @param rawResult the raw result
505 dl 1.1 */
506 dl 1.3 public void complete(T rawResult) {
507     CountedCompleter<?> p;
508 dl 1.14 setRawResult(rawResult);
509 dl 1.1 onCompletion(this);
510     quietlyComplete();
511     if ((p = completer) != null)
512     p.tryComplete();
513     }
514    
515     /**
516 dl 1.2 * Support for FJT exception propagation
517     */
518     void internalPropagateException(Throwable ex) {
519 dl 1.3 CountedCompleter<?> a = this, s = a;
520 dl 1.2 while (a.onExceptionalCompletion(ex, s) &&
521     (a = (s = a).completer) != null && a.status >= 0)
522     a.recordExceptionalCompletion(ex);
523     }
524    
525     /**
526 dl 1.1 * Implements execution conventions for CountedCompleters
527     */
528     protected final boolean exec() {
529     compute();
530     return false;
531     }
532    
533     /**
534 dl 1.3 * Returns the result of the computation. By default
535     * returns {@code null}, which is appropriate for {@code Void}
536     * actions, but in other cases should be overridden.
537 dl 1.1 *
538 dl 1.3 * @return the result of the computation
539 dl 1.1 */
540 dl 1.3 public T getRawResult() { return null; }
541 dl 1.1
542     /**
543 dl 1.3 * A method that result-bearing CountedCompleters may optionally
544     * use to help maintain result data. By default, does nothing.
545 dl 1.14 * If this method is overridden to update existing objects or
546     * fields, then it must in general be defined to be thread-safe.
547 dl 1.1 */
548 dl 1.3 protected void setRawResult(T t) { }
549 dl 1.1
550     // Unsafe mechanics
551     private static final sun.misc.Unsafe U;
552     private static final long PENDING;
553     static {
554     try {
555 dl 1.14 U = sun.misc.Unsafe.getUnsafe();
556 dl 1.1 PENDING = U.objectFieldOffset
557     (CountedCompleter.class.getDeclaredField("pending"));
558     } catch (Exception e) {
559     throw new Error(e);
560     }
561     }
562 jsr166 1.12
563 dl 1.1 /**
564     * Returns a sun.misc.Unsafe. Suitable for use in a 3rd party package.
565     * Replace with a simple call to Unsafe.getUnsafe when integrating
566     * into a jdk.
567     *
568     * @return a sun.misc.Unsafe
569     */
570     private static sun.misc.Unsafe getUnsafe() {
571     try {
572     return sun.misc.Unsafe.getUnsafe();
573     } catch (SecurityException se) {
574     try {
575     return java.security.AccessController.doPrivileged
576     (new java.security
577     .PrivilegedExceptionAction<sun.misc.Unsafe>() {
578     public sun.misc.Unsafe run() throws Exception {
579     java.lang.reflect.Field f = sun.misc
580     .Unsafe.class.getDeclaredField("theUnsafe");
581     f.setAccessible(true);
582     return (sun.misc.Unsafe) f.get(null);
583     }});
584     } catch (java.security.PrivilegedActionException e) {
585     throw new RuntimeException("Could not initialize intrinsics",
586     e.getCause());
587     }
588     }
589     }
590     }