AQS源码浅析(4)——API

2022-04-06  本文已影响0人  墨_0b54

tryAcquire独占模式获取锁

protected boolean tryAcquire(int arg) {
        throw new UnsupportedOperationException();
}

tryRelease独占模式释放锁

protected boolean tryRelease(int arg) {
    throw new UnsupportedOperationException();
}

tryAcquireShared共享模式获取锁

protected int tryAcquireShared(int arg) {
    throw new UnsupportedOperationException();
}

tryReleaseShared共享模式释放锁

protected boolean tryReleaseShared(int arg) {
    throw new UnsupportedOperationException();
}

acquire独占加锁忽略中断

public final void acquire(int arg) { 
        if (!tryAcquire(arg) && //尝试加锁一次,成功直接退出,否则排队
            acquireQueued(addWaiter(Node.EXCLUSIVE), arg)) //线程入同步队列排队,反复阻塞和唤醒直到成功
            selfInterrupt(); //获取锁过程中被中断,重新标志线程中断
}
static void selfInterrupt() {
        Thread.currentThread().interrupt();
}

release独占模式释放锁

public final boolean release(int arg) { //当前持有锁的线程释放锁并唤醒后继
    if (tryRelease(arg)) { //tryRelease返回ture代表完全释放锁
        Node h = head;
        if (h != null && h.waitStatus != 0) //唤醒同步队列的后继线程
            unparkSuccessor(h);
        return true;
    }
    return false;
}

acquireShared共享模式获取锁忽略中断

public final void acquireShared(int arg) {
    if (tryAcquireShared(arg) < 0)
        doAcquireShared(arg);
}

releaseShared共享模式释放锁

public final boolean releaseShared(int arg) {
    if (tryReleaseShared(arg)) {
        doReleaseShared();
        return true;
    }
    return false;
}

acquireInterruptibly与acquireSharedInterruptibly,获取锁中断即中止

acquireInterruptibly基本实现同acquire,区别是如果acquireInterruptibly获取锁过程中被中断,会直接抛中断异常,退出同步队列

public final void acquireInterruptibly(int arg) 
        throws InterruptedException {
    if (Thread.interrupted())
        throw new InterruptedException();
    if (!tryAcquire(arg))
        doAcquireInterruptibly(arg);
}

acquireSharedInterruptibly基本实现同acquireShared,区别是如果acquireSharedInterruptibly获取锁过程中被中断,会直接抛中断异常,退出同步队列

public final void acquireSharedInterruptibly(int arg)
        throws InterruptedException {
    if (Thread.interrupted())
        throw new InterruptedException();
    if (tryAcquireShared(arg) < 0)
        doAcquireSharedInterruptibly(arg);
}

tryAcquireNanos与tryAcquireSharedNanos

tryAcquireNanos基本实现同acquireInterruptibly,区别是tryAcquireNanos会返回结果成功或失败,如果超时,退出同步队列并返回false

public final boolean tryAcquireNanos(int arg, long nanosTimeout)
        throws InterruptedException {
    if (Thread.interrupted())
        throw new InterruptedException();
    return tryAcquire(arg) ||
        doAcquireNanos(arg, nanosTimeout);
}

tryAcquireSharedNanos基本实现同acquireInterruptibly,区别是tryAcquireSharedNanos会返回结果成功或失败,如果超时,退出同步队列并返回false

public final boolean tryAcquireSharedNanos(int arg, long nanosTimeout)
        throws InterruptedException {
    if (Thread.interrupted())
        throw new InterruptedException();
    return tryAcquireShared(arg) >= 0 ||
        doAcquireSharedNanos(arg, nanosTimeout);
}
上一篇 下一篇

猜你喜欢

热点阅读