2

我可以看到如何在 Java 中实现“标准”信号量类。但是,我看不到如何在 Java 中实现二进制信号量类。这种实施如何运作?我应该什么时候调用唤醒和通知方法来唤醒和停止信号量上的线程?我了解二进制信号量是什么,但我不知道如何对它们进行编码。

编辑说明:意识到我说的是“BINARY”信号量类。我已经做过的标准信号量类,我知道它是正确的,所以标准信号量类对我不感兴趣。

4

8 回答 8

4

这是我为二进制信号量做的一个简单实现:

public class BinarySemaphore {

    private final Semaphore countingSemaphore;

    public BinarySemaphore(boolean available) {
        if (available) {
            countingSemaphore = new Semaphore(1, true);
        } else {
            countingSemaphore = new Semaphore(0, true);
        }
    }

    public void acquire() throws InterruptedException {
        countingSemaphore.acquire();
    }

    public synchronized void release() {
        if (countingSemaphore.availablePermits() != 1) {
            countingSemaphore.release();
        }
    }
}

此实现具有二进制信号量的一个属性,您无法通过计算只有一个许可的信号量来获得 - 多次调用释放仍将仅留下一个可用资源。这里提到了这个属性。

于 2012-04-27T22:28:26.003 回答
3

我认为您在谈论互斥锁(或互斥锁)。如果是这样,您可以使用内部锁。Java中的这种锁充当互斥锁,这意味着最多一个线程可以拥有锁:

synchronized (lock) { 
    // Access or modify shared state guarded by lock 
}

其中 lock 是一个模拟对象,仅用于锁定。


编辑:

这是一个为您提供的实现——不可重入互斥锁类,它使用值 0 表示未锁定状态,使用值 1 表示锁定状态。

class Mutex implements Lock, java.io.Serializable {

    // Our internal helper class
    private static class Sync extends AbstractQueuedSynchronizer {
      // Report whether in locked state
      protected boolean isHeldExclusively() {
        return getState() == 1;
      }

      // Acquire the lock if state is zero
      public boolean tryAcquire(int acquires) {
        assert acquires == 1; // Otherwise unused
        if (compareAndSetState(0, 1)) {
          setExclusiveOwnerThread(Thread.currentThread());
          return true;
        }
        return false;
      }

      // Release the lock by setting state to zero
      protected boolean tryRelease(int releases) {
        assert releases == 1; // Otherwise unused
        if (getState() == 0) throw new IllegalMonitorStateException();
        setExclusiveOwnerThread(null);
        setState(0);
        return true;
      }

      // Provide a Condition
      Condition newCondition() { return new ConditionObject(); }

      // Deserialize properly
      private void readObject(ObjectInputStream s)
          throws IOException, ClassNotFoundException {
        s.defaultReadObject();
        setState(0); // reset to unlocked state
      }
    }

    // The sync object does all the hard work. We just forward to it.
    private final Sync sync = new Sync();

    public void lock()                { sync.acquire(1); }
    public boolean tryLock()          { return sync.tryAcquire(1); }
    public void unlock()              { sync.release(1); }
    public Condition newCondition()   { return sync.newCondition(); }
    public boolean isLocked()         { return sync.isHeldExclusively(); }
    public boolean hasQueuedThreads() { return sync.hasQueuedThreads(); }
    public void lockInterruptibly() throws InterruptedException {
      sync.acquireInterruptibly(1);
    }
    public boolean tryLock(long timeout, TimeUnit unit)
        throws InterruptedException {
      return sync.tryAcquireNanos(1, unit.toNanos(timeout));
    }
  }

如果你需要知道你应该在哪里打电话wait()notify()看看sun.misc.Unsafe#park()。它在 java.util.concurrent.locks 包中使用(AbstractQueuedSynchronizer <- LockSupport <- Unsafe)。

希望这可以帮助。

于 2011-11-27T15:42:43.270 回答
2

这里直接来自Java 站点

由 Doug Lea 在 JSR-166 中领导的并发实用程序库是流行的并发包在 J2SE 5.0 平台中的特殊版本。它提供了强大的高级线程构造,包括执行器(线程任务框架)、线程安全队列、定时器、锁(包括原子锁)和其他同步原语。

一种这样的锁是众所周知的信号量。信号量的使用方式与现在使用等待的方式相同,以限制对代码块的访问。信号量更灵活,还可以允许多个并发线程访问,并允许您在获取锁之前对其进行测试。以下示例仅使用一个信号量,也称为二进制信号量。有关更多信息,请参阅 java.util.concurrent 包。

final  private Semaphore s= new Semaphore(1, true);

    s.acquireUninterruptibly(); //for non-blocking version use s.acquire()

try {     
   balance=balance+10; //protected value
} finally {
  s.release(); //return semaphore token
}

我认为,使用 Semaphore 类等高级抽象的全部原因是您不必调用低级wait/ notify

于 2011-11-27T15:26:09.023 回答
2

是的你可以。具有单个许可的信号量是二进制信号量。它们控制对单个资源的访问。它们可以被视为某种互斥锁/锁。

Semaphore binarySemaphore = new Semaphore(1);
于 2011-11-27T15:28:08.873 回答
1

我在 Java中有自己的二进制信号量实现。

import java.util.concurrent.Semaphore;
import java.util.concurrent.TimeUnit;

/**
 * A binary semaphore extending from the Java implementation {@link Semaphore}.
 * <p>
 * This semaphore acts similar to a mutex where only one permit is acquirable. Attempts to acquire or release more than one permit
 * are forbidden.
 * <p>
 * Has in {@link Semaphore}, there is no requirement that a thread that releases a permit must have acquired that permit. However,
 * no matter how many times a permit is released, only one permit can be acquired at a time. It is advised that the program flow
 * is such that the thread making the acquiring is the same thread making the release, otherwise you may end up having threads
 * constantly releasing this semaphore, thus rendering it ineffective.
 * 
 * @author Pedro Domingues
 */
public final class BinarySemaphore extends Semaphore {

    private static final long serialVersionUID = -927596707339500451L;

    private final Object lock = new Object();

    /**
     * Creates a {@code Semaphore} with the given number of permits between 0 and 1, and the given fairness setting.
     *
     * @param startReleased
     *            <code>true</code> if this semaphore starts with 1 permit or <code>false</code> to start with 0 permits.
     * @param fairMode
     *            {@code true} if this semaphore will guarantee first-in first-out granting of permits under contention, else
     *            {@code false}
     */
    public BinarySemaphore(boolean startReleased, boolean fairMode) {
        super((startReleased ? 1 : 0), fairMode);
    }

    @Override
    public void acquire(int permits) throws InterruptedException {
        if (permits > 1)
            throw new UnsupportedOperationException("Cannot acquire more than one permit!");
        else
            super.acquire(permits);
    }

    @Override
    public void acquireUninterruptibly(int permits) {
        if (permits > 1)
            throw new UnsupportedOperationException("Cannot acquire more than one permit!");
        else
            super.acquireUninterruptibly(permits);
    }

    @Override
    public void release() {
        synchronized (lock) {
            if (this.availablePermits() == 0)
                super.release();
        }
    }

    @Override
    public void release(int permits) {
        if (permits > 1)
            throw new UnsupportedOperationException("Cannot release more than one permit!");
        else
            this.release();
    }

    @Override
    public boolean tryAcquire(int permits) {
        if (permits > 1)
            throw new UnsupportedOperationException("Cannot acquire more than one permit!");
        else
            return super.tryAcquire(permits);
    }

    @Override
    public boolean tryAcquire(int permits, long timeout, TimeUnit unit) throws InterruptedException {
        if (permits > 1)
            throw new UnsupportedOperationException("Cannot release more than one permit!");
        else
            return super.tryAcquire(permits, timeout, unit);
    }
}

如果您在代码中发现任何错误,请告诉我,但到目前为止它一直运行良好!:)

于 2015-08-18T15:26:04.173 回答
1

我宁愿使用Lock

除了命名匹配之外,Java Semaphore 无法实现 BinarySemaphore,并且使用 Object wait/notify 或 synchronize 非常原始。

相反,Lock 类提供了与 Semaphore 几乎相同的锁定语义及其锁定/解锁(相对于 Semaphore 的获取/释放),但它专门用于解决临界区功能,其中预期一次只有一个线程进入。

值得注意的是,由于tryLock方法,Lock 还提供了带有超时语义的 try。

于 2016-05-11T12:58:41.750 回答
1

也许使用 AtomicBoolean 实现它是个好主意。如果不是,请告诉我。

import java.util.concurrent.atomic.AtomicBoolean;

public class BinarySemaphore {
    
    private final AtomicBoolean permit;
    
    public BinarySemaphore() {
        this(true);
    }
    
    /**
     * Creates a binary semaphore with a specified initial state
     */
    public BinarySemaphore(boolean permit) {
        this.permit = new AtomicBoolean(permit);
    }

    public void acquire() {
        boolean prev;
        do {
            prev = tryAcquire();
        } while (!prev);
    }

    public boolean tryAcquire() {
        return permit.compareAndSet(true, false);
    }

    /**
     * In any case, the permit was released
     */
    public void release() {
        permit.set(true);
    }

    public boolean available(){
        return permit.get();
    }
}
于 2020-11-03T09:30:00.717 回答
0

您可以查看Semaphore类的 Java 实现的源代码(或者直接使用它?)

于 2011-11-27T15:17:41.623 回答