在Java中,父子线程的执行顺序是不确定的。当一个线程创建另一个线程时,它们之间的执行顺序取决于操作系统的调度策略和当前系统的负载情况。因此,你不能保证父线程或子线程会先执行。
如果你需要控制父子线程的执行顺序,可以使用以下方法:
- 使用
Thread.join()
方法:在父线程中调用子线程的join()
方法,这将导致父线程等待子线程完成后再继续执行。这样可以确保子线程在父线程之前执行。
public class ParentThread extends Thread { public void run() { System.out.println("Parent thread started"); ChildThread child = new ChildThread(); child.start(); try { child.join(); // 等待子线程完成 } catch (InterruptedException e) { e.printStackTrace(); } System.out.println("Parent thread finished"); } } class ChildThread extends Thread { public void run() { System.out.println("Child thread started"); System.out.println("Child thread finished"); } }
- 使用
synchronized
关键字:通过在父子线程之间共享的对象上使用synchronized
关键字,可以确保一次只有一个线程访问共享资源。这样,你可以控制线程的执行顺序。
public class SharedResource { private boolean isChildFinished = false; public synchronized void childMethod() { System.out.println("Child thread started"); isChildFinished = true; notify(); // 唤醒等待的线程 } public synchronized void parentMethod() { while (!isChildFinished) { try { wait(); // 等待子线程完成 } catch (InterruptedException e) { e.printStackTrace(); } } System.out.println("Parent thread started"); System.out.println("Parent thread finished"); } } class ChildThread extends Thread { private SharedResource sharedResource; public ChildThread(SharedResource sharedResource) { this.sharedResource = sharedResource; } public void run() { sharedResource.childMethod(); } } public class ParentThread extends Thread { private SharedResource sharedResource; public ParentThread(SharedResource sharedResource) { this.sharedResource = sharedResource; } public void run() { ChildThread child = new ChildThread(sharedResource); child.start(); sharedResource.parentMethod(); } }
请注意,这些方法并不能保证绝对的执行顺序,但它们可以帮助你更好地控制线程之间的同步和执行顺序。