ViewVC Help
View File | Revision Log | Show Annotations | Download File | Root Listing
root/jsr166/jsr166/src/main/java/util/concurrent/Exchanger.java
Revision: 1.49
Committed: Sun Apr 24 17:54:20 2011 UTC (13 years, 1 month ago) by jsr166
Branch: MAIN
CVS Tags: release-1_7_0
Changes since 1.48: +3 -1 lines
Log Message:
correct comment to match code

File Contents

# Content
1 /*
2 * Written by Doug Lea, Bill Scherer, and Michael Scott with
3 * assistance from members of JCP JSR-166 Expert Group and released to
4 * the public domain, as explained at
5 * http://creativecommons.org/publicdomain/zero/1.0/
6 */
7
8 package java.util.concurrent;
9 import java.util.concurrent.atomic.*;
10 import java.util.concurrent.locks.LockSupport;
11
12 /**
13 * A synchronization point at which threads can pair and swap elements
14 * within pairs. Each thread presents some object on entry to the
15 * {@link #exchange exchange} method, matches with a partner thread,
16 * and receives its partner's object on return. An Exchanger may be
17 * viewed as a bidirectional form of a {@link SynchronousQueue}.
18 * Exchangers may be useful in applications such as genetic algorithms
19 * and pipeline designs.
20 *
21 * <p><b>Sample Usage:</b>
22 * Here are the highlights of a class that uses an {@code Exchanger}
23 * to swap buffers between threads so that the thread filling the
24 * buffer gets a freshly emptied one when it needs it, handing off the
25 * filled one to the thread emptying the buffer.
26 * <pre>{@code
27 * class FillAndEmpty {
28 * Exchanger<DataBuffer> exchanger = new Exchanger<DataBuffer>();
29 * DataBuffer initialEmptyBuffer = ... a made-up type
30 * DataBuffer initialFullBuffer = ...
31 *
32 * class FillingLoop implements Runnable {
33 * public void run() {
34 * DataBuffer currentBuffer = initialEmptyBuffer;
35 * try {
36 * while (currentBuffer != null) {
37 * addToBuffer(currentBuffer);
38 * if (currentBuffer.isFull())
39 * currentBuffer = exchanger.exchange(currentBuffer);
40 * }
41 * } catch (InterruptedException ex) { ... handle ... }
42 * }
43 * }
44 *
45 * class EmptyingLoop implements Runnable {
46 * public void run() {
47 * DataBuffer currentBuffer = initialFullBuffer;
48 * try {
49 * while (currentBuffer != null) {
50 * takeFromBuffer(currentBuffer);
51 * if (currentBuffer.isEmpty())
52 * currentBuffer = exchanger.exchange(currentBuffer);
53 * }
54 * } catch (InterruptedException ex) { ... handle ...}
55 * }
56 * }
57 *
58 * void start() {
59 * new Thread(new FillingLoop()).start();
60 * new Thread(new EmptyingLoop()).start();
61 * }
62 * }
63 * }</pre>
64 *
65 * <p>Memory consistency effects: For each pair of threads that
66 * successfully exchange objects via an {@code Exchanger}, actions
67 * prior to the {@code exchange()} in each thread
68 * <a href="package-summary.html#MemoryVisibility"><i>happen-before</i></a>
69 * those subsequent to a return from the corresponding {@code exchange()}
70 * in the other thread.
71 *
72 * @since 1.5
73 * @author Doug Lea and Bill Scherer and Michael Scott
74 * @param <V> The type of objects that may be exchanged
75 */
76 public class Exchanger<V> {
77 /*
78 * Algorithm Description:
79 *
80 * The basic idea is to maintain a "slot", which is a reference to
81 * a Node containing both an Item to offer and a "hole" waiting to
82 * get filled in. If an incoming "occupying" thread sees that the
83 * slot is null, it CAS'es (compareAndSets) a Node there and waits
84 * for another to invoke exchange. That second "fulfilling" thread
85 * sees that the slot is non-null, and so CASes it back to null,
86 * also exchanging items by CASing the hole, plus waking up the
87 * occupying thread if it is blocked. In each case CAS'es may
88 * fail because a slot at first appears non-null but is null upon
89 * CAS, or vice-versa. So threads may need to retry these
90 * actions.
91 *
92 * This simple approach works great when there are only a few
93 * threads using an Exchanger, but performance rapidly
94 * deteriorates due to CAS contention on the single slot when
95 * there are lots of threads using an exchanger. So instead we use
96 * an "arena"; basically a kind of hash table with a dynamically
97 * varying number of slots, any one of which can be used by
98 * threads performing an exchange. Incoming threads pick slots
99 * based on a hash of their Thread ids. If an incoming thread
100 * fails to CAS in its chosen slot, it picks an alternative slot
101 * instead. And similarly from there. If a thread successfully
102 * CASes into a slot but no other thread arrives, it tries
103 * another, heading toward the zero slot, which always exists even
104 * if the table shrinks. The particular mechanics controlling this
105 * are as follows:
106 *
107 * Waiting: Slot zero is special in that it is the only slot that
108 * exists when there is no contention. A thread occupying slot
109 * zero will block if no thread fulfills it after a short spin.
110 * In other cases, occupying threads eventually give up and try
111 * another slot. Waiting threads spin for a while (a period that
112 * should be a little less than a typical context-switch time)
113 * before either blocking (if slot zero) or giving up (if other
114 * slots) and restarting. There is no reason for threads to block
115 * unless there are unlikely to be any other threads present.
116 * Occupants are mainly avoiding memory contention so sit there
117 * quietly polling for a shorter period than it would take to
118 * block and then unblock them. Non-slot-zero waits that elapse
119 * because of lack of other threads waste around one extra
120 * context-switch time per try, which is still on average much
121 * faster than alternative approaches.
122 *
123 * Sizing: Usually, using only a few slots suffices to reduce
124 * contention. Especially with small numbers of threads, using
125 * too many slots can lead to just as poor performance as using
126 * too few of them, and there's not much room for error. The
127 * variable "max" maintains the number of slots actually in
128 * use. It is increased when a thread sees too many CAS
129 * failures. (This is analogous to resizing a regular hash table
130 * based on a target load factor, except here, growth steps are
131 * just one-by-one rather than proportional.) Growth requires
132 * contention failures in each of three tried slots. Requiring
133 * multiple failures for expansion copes with the fact that some
134 * failed CASes are not due to contention but instead to simple
135 * races between two threads or thread pre-emptions occurring
136 * between reading and CASing. Also, very transient peak
137 * contention can be much higher than the average sustainable
138 * levels. An attempt to decrease the max limit is usually made
139 * when a non-slot-zero wait elapses without being fulfilled.
140 * Threads experiencing elapsed waits move closer to zero, so
141 * eventually find existing (or future) threads even if the table
142 * has been shrunk due to inactivity. The chosen mechanics and
143 * thresholds for growing and shrinking are intrinsically
144 * entangled with indexing and hashing inside the exchange code,
145 * and can't be nicely abstracted out.
146 *
147 * Hashing: Each thread picks its initial slot to use in accord
148 * with a simple hashcode. The sequence is the same on each
149 * encounter by any given thread, but effectively random across
150 * threads. Using arenas encounters the classic cost vs quality
151 * tradeoffs of all hash tables. Here, we use a one-step FNV-1a
152 * hash code based on the current thread's Thread.getId(), along
153 * with a cheap approximation to a mod operation to select an
154 * index. The downside of optimizing index selection in this way
155 * is that the code is hardwired to use a maximum table size of
156 * 32. But this value more than suffices for known platforms and
157 * applications.
158 *
159 * Probing: On sensed contention of a selected slot, we probe
160 * sequentially through the table, analogously to linear probing
161 * after collision in a hash table. (We move circularly, in
162 * reverse order, to mesh best with table growth and shrinkage
163 * rules.) Except that to minimize the effects of false-alarms
164 * and cache thrashing, we try the first selected slot twice
165 * before moving.
166 *
167 * Padding: Even with contention management, slots are heavily
168 * contended, so use cache-padding to avoid poor memory
169 * performance. Because of this, slots are lazily constructed
170 * only when used, to avoid wasting this space unnecessarily.
171 * While isolation of locations is not much of an issue at first
172 * in an application, as time goes on and garbage-collectors
173 * perform compaction, slots are very likely to be moved adjacent
174 * to each other, which can cause much thrashing of cache lines on
175 * MPs unless padding is employed.
176 *
177 * This is an improvement of the algorithm described in the paper
178 * "A Scalable Elimination-based Exchange Channel" by William
179 * Scherer, Doug Lea, and Michael Scott in Proceedings of SCOOL05
180 * workshop. Available at: http://hdl.handle.net/1802/2104
181 */
182
183 /** The number of CPUs, for sizing and spin control */
184 private static final int NCPU = Runtime.getRuntime().availableProcessors();
185
186 /**
187 * The capacity of the arena. Set to a value that provides more
188 * than enough space to handle contention. On small machines
189 * most slots won't be used, but it is still not wasted because
190 * the extra space provides some machine-level address padding
191 * to minimize interference with heavily CAS'ed Slot locations.
192 * And on very large machines, performance eventually becomes
193 * bounded by memory bandwidth, not numbers of threads/CPUs.
194 * This constant cannot be changed without also modifying
195 * indexing and hashing algorithms.
196 */
197 private static final int CAPACITY = 32;
198
199 /**
200 * The value of "max" that will hold all threads without
201 * contention. When this value is less than CAPACITY, some
202 * otherwise wasted expansion can be avoided.
203 */
204 private static final int FULL =
205 Math.max(0, Math.min(CAPACITY, NCPU / 2) - 1);
206
207 /**
208 * The number of times to spin (doing nothing except polling a
209 * memory location) before blocking or giving up while waiting to
210 * be fulfilled. Should be zero on uniprocessors. On
211 * multiprocessors, this value should be large enough so that two
212 * threads exchanging items as fast as possible block only when
213 * one of them is stalled (due to GC or preemption), but not much
214 * longer, to avoid wasting CPU resources. Seen differently, this
215 * value is a little over half the number of cycles of an average
216 * context switch time on most systems. The value here is
217 * approximately the average of those across a range of tested
218 * systems.
219 */
220 private static final int SPINS = (NCPU == 1) ? 0 : 2000;
221
222 /**
223 * The number of times to spin before blocking in timed waits.
224 * Timed waits spin more slowly because checking the time takes
225 * time. The best value relies mainly on the relative rate of
226 * System.nanoTime vs memory accesses. The value is empirically
227 * derived to work well across a variety of systems.
228 */
229 private static final int TIMED_SPINS = SPINS / 20;
230
231 /**
232 * Sentinel item representing cancellation of a wait due to
233 * interruption, timeout, or elapsed spin-waits. This value is
234 * placed in holes on cancellation, and used as a return value
235 * from waiting methods to indicate failure to set or get hole.
236 */
237 private static final Object CANCEL = new Object();
238
239 /**
240 * Value representing null arguments/returns from public
241 * methods. This disambiguates from internal requirement that
242 * holes start out as null to mean they are not yet set.
243 */
244 private static final Object NULL_ITEM = new Object();
245
246 /**
247 * Nodes hold partially exchanged data. This class
248 * opportunistically subclasses AtomicReference to represent the
249 * hole. So get() returns hole, and compareAndSet CAS'es value
250 * into hole. This class cannot be parameterized as "V" because
251 * of the use of non-V CANCEL sentinels.
252 */
253 private static final class Node extends AtomicReference<Object> {
254 /** The element offered by the Thread creating this node. */
255 public final Object item;
256
257 /** The Thread waiting to be signalled; null until waiting. */
258 public volatile Thread waiter;
259
260 /**
261 * Creates node with given item and empty hole.
262 * @param item the item
263 */
264 public Node(Object item) {
265 this.item = item;
266 }
267 }
268
269 /**
270 * A Slot is an AtomicReference with heuristic padding to lessen
271 * cache effects of this heavily CAS'ed location. While the
272 * padding adds noticeable space, all slots are created only on
273 * demand, and there will be more than one of them only when it
274 * would improve throughput more than enough to outweigh using
275 * extra space.
276 */
277 private static final class Slot extends AtomicReference<Object> {
278 // Improve likelihood of isolation on <= 128 byte cache lines.
279 // We used to target 64 byte cache lines, but some x86s (including
280 // i7 under some BIOSes) actually use 128 byte cache lines.
281 long q0, q1, q2, q3, q4, q5, q6, q7, q8, q9, qa, qb, qc, qd, qe;
282 }
283
284 /**
285 * Slot array. Elements are lazily initialized when needed.
286 * Declared volatile to enable double-checked lazy construction.
287 */
288 private volatile Slot[] arena = new Slot[CAPACITY];
289
290 /**
291 * The maximum slot index being used. The value sometimes
292 * increases when a thread experiences too many CAS contentions,
293 * and sometimes decreases when a spin-wait elapses. Changes
294 * are performed only via compareAndSet, to avoid stale values
295 * when a thread happens to stall right before setting.
296 */
297 private final AtomicInteger max = new AtomicInteger();
298
299 /**
300 * Main exchange function, handling the different policy variants.
301 * Uses Object, not "V" as argument and return value to simplify
302 * handling of sentinel values. Callers from public methods decode
303 * and cast accordingly.
304 *
305 * @param item the (non-null) item to exchange
306 * @param timed true if the wait is timed
307 * @param nanos if timed, the maximum wait time
308 * @return the other thread's item, or CANCEL if interrupted or timed out
309 */
310 private Object doExchange(Object item, boolean timed, long nanos) {
311 Node me = new Node(item); // Create in case occupying
312 int index = hashIndex(); // Index of current slot
313 int fails = 0; // Number of CAS failures
314
315 for (;;) {
316 Object y; // Contents of current slot
317 Slot slot = arena[index];
318 if (slot == null) // Lazily initialize slots
319 createSlot(index); // Continue loop to reread
320 else if ((y = slot.get()) != null && // Try to fulfill
321 slot.compareAndSet(y, null)) {
322 Node you = (Node)y; // Transfer item
323 if (you.compareAndSet(null, item)) {
324 LockSupport.unpark(you.waiter);
325 return you.item;
326 } // Else cancelled; continue
327 }
328 else if (y == null && // Try to occupy
329 slot.compareAndSet(null, me)) {
330 if (index == 0) // Blocking wait for slot 0
331 return timed ?
332 awaitNanos(me, slot, nanos) :
333 await(me, slot);
334 Object v = spinWait(me, slot); // Spin wait for non-0
335 if (v != CANCEL)
336 return v;
337 me = new Node(item); // Throw away cancelled node
338 int m = max.get();
339 if (m > (index >>>= 1)) // Decrease index
340 max.compareAndSet(m, m - 1); // Maybe shrink table
341 }
342 else if (++fails > 1) { // Allow 2 fails on 1st slot
343 int m = max.get();
344 if (fails > 3 && m < FULL && max.compareAndSet(m, m + 1))
345 index = m + 1; // Grow on 3rd failed slot
346 else if (--index < 0)
347 index = m; // Circularly traverse
348 }
349 }
350 }
351
352 /**
353 * Returns a hash index for the current thread. Uses a one-step
354 * FNV-1a hash code (http://www.isthe.com/chongo/tech/comp/fnv/)
355 * based on the current thread's Thread.getId(). These hash codes
356 * have more uniform distribution properties with respect to small
357 * moduli (here 1-31) than do other simple hashing functions.
358 *
359 * <p>To return an index between 0 and max, we use a cheap
360 * approximation to a mod operation, that also corrects for bias
361 * due to non-power-of-2 remaindering (see {@link
362 * java.util.Random#nextInt}). Bits of the hashcode are masked
363 * with "nbits", the ceiling power of two of table size (looked up
364 * in a table packed into three ints). If too large, this is
365 * retried after rotating the hash by nbits bits, while forcing new
366 * top bit to 0, which guarantees eventual termination (although
367 * with a non-random-bias). This requires an average of less than
368 * 2 tries for all table sizes, and has a maximum 2% difference
369 * from perfectly uniform slot probabilities when applied to all
370 * possible hash codes for sizes less than 32.
371 *
372 * @return a per-thread-random index, 0 <= index < max
373 */
374 private final int hashIndex() {
375 long id = Thread.currentThread().getId();
376 int hash = (((int)(id ^ (id >>> 32))) ^ 0x811c9dc5) * 0x01000193;
377
378 int m = max.get();
379 int nbits = (((0xfffffc00 >> m) & 4) | // Compute ceil(log2(m+1))
380 ((0x000001f8 >>> m) & 2) | // The constants hold
381 ((0xffff00f2 >>> m) & 1)); // a lookup table
382 int index;
383 while ((index = hash & ((1 << nbits) - 1)) > m) // May retry on
384 hash = (hash >>> nbits) | (hash << (33 - nbits)); // non-power-2 m
385 return index;
386 }
387
388 /**
389 * Creates a new slot at given index. Called only when the slot
390 * appears to be null. Relies on double-check using builtin
391 * locks, since they rarely contend. This in turn relies on the
392 * arena array being declared volatile.
393 *
394 * @param index the index to add slot at
395 */
396 private void createSlot(int index) {
397 // Create slot outside of lock to narrow sync region
398 Slot newSlot = new Slot();
399 Slot[] a = arena;
400 synchronized (a) {
401 if (a[index] == null)
402 a[index] = newSlot;
403 }
404 }
405
406 /**
407 * Tries to cancel a wait for the given node waiting in the given
408 * slot, if so, helping clear the node from its slot to avoid
409 * garbage retention.
410 *
411 * @param node the waiting node
412 * @param the slot it is waiting in
413 * @return true if successfully cancelled
414 */
415 private static boolean tryCancel(Node node, Slot slot) {
416 if (!node.compareAndSet(null, CANCEL))
417 return false;
418 if (slot.get() == node) // pre-check to minimize contention
419 slot.compareAndSet(node, null);
420 return true;
421 }
422
423 // Three forms of waiting. Each just different enough not to merge
424 // code with others.
425
426 /**
427 * Spin-waits for hole for a non-0 slot. Fails if spin elapses
428 * before hole filled. Does not check interrupt, relying on check
429 * in public exchange method to abort if interrupted on entry.
430 *
431 * @param node the waiting node
432 * @return on success, the hole; on failure, CANCEL
433 */
434 private static Object spinWait(Node node, Slot slot) {
435 int spins = SPINS;
436 for (;;) {
437 Object v = node.get();
438 if (v != null)
439 return v;
440 else if (spins > 0)
441 --spins;
442 else
443 tryCancel(node, slot);
444 }
445 }
446
447 /**
448 * Waits for (by spinning and/or blocking) and gets the hole
449 * filled in by another thread. Fails if interrupted before
450 * hole filled.
451 *
452 * When a node/thread is about to block, it sets its waiter field
453 * and then rechecks state at least one more time before actually
454 * parking, thus covering race vs fulfiller noticing that waiter
455 * is non-null so should be woken.
456 *
457 * Thread interruption status is checked only surrounding calls to
458 * park. The caller is assumed to have checked interrupt status
459 * on entry.
460 *
461 * @param node the waiting node
462 * @return on success, the hole; on failure, CANCEL
463 */
464 private static Object await(Node node, Slot slot) {
465 Thread w = Thread.currentThread();
466 int spins = SPINS;
467 for (;;) {
468 Object v = node.get();
469 if (v != null)
470 return v;
471 else if (spins > 0) // Spin-wait phase
472 --spins;
473 else if (node.waiter == null) // Set up to block next
474 node.waiter = w;
475 else if (w.isInterrupted()) // Abort on interrupt
476 tryCancel(node, slot);
477 else // Block
478 LockSupport.park(node);
479 }
480 }
481
482 /**
483 * Waits for (at index 0) and gets the hole filled in by another
484 * thread. Fails if timed out or interrupted before hole filled.
485 * Same basic logic as untimed version, but a bit messier.
486 *
487 * @param node the waiting node
488 * @param nanos the wait time
489 * @return on success, the hole; on failure, CANCEL
490 */
491 private Object awaitNanos(Node node, Slot slot, long nanos) {
492 int spins = TIMED_SPINS;
493 long lastTime = 0;
494 Thread w = null;
495 for (;;) {
496 Object v = node.get();
497 if (v != null)
498 return v;
499 long now = System.nanoTime();
500 if (w == null)
501 w = Thread.currentThread();
502 else
503 nanos -= now - lastTime;
504 lastTime = now;
505 if (nanos > 0) {
506 if (spins > 0)
507 --spins;
508 else if (node.waiter == null)
509 node.waiter = w;
510 else if (w.isInterrupted())
511 tryCancel(node, slot);
512 else
513 LockSupport.parkNanos(node, nanos);
514 }
515 else if (tryCancel(node, slot) && !w.isInterrupted())
516 return scanOnTimeout(node);
517 }
518 }
519
520 /**
521 * Sweeps through arena checking for any waiting threads. Called
522 * only upon return from timeout while waiting in slot 0. When a
523 * thread gives up on a timed wait, it is possible that a
524 * previously-entered thread is still waiting in some other
525 * slot. So we scan to check for any. This is almost always
526 * overkill, but decreases the likelihood of timeouts when there
527 * are other threads present to far less than that in lock-based
528 * exchangers in which earlier-arriving threads may still be
529 * waiting on entry locks.
530 *
531 * @param node the waiting node
532 * @return another thread's item, or CANCEL
533 */
534 private Object scanOnTimeout(Node node) {
535 Object y;
536 for (int j = arena.length - 1; j >= 0; --j) {
537 Slot slot = arena[j];
538 if (slot != null) {
539 while ((y = slot.get()) != null) {
540 if (slot.compareAndSet(y, null)) {
541 Node you = (Node)y;
542 if (you.compareAndSet(null, node.item)) {
543 LockSupport.unpark(you.waiter);
544 return you.item;
545 }
546 }
547 }
548 }
549 }
550 return CANCEL;
551 }
552
553 /**
554 * Creates a new Exchanger.
555 */
556 public Exchanger() {
557 }
558
559 /**
560 * Waits for another thread to arrive at this exchange point (unless
561 * the current thread is {@linkplain Thread#interrupt interrupted}),
562 * and then transfers the given object to it, receiving its object
563 * in return.
564 *
565 * <p>If another thread is already waiting at the exchange point then
566 * it is resumed for thread scheduling purposes and receives the object
567 * passed in by the current thread. The current thread returns immediately,
568 * receiving the object passed to the exchange by that other thread.
569 *
570 * <p>If no other thread is already waiting at the exchange then the
571 * current thread is disabled for thread scheduling purposes and lies
572 * dormant until one of two things happens:
573 * <ul>
574 * <li>Some other thread enters the exchange; or
575 * <li>Some other thread {@linkplain Thread#interrupt interrupts}
576 * the current thread.
577 * </ul>
578 * <p>If the current thread:
579 * <ul>
580 * <li>has its interrupted status set on entry to this method; or
581 * <li>is {@linkplain Thread#interrupt interrupted} while waiting
582 * for the exchange,
583 * </ul>
584 * then {@link InterruptedException} is thrown and the current thread's
585 * interrupted status is cleared.
586 *
587 * @param x the object to exchange
588 * @return the object provided by the other thread
589 * @throws InterruptedException if the current thread was
590 * interrupted while waiting
591 */
592 public V exchange(V x) throws InterruptedException {
593 if (!Thread.interrupted()) {
594 Object v = doExchange((x == null) ? NULL_ITEM : x, false, 0);
595 if (v == NULL_ITEM)
596 return null;
597 if (v != CANCEL)
598 return (V)v;
599 Thread.interrupted(); // Clear interrupt status on IE throw
600 }
601 throw new InterruptedException();
602 }
603
604 /**
605 * Waits for another thread to arrive at this exchange point (unless
606 * the current thread is {@linkplain Thread#interrupt interrupted} or
607 * the specified waiting time elapses), and then transfers the given
608 * object to it, receiving its object in return.
609 *
610 * <p>If another thread is already waiting at the exchange point then
611 * it is resumed for thread scheduling purposes and receives the object
612 * passed in by the current thread. The current thread returns immediately,
613 * receiving the object passed to the exchange by that other thread.
614 *
615 * <p>If no other thread is already waiting at the exchange then the
616 * current thread is disabled for thread scheduling purposes and lies
617 * dormant until one of three things happens:
618 * <ul>
619 * <li>Some other thread enters the exchange; or
620 * <li>Some other thread {@linkplain Thread#interrupt interrupts}
621 * the current thread; or
622 * <li>The specified waiting time elapses.
623 * </ul>
624 * <p>If the current thread:
625 * <ul>
626 * <li>has its interrupted status set on entry to this method; or
627 * <li>is {@linkplain Thread#interrupt interrupted} while waiting
628 * for the exchange,
629 * </ul>
630 * then {@link InterruptedException} is thrown and the current thread's
631 * interrupted status is cleared.
632 *
633 * <p>If the specified waiting time elapses then {@link
634 * TimeoutException} is thrown. If the time is less than or equal
635 * to zero, the method will not wait at all.
636 *
637 * @param x the object to exchange
638 * @param timeout the maximum time to wait
639 * @param unit the time unit of the <tt>timeout</tt> argument
640 * @return the object provided by the other thread
641 * @throws InterruptedException if the current thread was
642 * interrupted while waiting
643 * @throws TimeoutException if the specified waiting time elapses
644 * before another thread enters the exchange
645 */
646 public V exchange(V x, long timeout, TimeUnit unit)
647 throws InterruptedException, TimeoutException {
648 if (!Thread.interrupted()) {
649 Object v = doExchange((x == null) ? NULL_ITEM : x,
650 true, unit.toNanos(timeout));
651 if (v == NULL_ITEM)
652 return null;
653 if (v != CANCEL)
654 return (V)v;
655 if (!Thread.interrupted())
656 throw new TimeoutException();
657 }
658 throw new InterruptedException();
659 }
660 }