CountDownLatch
作用:它一个同步辅助工具,它允许一个或多个线程去等待被其它的多个线程执行的一组操作,当所有的线程操作完成后,去等待的线程才允许继续往下执行
应用场景:比如:主线程 要等待所有的子线程完成一些特定点的操作之后,主线程才往下执行。 如数据的拼接,组装,一个复杂耗时的计算,最终要汇总执行的结果。
使用方式:
1. 在一组执行操作的多个线程中,当完成了指定操作后,就调用 CountDownLatch 实例的 downCount() 方法,将里面的计数器进行减一的操作,当count==0时,会唤醒正在等待的线程
2. 在需要等待的线程中,通过调用 await() 方法进行等待,直到count ==0 后,等待线程继续往后执行。
PS: 注意downCount() 方法最好是在finally 中被调用, 否则容易因为异常而导致count 不能被赋值成0,从而等待线程一直被阻塞等待。
代码示例:
public class CountDownLatchTest {
public static void main(String[] args) {
CountDownLatch countDownLatch = new CountDownLatch(5);
IntStream.range(0,5).forEach(i -> new Thread(()->{
try {
System.out.println(String.format("子线程%S开始执行.....",Thread.currentThread().getName()));
Thread.sleep((long) (Math.random()*5000));
System.out.println(String.format("子线程%S执行完成.....",Thread.currentThread().getName()));
} catch (InterruptedException e) {
e.printStackTrace();
} finally {
countDownLatch.countDown();
}
}).start());
IntStream.range(0,5).forEach(i -> new Thread(()->{
System.out.println(String.format("等待子线程%S开始执行.....",Thread.currentThread().getName()));
try {
countDownLatch.await();
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println(String.format("等待子线程%S执行完成.....",Thread.currentThread().getName()));
}).start());
try {
System.out.println("主线程开始执行...");
countDownLatch.await();
System.out.println("主线程开始执行...");
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}