计数器,允许一个或多个线程等待直到其他线程中执行的一组操作完成的同步辅助。线程每完成一个就记录一个(计数减一),当计数减为0的时候,才能执行await后的操作。
CountDownLatch可以当做是一个共享锁。
源码分析
await():
导致当前线程等到锁计数器变为0,除非线程是interrupted
await(long timeout,TimeUnit unit)
使当前线程等待直到锁存器计数到0位置,除非线程为interrupted或指定的等待时间过去
countDoown()
getCount()
返回当前计数
使用场景
private static CountDownLatch countDown = new CountDownLatch(3);
public static void main(String[] args){
System.out.println(countDown.getCount());
new Thread(()->{
try{
System.out.println(Thread.currentThread().getName() + "正在执行");
System.out.println(Thread.currentThread().getName() + "执行完毕");
countDown.countDown();
System.out.println(Thread.currentThread().getName() + ":" + countDown.getCount());
}catch(Exception e){
}
},"Thread~0").start();
new Thread(()->{
try{
System.out.println(Thread.currentThread().getName() + "正在执行");
System.out.println(Thread.currentThread().getName() + "执行完毕");
countDown.countDown();
System.out.println(Thread.currentThread().getName() + ":" + countDown.getCount());
}catch(Exception e){
}
},"Thread~1").start();
new Thread(()->{
try{
System.out.println(Thread.currentThread().getName() + "正在执行");
System.out.println(Thread.currentThread().getName() + "执行完毕");
countDown.countDown();
System.out.println(Thread.currentThread().getName() + ":" + countDown.getCount());
}catch(Exception e){
}
},"Thread~2").start();
try {
System.out.println("等待两个子线程执行完毕");
countDown.await();
System.out.println("两个子线程执行完毕");
System.out.println("继续执行主线程");
} catch (InterruptedException e) {
e.printStackTrace();
}
}