本帖最后由 jianhong 于 2018-12-29 19:11 编辑
我们可以用Thread的join(),方法实现实现多个线程按顺序输出; Thread的非静态方法join()让一个线程1“加入”到另外一个线程2的尾部。在1执行完毕之前,2不能工作。另外,join()方法还有带超时限制的重载版本。 例如t.join(5000);则让线程等待5000毫秒,如果超过这个时间,则停止等待,变为可运行状态。 如下代码结果为: T1 run 1 T2 run 2 T3 run 3 public static void main(String[] args) { final Thread t1 = new Thread(new Runnable() {
public void run() {
System.out.println(Thread.currentThread().getName() + " run 1");
}
}, "T1");
final Thread t2 = new Thread(new Runnable() {
public void run() {
try {
t1.join(10);
System.out.println(Thread.currentThread().getName() + " run 2");
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}, "T2");
final Thread t3 = new Thread(new Runnable() {
public void run() {
try {
t2.join(10);
System.out.println(Thread.currentThread().getName() + " run 3");
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}, "T3");
t1.start();
t2.start();
t3.start();
}
|