我有一个我想执行一次的回调的情况。为了争论,假设它看起来像这样:
final X once = new X(1);
Runnable r = new Runnable() {
@Override public void run() {
if (once.use())
doSomething();
}
}
其中 X 是一些具有以下行为的并发对象:
构造函数:X(int N) -- 分配 N 个使用许可
boolean use()
: 如果至少有 1 个使用许可,则消耗其中一个并返回 true。否则返回假。这个操作对于多个线程来说是原子的。
我知道我可以为此使用java.util.concurrent.Semaphore,但我不需要它的阻塞/等待方面,我希望这是一次性使用的东西。
除非我做类似的事情,否则 AtomicInteger 看起来还不够
class NTimeUse {
final private AtomicInteger count;
public NTimeUse(int N) { this.count = new AtomicInteger(N); }
public boolean use() {
while (true)
{
int n = this.count.get();
if (n == 0)
return false;
if (this.count.compareAndSet(n, n-1))
return true;
}
}
我对 while 循环感到不安。
CountDownLatch 不起作用,因为countDown() 方法没有返回值,并且不能使用 getCount() 原子地执行。
我应该只使用信号量还是有更合适的类?