共计 1506 个字符,预计需要花费 4 分钟才能阅读完成。
作用
屏障拦截,构造参数可以传递拦截的线程数量,以及拦截后调用的 Runnable 类。每当线程调用 await 方法的时候,就告诉 CyclicBarrier 已经到达了屏障,然后阻塞在那边,等全部线程都到达了屏障,线程开始执行。
主要方法
- await:告诉 CyclicBarrier 已经到达了屏障
示例
public class CyclicBarrierDemo {static CyclicBarrier cyclicBarrier = new CyclicBarrier(2, new Thread3());
static int num = 0;
static class Thread1 implements Runnable {
@Override
public void run() {
try {
num += 1;
Thread.sleep(5000);
cyclicBarrier.await();
System.out.println(Thread.currentThread().getName() + "-" + 1);
} catch (InterruptedException e) {e.printStackTrace();
} catch (BrokenBarrierException e) {e.printStackTrace();
}
}
}
static class Thread2 implements Runnable {
@Override
public void run() {
try {
num += 1;
Thread.sleep(1000);
cyclicBarrier.await();
System.out.println(Thread.currentThread().getName() + "-" + 2);
} catch (InterruptedException e) {e.printStackTrace();
} catch (BrokenBarrierException e) {e.printStackTrace();
}
}
}
static class Thread3 implements Runnable {
@Override
public void run() {System.out.println(Thread.currentThread().getName() + ":num=" + num);
}
}
public static void main(String[] args) {Thread thread1 = new Thread(new Thread1(), "thread1");
Thread thread2 = new Thread(new Thread2(), "thread2");
thread1.start();
thread2.start();
System.out.println(Thread.currentThread().getName() + ":" + 0);
}
}
运行结果如下:
线程 3 等到线程 1 和线程 2 同时到达屏障后,才执行,这个时候,取到的 num 就是 2 了。
线程 2 休眠了 1 秒,线程 1 休眠了 5 秒,但是线程 2 并没有先执行,所以他是在等线程 1 到达屏障。
CountDownLatch 和 CyclicBarrier
- CountDownLatch 可以一个线程执行多次 countDown,CyclicBarrier 执行多次是无效的。
- CountDownLatch 是由外部决定下一步的,CyclicBarrier 是由多个线程自己决定下一步的。
比如上课点名,有些老师很随意,只要人数满了,就开始上课,不管有部分学生变音喊到,都记有人来上课,这个时候就是 CountDownLatch。有些老师很认真,必须看到座位上的人都到了,才开始上课,这个时候就是 CyclicBarrier。
正文完
发表至: java
2019-07-10