运用场景:多个线程之间要求有顺序的执行
Join有三个
重载方法
join() 等待该线程终止
join(long millis) 等待该线程终止的时间最长为 millis 毫秒
join(long millis, int nanos) 等待该线程终止的时间最长为 millis 毫秒 + nanos 纳秒
示例如下:
public class MyThread extends Thread {
@SuppressWarnings("deprecation")
@Override
public void run() {
System.out.println("咫尺天涯的第一个任务启动了。。。");
int i = 0;
while(true){
System.out.println("执行第一个任务的次数: " + (++i));
if(i == 5){
System.out.println("第一个任务执行结束,走人...");
break;
}
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
public class MyRunnable implements Runnable {
@SuppressWarnings("deprecation")
@Override
public void run() {
System.out.println("咫尺天涯的第二个任务启动了。。。");
int i = 0;
while(true){
System.out.println("执行第二个任务次数: " + (++i));
if(i == 5){
System.out.println("第二个任务执行结束,再见朋友们!");
break;
}
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
public class Main {
public static void main(String[] args) {
MyThread mt = new MyThread();
Thread mythread = new Thread(mt,"咫尺天涯(Thread)");
System.out.println("第二个任务要等待第一个任务执行结束才能执行...");
mythread.start();
try {
mythread.join();
//执行后,当前线程不会向下执行,直到把mythread这个线程执行完了后才执行下面的
} catch (InterruptedException e) {
e.printStackTrace();
}
MyRunnable myRunnable = new MyRunnable();
Thread runnable = new Thread(myRunnable,"咫尺天涯(Runnable)");
runnable.start();
}
}