JAVA多线程CountDownLatch使用详解
前序:
上周测试给开发的同事所开发的模块提出了一个bug,并且还是偶现。
经过仔细查看代码,发现是在业务中启用了多线程,2个线程同时跑,但是新启动的2个线程必须保证一个完成之后另一个再继续运行,才能消除bug。
什么时候用?
多线程是在很多地方都会用到的,但是我们如果想要实现在某个特定的线程运行完之后,再启动另外一个线程呢,这个时候countdownlatch就可以派上用场了
怎么用?
先看看普通的多线程代码:
package code; public class mythread extends thread { public static void main(string[] args) { mythread th = new mythread(); thread t1 = new thread(th, "mythread"); t1.start(); system.out.println(thread.currentthread().getname()); } public void run() { mythread1 th2 = new mythread1(); thread t2 = new thread(th2, "mythread1"); t2.start(); system.out.println(this.currentthread().getname()); } class mythread1 extends thread { public void run() { try { thread.sleep(1000); } catch (interruptedexception e) { // todo auto-generated catch block e.printstacktrace(); } system.out.println(this.currentthread().getname()); } } }
代码如上,先用mythread继承了thread类,然后在mythread类内部又写了一个mythread1类,同样也是继承了thread类,并且在run方法里面让它睡1秒,这样运行代码,就会打印出:
从上面的输出顺序可以看出,先是启动了main线程,然后再启动了mythread线程,在mythread线程中,又启动了mythread1线程。但是由于让mythread1线程睡了1秒,模拟处理后续业务,这样他就比mythread运行完毕的时间晚一些。
现在,在代码中加上countdownlatch ,要让mythread1先运行完毕,再让mythread继续运行。
package code; import java.util.concurrent.countdownlatch; public class mythread extends thread { countdownlatch countdownlatch = new countdownlatch(1); public static void main(string[] args) { mythread th = new mythread(); thread t1 = new thread(th, "mythread"); t1.start(); system.out.println(thread.currentthread().getname()); } public void run() { mythread1 th2 = new mythread1(); thread t2 = new thread(th2, "mythread1"); t2.start(); try { countdownlatch.await(); } catch (interruptedexception e) { e.printstacktrace(); } system.out.println(this.currentthread().getname()); } class mythread1 extends thread { public void run() { try { thread.sleep(1000); } catch (interruptedexception e) { e.printstacktrace(); } system.out.println(this.currentthread().getname()); countdownlatch.countdown(); } } }
代码写法如上所示,大致分三步
1、我们先new一个countdownlatch对象入参设置为1(我个人理解的这个就像是new一个数组一样,什么时候数组清空了,那就可以让被中断的线程继续运行了)
2、在mythread类中调用countdownlatch.await();让当前线程停止运行。
3、在mythread1类中调用countdownlatch.countdown()方法。当mythread1全部执行完毕,再最后调用该方法,作用就是把我说的“数组”清空。
看看输出的打印结果
结果如上图,是符合预期的结果的。
最后再说下countdownlatch countdownlatch = new countdownlatch(1)的入参,这块设置的是1,那就需要调用一次countdownlatch.countdown()减去1。
如果是其他数字,那就要调用相应的次数,否则调用countdownlatch.await()的线程都不会被继续执行。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。
上一篇: ae怎么制作一个文字翻转特效的动画?