執行緒的三個方法
阿新 • • 發佈:2021-06-30
SLEEP
sleep 意思是睡眠,當前執行緒暫停一段時間讓給別的執行緒去執行。sleep是怎麼復活的?由你的睡眠時間而定,等睡眠到規定的時間自動復活,CPU 沒有執行緒的概念,會不斷的從記憶體中獲取指令去執行,睡眠的意思就是當前執行緒讓出cpu 由其他執行緒去執行。
static void testSleep() { new Thread(()->{ for(int i=0; i<100; i++) { System.out.println("A" + i); try { Thread.sleep(500); //TimeUnit.Milliseconds.sleep(500) } catch (InterruptedException e) { e.printStackTrace(); } } }).start(); } public static void main(String[] args) throws InterruptedException { sleep(); // yield(); // join(); }
YIELD
yield 讓出當前cpu進入執行緒的等待佇列,下一次能不能進入執行緒看自己能不能搶到,當yield讓出cpu後後續更大可能是將等待佇列裡面的執行緒拿過來進行執行。暫時沒有應用場景。
static void yield(){ new Thread(()->{ for (int i = 0; i < 100; i++) { try { if (i % 10 == 0) { Thread.yield(); } System.out.println("i am thread a"); TimeUnit.SECONDS.sleep(1); } catch (InterruptedException e) { e.printStackTrace(); } } }).start(); new Thread(()->{ for (int i = 0; i < 100; i++) { try { if (i % 10 == 0) { Thread.yield(); } System.out.println("i am thread b"); TimeUnit.SECONDS.sleep(1); } catch (InterruptedException e) { e.printStackTrace(); } } }).start(); } public static void main(String[] args) throws InterruptedException { // sleep(); yield(); //join(); }
JOIN
在當前執行緒加入你呼叫join的執行緒,此處是t1 執行緒加入到t2執行緒裡面去了,當t2執行緒執行到 join的時候,就會去執行t1執行緒,只有t1 執行緒執行完成之後才會接著執行t2執行緒。
static void join() throws InterruptedException { Thread t1 = new Thread(() -> { for (int i = 0; i < 100; i++) { try { System.out.println("i am thread a"); TimeUnit.SECONDS.sleep(1000); } catch (InterruptedException e) { e.printStackTrace(); } } }); Thread t2 = new Thread(() -> { for (int i = 0; i < 100; i++) { try { System.out.println("i am thread b"); t1.join(); System.out.println("i am thread b"); TimeUnit.SECONDS.sleep(1); } catch (InterruptedException e) { e.printStackTrace(); } } }); t1.start(); TimeUnit.SECONDS.sleep(10); t2.start(); } public static void main(String[] args) throws InterruptedException { // sleep(); // yield(); join(); }