今天就跟大家聊聊有關(guān)Java中怎么實現(xiàn)線程中斷,可能很多人都不太了解,為了讓大家更加了解,小編給大家總結(jié)了以下內(nèi)容,希望大家根據(jù)這篇文章可以有所收獲。
讓客戶滿意是我們工作的目標,不斷超越客戶的期望值來自于我們對這個行業(yè)的熱愛。我們立志把好的技術(shù)通過有效、簡單的方式提供給客戶,將通過不懈努力成為客戶在信息化領域值得信任、有價值的長期合作伙伴,公司提供的服務項目有:國際域名空間、網(wǎng)絡空間、營銷軟件、網(wǎng)站建設、泰順網(wǎng)站維護、網(wǎng)站推廣。
try { Thread.sleep(3000); } catch (InterruptedException e) { e.printStackTrace(); }
此時線程被打斷后,代碼會繼續(xù)運行或者拋出異常結(jié)束運行,這并不是我們需要的中斷線程的作用。
到底是什么是線程中斷?
線程中斷即線程運行過程中被其他線程給打斷了,它與 stop 最大的區(qū)別是:stop 是由系統(tǒng)強制終止線程,而線程中斷則是給目標線程發(fā)送一個中斷信號,如果目標線程沒有接收線程中斷的信號并結(jié)束線程,線程則不會終止,具體是否退出或者執(zhí)行其他邏輯由目標線程決定。
我們來看下線程中斷最重要的 3 個方法,它們都是來自 Thread 類!
1、java.lang.Thread#interrupt
中斷目標線程,給目標線程發(fā)一個中斷信號,線程被打上中斷標記。
2、java.lang.Thread#isInterrupted()
判斷目標線程是否被中斷,不會清除中斷標記。
3、java.lang.Thread#interrupted
判斷目標線程是否被中斷,會清除中斷標記。
線程中斷實戰(zhàn)
我們來實例演示下線程中斷如何用!
示例1(中斷失敗)
/** * 微信公眾號:Java技術(shù)棧 */ private static void test1() { Thread thread = new Thread(() -> { while (true) { Thread.yield(); } }); thread.start(); thread.interrupt(); }
請問示例1中的線程會被中斷嗎?答案:不會,因為雖然給線程發(fā)出了中斷信號,但程序中并沒有響應中斷信號的邏輯,所以程序不會有任何反應。
示例2:(中斷成功)
/** * 微信公眾號:Java技術(shù)棧 */ private static void test2() { Thread thread = new Thread(() -> { while (true) { Thread.yield(); // 響應中斷 if (Thread.currentThread().isInterrupted()) { System.out.println("Java技術(shù)棧線程被中斷,程序退出。"); return; } } }); thread.start(); thread.interrupt(); }
我們給示例2加上了響應中斷的邏輯,程序接收到中斷信號打印出信息后返回退出。
示例3(中斷失敗)
/** * 微信公眾號:Java技術(shù)棧 */ private static void test3() throws InterruptedException { Thread thread = new Thread(() -> { while (true) { // 響應中斷 if (Thread.currentThread().isInterrupted()) { System.out.println("Java技術(shù)棧線程被中斷,程序退出。"); return; } try { Thread.sleep(3000); } catch (InterruptedException e) { System.out.println("Java技術(shù)棧線程休眠被中斷,程序退出。"); } } }); thread.start(); Thread.sleep(2000); thread.interrupt(); }
示例3 sleep() 方法被中斷,并輸出了 Java技術(shù)棧線程休眠被中斷,程序退出。 程序繼續(xù)運行……為什么呢?
來看 sleep 的源碼:
可以看出 sleep() 方法被中斷后會清除中斷標記,所以循環(huán)會繼續(xù)運行。。
示例4(中斷成功)
/** * 微信公眾號:Java技術(shù)棧 */ private static void test4() throws InterruptedException { Thread thread = new Thread(() -> { while (true) { // 響應中斷 if (Thread.currentThread().isInterrupted()) { System.out.println("Java技術(shù)棧線程被中斷,程序退出。"); return; } try { Thread.sleep(3000); } catch (InterruptedException e) { System.out.println("Java技術(shù)棧線程休眠被中斷,程序退出。"); Thread.currentThread().interrupt(); } } }); thread.start(); Thread.sleep(2000); thread.interrupt(); }
看完上述內(nèi)容,你們對Java中怎么實現(xiàn)線程中斷有進一步的了解嗎?如果還想了解更多知識或者相關(guān)內(nèi)容,請關(guān)注創(chuàng)新互聯(lián)行業(yè)資訊頻道,感謝大家的支持。