倒计时批处理 vs. 信号量
2022-08-31 09:36:06
使用有什么好处吗?
java.util.concurrent.CountdownLatch
而不是
java.util.concurrent.Semaphore?
据我所知,以下片段几乎是等效的:
1. 信号量
final Semaphore sem = new Semaphore(0);
for (int i = 0; i < num_threads; ++ i)
{
Thread t = new Thread() {
public void run()
{
try
{
doStuff();
}
finally
{
sem.release();
}
}
};
t.start();
}
sem.acquire(num_threads);
2:倒计时
final CountDownLatch latch = new CountDownLatch(num_threads);
for (int i = 0; i < num_threads; ++ i)
{
Thread t = new Thread() {
public void run()
{
try
{
doStuff();
}
finally
{
latch.countDown();
}
}
};
t.start();
}
latch.await();
除了在#2的情况下,闩锁不能重复使用,更重要的是,您需要提前知道将创建多少个线程(或等到它们全部启动后再创建闩锁)。
那么,在什么情况下,闩锁可能更可取呢?