多線程「基礎篇」08之 join()

本章,會對Thread中join()方法進行介紹。涉及到的內容包括:
1. join()介紹
2. join()源碼分析(基於JDK1.7.0_40)
3. join()示例html

1. join()介紹

join() 定義在Thread.java中。
join() 的做用:讓「主線程」等待「子線程」結束以後才能繼續運行。這句話可能有點晦澀,咱們仍是經過例子去理解:java

複製代碼

// 主線程public class Father extends Thread {    public void run() {
        Son s = new Son();
        s.start();
        s.join();
        ...
    }
}// 子線程public class Son extends Thread {    public void run() {
        ...
    }
}

複製代碼

說明
上面的有兩個類Father(主線程類)和Son(子線程類)。由於Son是在Father中建立並啓動的,因此,Father是主線程類,Son是子線程類。
在Father主線程中,經過new Son()新建「子線程s」。接着經過s.start()啓動「子線程s」,而且調用s.join()。在調用s.join()以後,Father主線程會一直等待,直到「子線程s」運行完畢;在「子線程s」運行完畢以後,Father主線程才能接着運行。 這也就是咱們所說的「join()的做用,是讓主線程會等待子線程結束以後才能繼續運行」!ide

 

2. join()源碼分析(基於JDK1.7.0_40)

複製代碼

public final void join() throws InterruptedException {
    join(0);
}

public final synchronized void join(long millis) throws InterruptedException {
    long base = System.currentTimeMillis();
    long now = 0;

    if (millis < 0) {
        throw new IllegalArgumentException("timeout value is negative");
    }

    if (millis == 0) {
        while (isAlive()) {
            wait(0);
        }
    } else {
        while (isAlive()) {
            long delay = millis - now;
            if (delay <= 0) {
                break;
            }
            wait(delay);
            now = System.currentTimeMillis() - base;
        }
    }
}

複製代碼

說明
從代碼中,咱們能夠發現。當millis==0時,會進入while(isAlive())循環;即只要子線程是活的,主線程就不停的等待。
咱們根據上面解釋join()做用時的代碼來理解join()的用法!
問題
雖然s.join()被調用的地方是發生在「Father主線程」中,可是s.join()是經過「子線程s」去調用的join()。那麼,join()方法中的isAlive()應該是判斷「子線程s」是否是Alive狀態;對應的wait(0)也應該是「讓子線程s」等待纔對。但若是是這樣的話,s.join()的做用怎麼多是「讓主線程等待,直到子線程s完成爲止」呢,應該是讓"子線程等待纔對(由於調用子線程對象s的wait方法嘛)"?
答案wait()的做用是讓「當前線程」等待,而這裏的「當前線程」是指當前在CPU上運行的線程。因此,雖然是調用子線程的wait()方法,可是它是經過「主線程」去調用的;因此,休眠的是主線程,而不是「子線程」!源碼分析

 

3. join()示例

在理解join()的做用以後,接下來經過示例查看join()的用法。this

//JoinTest.java的源碼
public class JoinTest {

    public static void main(String[] args) {
        try {
            ThreadA t1 = new ThreadA("t1"); // 新建「線程t1」

            t1.start(); // 啓動「線程t1」
            t1.join(); // 將「線程t1」加入到「主線程main」中,而且「主線程main()會等待它的完成」
            System.out.printf("%s finish\n", Thread.currentThread().getName());
        } catch (InterruptedException e) {
            e.printStackTrace();
        }
    }

    static class ThreadA extends Thread {

        public ThreadA(String name) {
            super(name);
        }

        public void run() {
            System.out.printf("%s start\n", this.getName());

            // 延時操做
            for (int i = 0; i < 1000000; i++)
                ;

            System.out.printf("%s finish\n", this.getName());
        }
    }
}

運行結果spa

t1 start
t1 finish
main finish

結果說明
運行流程如圖 
(01) 在「主線程main」中經過 new ThreadA("t1") 新建「線程t1」。 接着,經過 t1.start() 啓動「線程t1」,並執行t1.join()。
(02) 執行t1.join()以後,「主線程main」會進入「阻塞狀態」等待t1運行結束。「子線程t1」結束以後,會喚醒「主線程main」,「主線程」從新獲取cpu執行權,繼續運行。線程

相關文章
相關標籤/搜索