阅读量:0
Thread.join()
方法在 Java 中用于确保一个线程在另一个线程完成执行之前不会继续执行。这有助于实现线程同步,确保线程按照预期的顺序执行。
当你调用一个线程的 join()
方法时,当前线程会阻塞,直到被调用 join()
方法的线程执行完毕。这样可以确保线程按照调用顺序执行,从而实现线程同步。
下面是一个简单的示例,展示了如何使用 Thread.join()
实现线程同步:
public class JoinExample { public static void main(String[] args) { Thread thread1 = new Thread(new Runnable() { @Override public void run() { System.out.println("Thread 1 is running."); try { // 暂停2秒,模拟线程1的执行时间 Thread.sleep(2000); } catch (InterruptedException e) { e.printStackTrace(); } System.out.println("Thread 1 is finished."); } }); Thread thread2 = new Thread(new Runnable() { @Override public void run() { System.out.println("Thread 2 is running."); try { // 暂停2秒,模拟线程2的执行时间 Thread.sleep(2000); } catch (InterruptedException e) { e.printStackTrace(); } System.out.println("Thread 2 is finished."); } }); // 确保线程1先执行 thread1.start(); try { // 等待线程1执行完毕 thread1.join(); } catch (InterruptedException e) { e.printStackTrace(); } // 线程1执行完毕后,线程2开始执行 thread2.start(); } }
在这个示例中,我们创建了两个线程 thread1
和 thread2
。我们使用 thread1.join()
确保 thread1
在 thread2
之前执行。这样,我们可以控制线程的执行顺序,实现线程同步。