AQS即AbstractQueuedSynchronizer,队列同步器,我们所熟悉的ReentrantLock等并发框架中都有它的身影。如其类注释所言,This class is designed to be a useful basis for most kinds of synchronizers that rely on a single atomic value to represent state,该类被设计为大多数同步类的基础。了解了它的实现,Java并发包下大部分的组件的理解过程将事半功倍。

类的注释

首先我们可以从类的注释中,了解很多AQS的实现思想。了解这些思想可以帮助我们在阅读源码时更好的理解类设计的用意以及其子类的正确使用方式。

Provides a framework for implementing blocking locks and related synchronizers (semaphores, events, etc) that rely on first-in-first-out (FIFO) wait queues。

AQS是实现阻塞队列,同步器,信号量等组件的基础框架,基于一个FIFO队列实现。

Subclasses should be defined as non-public internal helper classes that are used to implement the synchronization properties of their enclosing class。 子类应该被定义为非公有的内部类,用来帮助其封闭类实现同步属性。这句话翻译着有些拗口,看过实际使用的应该可以理解。例如同步锁ReentrantLock的同步属性就是依靠其内部类Sync实现的,而Sync正是AQS的子类。

To use this class as the basis of a synchronizer, redefine the

  • following methods, as applicable, by inspecting and/or modifying
  • the synchronization state using {@link #getState}, {@link
  • setState} and/or {@link #compareAndSetState}:

    *
    • {@link #tryAcquire}
    • {@link #tryRelease}
    • {@link #tryAcquireShared}
    • {@link #tryReleaseShared}
    • {@link #isHeldExclusively}
    AQS提供了以下几个模板方法供使用者自定义同步器,通过对state状态的检查与修改(来调用这几个方法) 这段话给了我们一个鲜明的提示,提供给子类自定义的几个方法,访问的入口是getState和setState等几个方法

内部类 Node

AQS内部定义了一个Node类来保存阻塞线程的信息,并且Node类也是队列的元素组成。在队列中,一个Node实例表示一个等待的线程。其具体实现如下

  1. static final class Node {
  2. /** 标记节点正在共享模式中等待 */
  3. static final Node SHARED = new Node();
  4. /**标记节点正在独占模式中等待 */
  5. static final Node EXCLUSIVE = null;
  6. /** 表示线程已取消等待 */
  7. static final int CANCELLED = 1;
  8. /** 标记后继者线程正在等待当前线程取消或释放锁 */
  9. static final int SIGNAL = -1;
  10. /*
  11. * 标记节点正在等待Condition,其它线程唤醒condition后,
  12. * 该节点进入同步状态等待
  13. */
  14. static final int CONDITION = -2;
  15. /**
  16. * 下一个同步状态将会无条件传播
  17. */
  18. static final int PROPAGATE = -3;
  19. /**
  20. * 当前节点封装的线程的等待状态,取值就是上边的4个int常量,初始为0 * 大于0表示取消状态,小于0表示有效状态 */
  21. volatile int waitStatus;
  22. /**
  23. * 前驱节点,当前节点用来检查waitStatus状态的节点。入队列时分配 */
  24. volatile Node prev;
  25. /**
  26. * 当前节点状态释放后的后继节点 */
  27. volatile Node next;
  28. /**
  29. * 当前节点的排队线程,节点构造时初始化 */
  30. volatile Thread thread;
  31. /**
  32. * 下一个等待的节点 */
  33. Node nextWaiter;
  34. /**
  35. * 是否共享 */
  36. final boolean isShared()
  37. {
  38. return nextWaiter == SHARED;
  39. }
  40. /** * 获取前驱节点 */
  41. final Node predecessor() throws NullPointerException
  42. {
  43. Node p = prev;
  44. if (p == null)
  45. throw new NullPointerException();
  46. else
  47. return p;
  48. }
  49. Node() { // Used to establish initial head or SHARED marker
  50. }
  51. Node(Thread thread, Node mode) { // Used by addWaiter
  52. this.nextWaiter = mode;
  53. this.thread = thread;
  54. }
  55. Node(Thread thread, int waitStatus) { // Used by Condition
  56. this.waitStatus = waitStatus;
  57. this.thread = thread;
  58. }
  59. }

Node之外,AQS类还定义了以下关键属性:

  1. /**
  2. * 等待队列的头节点,除了初始化之外只在调用setHead方法时被修改 */
  3. private transient volatile Node head;
  4. /** * 队列的尾节点,懒加载。只在调用enq方法时被修改 */
  5. private transient volatile Node tail;
  6. /**
  7. * The synchronization state. */
  8. private volatile int state;

这几个属性加上Node节点就组成了AQS很多方法的基本实现

  1. protected final boolean compareAndSetState(int expect, int update)
  2. {
  3. // See below for intrinsics setup to support this
  4. return unsafe.compareAndSwapInt(this, stateOffset, expect, update);
  5. }

compareAndSetState 方法是一个典型的CAS乐观锁做原子更新的实现,调用的是Unsafe类的方法。Unsafe类—Java做内存和线程等底层操作的后门,方法都是native的本地方法,在此不做过多介绍。

入列出列

addWaiter方法

addWaiter先尝试直接设置尾节点,失败后再调用enq方法

  1. /**
  2. * Creates and enqueues node for current thread and given mode.
  3. * * @param mode Node.EXCLUSIVE for exclusive, Node.SHARED for shared
  4. * @return the new node */
  5. private Node addWaiter(Node mode) {
  6. Node node = new Node(Thread.currentThread(), mode);
  7. // Try the fast path of enq; backup to full enq on failure
  8. Node pred = tail;
  9. if (pred != null) {
  10. node.prev = pred;
  11. //通过cas设置当前的node节点为尾节点
  12. if (compareAndSetTail(pred, node)) {
  13. pred.next = node;
  14. return node;
  15. }
  16. }
  17. //cas设置尾节点失败则调用enq方法
  18. enq(node);
  19. return node;
  20. }

enq方法

  1. /**
  2. * The number of nanoseconds for which it is faster to spin
  3. * rather than to use timed park. A rough estimate suffices
  4. * to improve responsiveness with very short timeouts. */
  5. static final long spinForTimeoutThreshold = 1000L;
  6. /** * 队列尾部插入节点的方法
  7. * 取出尾部节点,如果为null则将节点设置为尾部节点,如果不为null,
  8. * 则当前节点的前驱节点为尾节点,当前节点成为新的尾节点 */
  9. private Node enq(final Node node) {
  10. //通过一个无限循环的cas来设置node为尾节点
  11. for (;;) {
  12. Node t = tail;
  13. //尾节点不存在,设置一个新节点为头节点和尾节点,然后下一个循环再设置尾节点
  14. if (t == null) { // Must initialize
  15. if (compareAndSetHead(new Node()))
  16. tail = head;
  17. } else {
  18. //CAS设置尾节点直到成功
  19. node.prev = t;
  20. if (compareAndSetTail(t, node)) {
  21. t.next = node;
  22. return t;
  23. }
  24. }
  25. }
  26. }

如上代码所示,队列在插入新节点时,也使用了CAS的方式,以compareAndSetTail方法为例

  1. /**
  2. * CAS tail field. Used only by enq. */
  3. private final boolean compareAndSetTail(Node expect, Node update) {
  4. return unsafe.compareAndSwapObject(this, tailOffset, expect, update);
  5. }

tailOffset为AQS类初始化时就定义好的地址偏移量,简单的说就是tail节点在整个类内存空间中相对于起始内存地址的偏移量,也就是这个保存tail这个变量的内存地址的起点,和tail对象具体是什么没有多大的联系。

unparkSuccessor方法

unparkSuccessor方法用于调用来唤醒入参node的下一个等待线程
首先获取当前节点node的waitStatus,并将其状态释放(值设置为0)
如果node的next是null,则从尾部节点tail从后向前遍历,找到一个状态小于0的正在等待的节点,作为下一个唤醒的节点,唤醒是由LockSupport.unpark方法实现的。LockSupport也是Unsafe的一个简单的封装,unpark调用的也是Unsafe的native方法unpark()

  1. /**
  2. * 唤醒下一个等待线程 */
  3. private void unparkSuccessor(Node node) {
  4. /*
  5. * If status is negative (i.e., possibly needing signal) try
  6. * to clear in anticipation of signalling. It is OK if this
  7. * fails or if status is changed by waiting thread. */
  8. int ws = node.waitStatus;
  9. if (ws < 0)
  10. compareAndSetWaitStatus(node, ws, 0);
  11. /*
  12. * Thread to unpark is held in successor, which is normally
  13. * just the next node. But if cancelled or apparently null,
  14. * traverse backwards from tail to find the actual
  15. * non-cancelled successor. */
  16. Node s = node.next;
  17. if (s == null || s.waitStatus > 0) {
  18. s = null;
  19. for (Node t = tail; t != null && t != node; t = t.prev)
  20. if (t.waitStatus <= 0)
  21. s = t;
  22. }
  23. if (s != null)
  24. LockSupport.unpark(s.thread);
  25. }

资源获取

acquire方法

  1. public final void acquire(int arg) {
  2. if (!tryAcquire(arg) &&
  3. acquireQueued(addWaiter(Node.EXCLUSIVE), arg))
  4. selfInterrupt();
  5. }

此方法是独占模式下获取资源的入口
首先调用了tryAcquire方法,尝试直接获取资源。此方法在AQS中没有给出实现,而是把实现交给了子类(模板方法模式)
addWaiter方法则是将线程以独占模式加入到等待队列的最末尾
acquireQueued方法,在节点被加入到等待队列的最末尾之后,使其一直等待

acquireQueued方法

  1. /**
  2. * 对于已经在队列中的线程以独占模式不间断的获取资源
  3. *
  4. */
  5. final boolean acquireQueued(final Node node, int arg) {
  6. boolean failed = true;
  7. try {
  8. boolean interrupted = false;//等待过程中是否中断过
  9. for (;;) {//自旋获取
  10. final Node p = node.predecessor();//获取前驱节点
  11. //如果前驱节点是队列首节点,表示当前节点在队列的最前面
  12. //那就可以获取资源了
  13. if (p == head && tryAcquire(arg)) {
  14. setHead(node);//获取后将节点设为首节点
  15. // 原首节点的后置节点为null,则表示该节点
  16. //已经从队列中脱离。可以被回收了
  17. p.next = null;
  18. failed = false;
  19. return interrupted;//成功获取资源,结束自旋。
  20. }
  21. //shouldParkAfterFailedAcquire判断线程是否需要挂起
  22. //shouldParkAfterFailedAcquire源码解读见下一段
  23. if (shouldParkAfterFailedAcquire(p, node) &&
  24. parkAndCheckInterrupt())
  25. interrupted = true;
  26. }
  27. } finally {
  28. if (failed)
  29. cancelAcquire(node);
  30. }
  31. }

获取锁的流程图总结如下(图片来自网络)
lock.png
**

资源释放

cancelAcquire方法

取消正在进行的获取资源的尝试

  1. /**
  2. * Cancels an ongoing attempt to acquire.
  3. */
  4. private void cancelAcquire(Node node) {
  5. if (node == null)
  6. return;
  7. node.thread = null;
  8. //如果前驱节点不是等待状态,则将node的前驱节点设置成前驱节点的前驱节点
  9. Node pred = node.prev;
  10. while (pred.waitStatus > 0)
  11. node.prev = pred = pred.prev;
  12. // predNext is the apparent node to unsplice. CASes below will
  13. // fail if not, in which case, we lost race vs another cancel
  14. // or signal, so no further action is necessary.
  15. Node predNext = pred.next;
  16. // Can use unconditional write instead of CAS here.
  17. // After this atomic step, other Nodes can skip past us.
  18. // Before, we are free of interference from other threads.
  19. //node的状态也设置成取消
  20. node.waitStatus = Node.CANCELLED;
  21. // 如果是尾节点,把node从队列里移出去
  22. if (node == tail && compareAndSetTail(node, pred)) {
  23. compareAndSetNext(pred, predNext, null);
  24. } else {
  25. // If successor needs signal, try to set pred's next-link
  26. // so it will get one. Otherwise wake it up to propagate.
  27. int ws;
  28. if (pred != head &&
  29. ((ws = pred.waitStatus) == Node.SIGNAL ||
  30. (ws <= 0 && compareAndSetWaitStatus(pred, ws, Node.SIGNAL))) &&
  31. pred.thread != null) {
  32. Node next = node.next;
  33. if (next != null && next.waitStatus <= 0)
  34. compareAndSetNext(pred, predNext, next);
  35. } else {
  36. unparkSuccessor(node);
  37. }
  38. node.next = node; // help GC
  39. }
  40. }

**

release方法

release方法释放当前占用的锁(如果是已重入的,需要多次释放)

  1. public final boolean release(int arg) {
  2. if (tryRelease(arg)) {
  3. //调用tryRelease方法成功后,寻找头节点
  4. Node h = head;
  5. //如果头节点存在且无等待状态
  6. if (h != null && h.waitStatus != 0)
  7. //唤醒h后面的节点
  8. unparkSuccessor(h);
  9. return true;
  10. }
  11. return false;
  12. }
  13. protected final boolean tryRelease(int releases) {
  14. //获取当前状态与入参的差值
  15. int c = getState() - releases;
  16. if (Thread.currentThread() != getExclusiveOwnerThread())
  17. throw new IllegalMonitorStateException();
  18. boolean free = false;
  19. //差值为0则表明锁被完全释放
  20. if (c == 0) {
  21. free = true;
  22. setExclusiveOwnerThread(null);
  23. }
  24. //将差值设置为最新的status值
  25. setState(c);
  26. return free;
  27. }
  28. private void unparkSuccessor(Node node) {
  29. //将当前节点的状态修改为0
  30. int ws = node.waitStatus;
  31. if (ws < 0)
  32. compareAndSetWaitStatus(node, ws, 0);
  33. //从队列里找出下一个需要唤醒的节点
  34. //首先是直接后继
  35. Node s = node.next;
  36. //如果直接后继为空或者它的waitStatus大于0(已经放弃获取锁了),我们就遍历整个队列,
  37. //获取第一个需要唤醒的节点
  38. if (s == null || s.waitStatus > 0) {
  39. s = null;
  40. for (Node t = tail; t != null && t != node; t = t.prev)
  41. if (t.waitStatus <= 0)
  42. s = t;
  43. }
  44. if (s != null)
  45. //将节点唤醒
  46. LockSupport.unpark(s.thread);
  47. }

搬运自我的简书 https://www.jianshu.com/p/7e3f181f5823