ViewVC Help
View File | Revision Log | Show Annotations | Download File | Root Listing
root/jsr166/jsr166/src/jsr166e/SequenceLock.java
Revision: 1.13
Committed: Mon Aug 1 12:41:16 2011 UTC (12 years, 10 months ago) by jsr166
Branch: MAIN
Changes since 1.12: +44 -41 lines
Log Message:
whitespace

File Contents

# Content
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 jsr166e;
8 import java.util.concurrent.TimeUnit;
9 import java.util.concurrent.TimeoutException;
10 import java.util.concurrent.locks.Lock;
11 import java.util.concurrent.locks.ReentrantLock;
12 import java.util.concurrent.locks.Condition;
13 import java.util.concurrent.locks.AbstractQueuedLongSynchronizer;
14 import java.util.Collection;
15 import java.io.ObjectOutputStream;
16 import java.io.ObjectInputStream;
17 import java.io.IOException;
18
19 /**
20 * A reentrant mutual exclusion {@link Lock} in which each lock
21 * acquisition or release advances a sequence number. When the
22 * sequence number (accessible using {@link #getSequence()}) is odd,
23 * the lock is held. When it is even (i.e., ({@code lock.getSequence()
24 * & 1L) == 0L}), the lock is released. Method {@link
25 * #awaitAvailability} can be used to await availability of the lock,
26 * returning its current sequence number. Sequence numbers (as well as
27 * reentrant hold counts) are of type {@code long} to ensure that they
28 * will not wrap around until hundreds of years of use under current
29 * processor rates. A SequenceLock can be created with a specified
30 * number of spins. Attempts to acquire the lock in method {@link
31 * #lock} will retry at least the given number of times before
32 * blocking. If not specified, a default, possibly platform-specific,
33 * value is used.
34 *
35 * <p>Except for the lack of support for specified fairness policies,
36 * or {@link Condition} objects, a SequenceLock can be used in the
37 * same way as {@link ReentrantLock}. It provides similar status and
38 * monitoring methods, such as {@link #isHeldByCurrentThread}.
39 * SequenceLocks may be preferable in contexts in which multiple
40 * threads invoke short read-only methods much more frequently than
41 * fully locked methods.
42 *
43 * <p> Methods {@code awaitAvailability} and {@code getSequence} can
44 * be used together to define (partially) optimistic read-only methods
45 * that are usually more efficient than ReadWriteLocks when they
46 * apply. These methods should in general be structured as loops that
47 * await lock availability, then read {@code volatile} fields into
48 * local variables (and may further read other values derived from
49 * these, for example the {@code length} of a {@code volatile} array),
50 * and retry if the sequence number changed while doing so.
51 * Alternatively, because {@code awaitAvailability} accommodates
52 * reentrancy, a method can retry a bounded number of times before
53 * switching to locking mode. While conceptually straightforward,
54 * expressing these ideas can be verbose. For example:
55 *
56 * <pre> {@code
57 * class Point {
58 * private volatile double x, y;
59 * private final SequenceLock sl = new SequenceLock();
60 *
61 * // an exclusively locked method
62 * void move(double deltaX, double deltaY) {
63 * sl.lock();
64 * try {
65 * x += deltaX;
66 * y += deltaY;
67 * } finally {
68 * sl.unlock();
69 * }
70 * }
71 *
72 * // A read-only method
73 * double distanceFromOriginV1() {
74 * double currentX, currentY;
75 * long seq;
76 * do {
77 * seq = sl.awaitAvailability();
78 * currentX = x;
79 * currentY = y;
80 * } while (sl.getSequence() != seq); // retry if sequence changed
81 * return Math.sqrt(currentX * currentX + currentY * currentY);
82 * }
83 *
84 * // Uses bounded retries before locking
85 * double distanceFromOriginV2() {
86 * double currentX, currentY;
87 * long seq;
88 * int retries = RETRIES_BEFORE_LOCKING; // for example 8
89 * try {
90 * do {
91 * if (--retries < 0)
92 * sl.lock();
93 * seq = sl.awaitAvailability();
94 * currentX = x;
95 * currentY = y;
96 * } while (sl.getSequence() != seq);
97 * } finally {
98 * if (retries < 0)
99 * sl.unlock();
100 * }
101 * return Math.sqrt(currentX * currentX + currentY * currentY);
102 * }
103 * }}</pre>
104 *
105 * @since 1.8
106 * @author Doug Lea
107 */
108 public class SequenceLock implements Lock, java.io.Serializable {
109 private static final long serialVersionUID = 7373984872572414699L;
110
111 static final class Sync extends AbstractQueuedLongSynchronizer {
112 /**
113 * The number of times to spin in lock() and awaitAvailability().
114 */
115 final int spins;
116
117 /**
118 * The number of reentrant holds on this lock. Uses a long for
119 * compatibility with other AbstractQueuedLongSynchronizer
120 * operations. Accessed only by lock holder.
121 */
122 long holds;
123
124 Sync(int spins) { this.spins = spins; }
125
126 // overrides of AQLS methods
127
128 public final boolean isHeldExclusively() {
129 return (getState() & 1L) != 0L &&
130 getExclusiveOwnerThread() == Thread.currentThread();
131 }
132
133 public final boolean tryAcquire(long acquires) {
134 Thread current = Thread.currentThread();
135 long c = getState();
136 if ((c & 1L) == 0L) {
137 if (compareAndSetState(c, c + 1L)) {
138 holds = acquires;
139 setExclusiveOwnerThread(current);
140 return true;
141 }
142 }
143 else if (current == getExclusiveOwnerThread()) {
144 holds += acquires;
145 return true;
146 }
147 return false;
148 }
149
150 public final boolean tryRelease(long releases) {
151 if (Thread.currentThread() != getExclusiveOwnerThread())
152 throw new IllegalMonitorStateException();
153 if ((holds -= releases) == 0L) {
154 setExclusiveOwnerThread(null);
155 setState(getState() + 1L);
156 return true;
157 }
158 return false;
159 }
160
161 public final long tryAcquireShared(long unused) {
162 return (((getState() & 1L) == 0L) ? 1L :
163 (getExclusiveOwnerThread() == Thread.currentThread()) ? 0L:
164 -1L);
165 }
166
167 public final boolean tryReleaseShared(long unused) {
168 return (getState() & 1L) == 0L;
169 }
170
171 public final Condition newCondition() {
172 throw new UnsupportedOperationException();
173 }
174
175 // Other methods in support of SequenceLock
176
177 final long getSequence() {
178 return getState();
179 }
180
181 final void lock() {
182 int k = spins;
183 while (!tryAcquire(1L)) {
184 if (k == 0) {
185 acquire(1L);
186 break;
187 }
188 --k;
189 }
190 }
191
192 final long awaitAvailability() {
193 long s;
194 while (((s = getState()) & 1L) != 0L &&
195 getExclusiveOwnerThread() != Thread.currentThread()) {
196 acquireShared(1L);
197 releaseShared(1L);
198 }
199 return s;
200 }
201
202 final long tryAwaitAvailability(long nanos)
203 throws InterruptedException, TimeoutException {
204 Thread current = Thread.currentThread();
205 for (;;) {
206 long s = getState();
207 if ((s & 1L) == 0L || getExclusiveOwnerThread() == current) {
208 releaseShared(1L);
209 return s;
210 }
211 if (!tryAcquireSharedNanos(1L, nanos))
212 throw new TimeoutException();
213 // since tryAcquireSharedNanos doesn't return seq
214 // retry with minimal wait time.
215 nanos = 1L;
216 }
217 }
218
219 final boolean isLocked() {
220 return (getState() & 1L) != 0L;
221 }
222
223 final Thread getOwner() {
224 return (getState() & 1L) == 0L ? null : getExclusiveOwnerThread();
225 }
226
227 final long getHoldCount() {
228 return isHeldExclusively() ? holds : 0;
229 }
230
231 private void readObject(ObjectInputStream s)
232 throws IOException, ClassNotFoundException {
233 s.defaultReadObject();
234 holds = 0L;
235 setState(0L); // reset to unlocked state
236 }
237 }
238
239 private final Sync sync;
240
241 /**
242 * The default spin value for constructor. Future versions of this
243 * class might choose platform-specific values. Currently, except
244 * on uniprocessors, it is set to a small value that overcomes near
245 * misses between releases and acquires.
246 */
247 static final int DEFAULT_SPINS =
248 Runtime.getRuntime().availableProcessors() > 1 ? 64 : 0;
249
250 /**
251 * Creates an instance of {@code SequenceLock} with the default
252 * number of retry attempts to acquire the lock before blocking.
253 */
254 public SequenceLock() { sync = new Sync(DEFAULT_SPINS); }
255
256 /**
257 * Creates an instance of {@code SequenceLock} that will retry
258 * attempts to acquire the lock at least the given number times
259 * before blocking.
260 */
261 public SequenceLock(int spins) { sync = new Sync(spins); }
262
263 /**
264 * Returns the current sequence number of this lock. The sequence
265 * number is advanced upon each acquire or release action. When
266 * this value is odd, the lock is held; when even, it is released.
267 *
268 * @return the current sequence number
269 */
270 public long getSequence() { return sync.getSequence(); }
271
272 /**
273 * Returns the current sequence number when the lock is, or
274 * becomes, available. A lock is available if it is either
275 * released, or is held by the current thread. If the lock is not
276 * available, the current thread becomes disabled for thread
277 * scheduling purposes and lies dormant until the lock has been
278 * released by some other thread.
279 *
280 * @return the current sequence number
281 */
282 public long awaitAvailability() { return sync.awaitAvailability(); }
283
284 /**
285 * Returns the current sequence number if the lock is, or
286 * becomes, available within the specified waiting time.
287 *
288 * <p>If the lock is not available, the current thread becomes
289 * disabled for thread scheduling purposes and lies dormant until
290 * one of three things happens:
291 *
292 * <ul>
293 *
294 * <li>The lock becomes available, in which case the current
295 * sequence number is returned.
296 *
297 * <li>Some other thread {@linkplain Thread#interrupt interrupts}
298 * the current thread, in which case this method throws
299 * {@link InterruptedException}.
300 *
301 * <li>The specified waiting time elapses, in which case
302 * this method throws {@link TimeoutException}.
303 *
304 * </ul>
305 *
306 * @param timeout the time to wait for availability
307 * @param unit the time unit of the timeout argument
308 * @return the current sequence number if the lock is available
309 * upon return from this method.
310 * @throws InterruptedException if the current thread is interrupted
311 * @throws TimeoutException if the lock was not available within
312 * the specified waiting time.
313 * @throws NullPointerException if the time unit is null
314 */
315 public long tryAwaitAvailability(long timeout, TimeUnit unit)
316 throws InterruptedException, TimeoutException {
317 return sync.tryAwaitAvailability(unit.toNanos(timeout));
318 }
319
320 /**
321 * Acquires the lock.
322 *
323 * <p>If the current thread already holds this lock then the hold count
324 * is incremented by one and the method returns immediately without
325 * incrementing the sequence number.
326 *
327 * <p>If this lock not held by another thread, this method
328 * increments the sequence number (which thus becomes an odd
329 * number), sets the lock hold count to one, and returns
330 * immediately.
331 *
332 * <p>If the lock is held by another thread then the current
333 * thread may retry acquiring this lock, depending on the {@code
334 * spin} count established in constructor. If the lock is still
335 * not acquired, the current thread becomes disabled for thread
336 * scheduling purposes and lies dormant until enabled by
337 * some other thread releasing the lock.
338 */
339 public void lock() { sync.lock(); }
340
341 /**
342 * Acquires the lock unless the current thread is
343 * {@linkplain Thread#interrupt interrupted}.
344 *
345 * <p>If the current thread already holds this lock then the hold count
346 * is incremented by one and the method returns immediately without
347 * incrementing the sequence number.
348 *
349 * <p>If this lock not held by another thread, this method
350 * increments the sequence number (which thus becomes an odd
351 * number), sets the lock hold count to one, and returns
352 * immediately.
353 *
354 * <p>If the lock is held by another thread then the current
355 * thread may retry acquiring this lock, depending on the {@code
356 * spin} count established in constructor. If the lock is still
357 * not acquired, the current thread becomes disabled for thread
358 * scheduling purposes and lies dormant until one of two things
359 * happens:
360 *
361 * <ul>
362 *
363 * <li>The lock is acquired by the current thread; or
364 *
365 * <li>Some other thread {@linkplain Thread#interrupt interrupts} the
366 * current thread.
367 *
368 * </ul>
369 *
370 * <p>If the lock is acquired by the current thread then the lock hold
371 * count is set to one and the sequence number is incremented.
372 *
373 * <p>If the current thread:
374 *
375 * <ul>
376 *
377 * <li>has its interrupted status set on entry to this method; or
378 *
379 * <li>is {@linkplain Thread#interrupt interrupted} while acquiring
380 * the lock,
381 *
382 * </ul>
383 *
384 * then {@link InterruptedException} is thrown and the current thread's
385 * interrupted status is cleared.
386 *
387 * <p>In this implementation, as this method is an explicit
388 * interruption point, preference is given to responding to the
389 * interrupt over normal or reentrant acquisition of the lock.
390 *
391 * @throws InterruptedException if the current thread is interrupted
392 */
393 public void lockInterruptibly() throws InterruptedException {
394 sync.acquireInterruptibly(1L);
395 }
396
397 /**
398 * Acquires the lock only if it is not held by another thread at the time
399 * of invocation.
400 *
401 * <p>If the current thread already holds this lock then the hold
402 * count is incremented by one and the method returns {@code true}
403 * without incrementing the sequence number.
404 *
405 * <p>If this lock not held by another thread, this method
406 * increments the sequence number (which thus becomes an odd
407 * number), sets the lock hold count to one, and returns {@code
408 * true}.
409 *
410 * <p>If the lock is held by another thread then this method
411 * returns {@code false}.
412 *
413 * @return {@code true} if the lock was free and was acquired by the
414 * current thread, or the lock was already held by the current
415 * thread; and {@code false} otherwise
416 */
417 public boolean tryLock() { return sync.tryAcquire(1L); }
418
419 /**
420 * Acquires the lock if it is not held by another thread within the given
421 * waiting time and the current thread has not been
422 * {@linkplain Thread#interrupt interrupted}.
423 *
424 * <p>If the current thread already holds this lock then the hold count
425 * is incremented by one and the method returns immediately without
426 * incrementing the sequence number.
427 *
428 * <p>If this lock not held by another thread, this method
429 * increments the sequence number (which thus becomes an odd
430 * number), sets the lock hold count to one, and returns
431 * immediately.
432 *
433 * <p>If the lock is held by another thread then the current
434 * thread may retry acquiring this lock, depending on the {@code
435 * spin} count established in constructor. If the lock is still
436 * not acquired, the current thread becomes disabled for thread
437 * scheduling purposes and lies dormant until one of three things
438 * happens:
439 *
440 * <ul>
441 *
442 * <li>The lock is acquired by the current thread; or
443 *
444 * <li>Some other thread {@linkplain Thread#interrupt interrupts}
445 * the current thread; or
446 *
447 * <li>The specified waiting time elapses
448 *
449 * </ul>
450 *
451 * <p>If the lock is acquired then the value {@code true} is returned and
452 * the lock hold count is set to one.
453 *
454 * <p>If the current thread:
455 *
456 * <ul>
457 *
458 * <li>has its interrupted status set on entry to this method; or
459 *
460 * <li>is {@linkplain Thread#interrupt interrupted} while
461 * acquiring the lock,
462 *
463 * </ul>
464 * then {@link InterruptedException} is thrown and the current thread's
465 * interrupted status is cleared.
466 *
467 * <p>If the specified waiting time elapses then the value {@code false}
468 * is returned. If the time is less than or equal to zero, the method
469 * will not wait at all.
470 *
471 * <p>In this implementation, as this method is an explicit
472 * interruption point, preference is given to responding to the
473 * interrupt over normal or reentrant acquisition of the lock, and
474 * over reporting the elapse of the waiting time.
475 *
476 * @param timeout the time to wait for the lock
477 * @param unit the time unit of the timeout argument
478 * @return {@code true} if the lock was free and was acquired by the
479 * current thread, or the lock was already held by the current
480 * thread; and {@code false} if the waiting time elapsed before
481 * the lock could be acquired
482 * @throws InterruptedException if the current thread is interrupted
483 * @throws NullPointerException if the time unit is null
484 *
485 */
486 public boolean tryLock(long timeout, TimeUnit unit)
487 throws InterruptedException {
488 return sync.tryAcquireNanos(1L, unit.toNanos(timeout));
489 }
490
491 /**
492 * Attempts to release this lock.
493 *
494 * <p>If the current thread is the holder of this lock then the
495 * hold count is decremented. If the hold count is now zero then
496 * the sequence number is incremented (thus becoming an even
497 * number) and the lock is released. If the current thread is not
498 * the holder of this lock then {@link
499 * IllegalMonitorStateException} is thrown.
500 *
501 * @throws IllegalMonitorStateException if the current thread does not
502 * hold this lock
503 */
504 public void unlock() { sync.release(1); }
505
506 /**
507 * Throws UnsupportedOperationException. SequenceLocks
508 * do not support Condition objects.
509 *
510 * @throws UnsupportedOperationException
511 */
512 public Condition newCondition() {
513 throw new UnsupportedOperationException();
514 }
515
516 /**
517 * Queries the number of holds on this lock by the current thread.
518 *
519 * <p>A thread has a hold on a lock for each lock action that is not
520 * matched by an unlock action.
521 *
522 * <p>The hold count information is typically only used for testing and
523 * debugging purposes.
524 *
525 * @return the number of holds on this lock by the current thread,
526 * or zero if this lock is not held by the current thread
527 */
528 public long getHoldCount() { return sync.getHoldCount(); }
529
530 /**
531 * Queries if this lock is held by the current thread.
532 *
533 * @return {@code true} if current thread holds this lock and
534 * {@code false} otherwise
535 */
536 public boolean isHeldByCurrentThread() { return sync.isHeldExclusively(); }
537
538 /**
539 * Queries if this lock is held by any thread. This method is
540 * designed for use in monitoring of the system state,
541 * not for synchronization control.
542 *
543 * @return {@code true} if any thread holds this lock and
544 * {@code false} otherwise
545 */
546 public boolean isLocked() { return sync.isLocked(); }
547
548 /**
549 * Returns the thread that currently owns this lock, or
550 * {@code null} if not owned. When this method is called by a
551 * thread that is not the owner, the return value reflects a
552 * best-effort approximation of current lock status. For example,
553 * the owner may be momentarily {@code null} even if there are
554 * threads trying to acquire the lock but have not yet done so.
555 * This method is designed to facilitate construction of
556 * subclasses that provide more extensive lock monitoring
557 * facilities.
558 *
559 * @return the owner, or {@code null} if not owned
560 */
561 protected Thread getOwner() { return sync.getOwner(); }
562
563 /**
564 * Queries whether any threads are waiting to acquire this lock. Note that
565 * because cancellations may occur at any time, a {@code true}
566 * return does not guarantee that any other thread will ever
567 * acquire this lock. This method is designed primarily for use in
568 * monitoring of the system state.
569 *
570 * @return {@code true} if there may be other threads waiting to
571 * acquire the lock
572 */
573 public final boolean hasQueuedThreads() {
574 return sync.hasQueuedThreads();
575 }
576
577 /**
578 * Queries whether the given thread is waiting to acquire this
579 * lock. Note that because cancellations may occur at any time, a
580 * {@code true} return does not guarantee that this thread
581 * will ever acquire this lock. This method is designed primarily for use
582 * in monitoring of the system state.
583 *
584 * @param thread the thread
585 * @return {@code true} if the given thread is queued waiting for this lock
586 * @throws NullPointerException if the thread is null
587 */
588 public final boolean hasQueuedThread(Thread thread) {
589 return sync.isQueued(thread);
590 }
591
592 /**
593 * Returns an estimate of the number of threads waiting to
594 * acquire this lock. The value is only an estimate because the number of
595 * threads may change dynamically while this method traverses
596 * internal data structures. This method is designed for use in
597 * monitoring of the system state, not for synchronization
598 * control.
599 *
600 * @return the estimated number of threads waiting for this lock
601 */
602 public final int getQueueLength() {
603 return sync.getQueueLength();
604 }
605
606 /**
607 * Returns a collection containing threads that may be waiting to
608 * acquire this lock. Because the actual set of threads may change
609 * dynamically while constructing this result, the returned
610 * collection is only a best-effort estimate. The elements of the
611 * returned collection are in no particular order. This method is
612 * designed to facilitate construction of subclasses that provide
613 * more extensive monitoring facilities.
614 *
615 * @return the collection of threads
616 */
617 protected Collection<Thread> getQueuedThreads() {
618 return sync.getQueuedThreads();
619 }
620
621 /**
622 * Returns a string identifying this lock, as well as its lock state.
623 * The state, in brackets, includes either the String {@code "Unlocked"}
624 * or the String {@code "Locked by"} followed by the
625 * {@linkplain Thread#getName name} of the owning thread.
626 *
627 * @return a string identifying this lock, as well as its lock state
628 */
629 public String toString() {
630 Thread o = sync.getOwner();
631 return super.toString() + ((o == null) ?
632 "[Unlocked]" :
633 "[Locked by thread " + o.getName() + "]");
634 }
635
636 }
637