1

synchronized在Java中用于处理互斥锁之类的事情。但是,Java 中的Lock接口实现ReentrantLock不使用 this 关键字。所有代码看起来都只是普通代码。那么它是如何处理地球上的多个线程的呢?

我相信以下代码片段是相关的:

中的tryAcquire方法SyncReentrantLock

protected final boolean tryAcquire(int acquires) {
    final Thread current = Thread.currentThread();
    int c = getState();
    if (c == 0) {
        if (!hasQueuedPredecessors() &&
            compareAndSetState(0, acquires)) {
            setExclusiveOwnerThread(current);
            return true;
        }
    }
    else if (current == getExclusiveOwnerThread()) {
        int nextc = c + acquires;
        if (nextc < 0)
            throw new Error("Maximum lock count exceeded");
        setState(nextc);
        return true;
    }
    return false;
}

Sync扩展AbstractQueuedSynchronizer和相关的代码:

final boolean acquireQueued(final Node node, int arg) {
    boolean failed = true;
    try {
        boolean interrupted = false;
        for (;;) {
            final Node p = node.predecessor();
            if (p == head && tryAcquire(arg)) {
                setHead(node);
                p.next = null; // help GC
                failed = false;
                return interrupted;
            }
            if (shouldParkAfterFailedAcquire(p, node) &&
                parkAndCheckInterrupt())
                interrupted = true;
        }
    } finally {
        if (failed)
            cancelAcquire(node);
    }
}

所以似乎没有synchronized使用关键字,那么它如何保证互斥锁?

4

1 回答 1

4

从 Java 1.5(?) 开始,JVM 支持使用所谓的 Compare-And-Swap方法进行硬件锁定。只需遵循源代码,直到调用它为止。

另请参阅 Doug Lea 的论文以获得更好的理解: http: //gee.cs.oswego.edu/dl/papers/aqs.pdf

于 2013-03-24T05:08:17.383 回答