Thread Join()的用法

Java Thread类有个 join() 方法,先前一直不知道是怎么用的,直到看到这篇文章。http://auguslee.iteye.com/blog/1292203

Java Thread中, join() 方法主要是让调用该方法的thread完成run方法里面的东西后, 再执行join()方法后面的代码。示例:

ThreadTesterBThreadTesterA.Join() 被调用后被阻塞,直到 ThreadTesterA执行完毕才继续执行。

  1. class ThreadTesterA implements Runnable {
  2. private int counter;
  3. @Override
  4. public void run() {
  5. while (counter <= 10) {
  6. System.out.print("Counter = " + counter + " ");
  7. counter++;
  8. }
  9. System.out.println();
  10. }
  11. }
  12. class ThreadTesterB implements Runnable {
  13. private int i;
  14. @Override
  15. public void run() {
  16. while (i <= 10) {
  17. System.out.print("i = " + i + " ");
  18. i++;
  19. }
  20. System.out.println();
  21. }
  22. }
  23. public class ThreadTester {
  24. public static void main(String[] args) throws InterruptedException {
  25. Thread t1 = new Thread(new ThreadTesterA());
  26. Thread t2 = new Thread(new ThreadTesterB());
  27. t1.start();
  28. t1.join(); // wait t1 to be finished
  29. t2.start();
  30. t2.join(); // in this program, this may be removed
  31. }
  32. }

t1启动后,调用join()方法,直到t1的计数任务结束,才轮到t2启动,然后t2也开始计数任务。可以看到,实例中,两个线程就按着严格的顺序来执行了。

如果t2的执行需要依赖于t1中的完整数据的时候,这种方法就可以很好的确保两个线程的同步性。

上一篇:浅析 Java Thread.join()


下一篇:Java基础教程:枚举类型