Java中CountDownLatch用法解析
CountDownLatch類是一個同步計數(shù)器,構(gòu)造時傳入int參數(shù),該參數(shù)就是計數(shù)器的初始值,每調(diào)用一次countDown()方法,計數(shù)器減1,計數(shù)器大于0 時,await()方法會阻塞程序繼續(xù)執(zhí)行
CountDownLatch如其所寫,是一個倒計數(shù)的鎖存器,當(dāng)計數(shù)減至0時觸發(fā)特定的事件。利用這種特性,可以讓主線程等待子線程的結(jié)束。下面以一個模擬運動員比賽的例子加以說明。
import java.util.concurrent.CountDownLatch;
import java.util.concurrent.Executor;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
public class CountDownLatchDemo {
private static final int PLAYER_AMOUNT = 5;
public CountDownLatchDemo() {
// TODO Auto-generated constructor stub
}
/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
//對于每位運動員,CountDownLatch減1后即結(jié)束比賽
CountDownLatch begin = new CountDownLatch(1);
//對于整個比賽,所有運動員結(jié)束后才算結(jié)束
CountDownLatch end = new CountDownLatch(PLAYER_AMOUNT);
Player[] plays = new Player[PLAYER_AMOUNT];
for(int i=0;i<PLAYER_AMOUNT;i++)
plays[i] = new Player(i+1,begin,end);
//設(shè)置特定的線程池,大小為5
ExecutorService exe = Executors.newFixedThreadPool(PLAYER_AMOUNT);
for(Player p:plays)
exe.execute(p); //分配線程
System.out.println("Race begins!");
begin.countDown();
try{
end.await(); //等待end狀態(tài)變?yōu)?,即為比賽結(jié)束
}catch (InterruptedException e) {
// TODO: handle exception
e.printStackTrace();
}finally{
System.out.println("Race ends!");
}
exe.shutdown();
}
}
接下來是Player類
import java.util.concurrent.CountDownLatch;
public class Player implements Runnable {
private int id;
private CountDownLatch begin;
private CountDownLatch end;
public Player(int i, CountDownLatch begin, CountDownLatch end) {
// TODO Auto-generated constructor stub
super();
this.id = i;
this.begin = begin;
this.end = end;
}
@Override
public void run() {
// TODO Auto-generated method stub
try{
begin.await(); //等待begin的狀態(tài)為0
Thread.sleep((long)(Math.random()*100)); //隨機分配時間,即運動員完成時間
System.out.println("Play"+id+" arrived.");
}catch (InterruptedException e) {
// TODO: handle exception
e.printStackTrace();
}finally{
end.countDown(); //使end狀態(tài)減1,最終減至0
}
}
}
以上就是本文的全部內(nèi)容,希望對大家的學(xué)習(xí)有所幫助,也希望大家多多支持腳本之家。
- Java通過Fork/Join優(yōu)化并行計算
- 詳解Java多線程編程中CountDownLatch阻塞線程的方法
- java線程并發(fā)countdownlatch類使用示例
- Java多線程編程之CountDownLatch同步工具使用實例
- Java CountDownLatch完成異步回調(diào)實例詳解
- Java concurrency之CountDownLatch原理和示例_動力節(jié)點Java學(xué)院整理
- Java中CountDownLatch進行多線程同步詳解及實例代碼
- Java并發(fā)編程:CountDownLatch與CyclicBarrier和Semaphore的實例詳解
- JAVA多線程CountDownLatch使用詳解
- java利用CountDownLatch實現(xiàn)并行計算
相關(guān)文章
java用靜態(tài)工廠代替構(gòu)造函數(shù)使用方法和優(yōu)缺點
這篇文章主要介紹了java用靜態(tài)工廠代替構(gòu)造函數(shù)使用方法和優(yōu)缺點,需要的朋友可以參考下2014-02-02
spring-boot整合dubbo:Spring-boot-dubbo-starter
這篇文章主要介紹了spring-boot整合dubbo:Spring-boot-dubbo-starter的相關(guān)資料,非常不錯,具有參考借鑒價值,需要的朋友可以參考下2017-05-05
SpringBoot項目打jar包與war包的詳細(xì)步驟
SpringBoot和我們之前學(xué)習(xí)的web應(yīng)用程序不一樣,其本質(zhì)上是一個 Java應(yīng)用程序,那么又如何部署呢?這篇文章主要給大家介紹了關(guān)于SpringBoot項目打jar包與war包的詳細(xì)步驟,需要的朋友可以參考下2023-02-02

