0040 Java學習筆記-多線程-線程run()辦法中的異常。本站提示廣大學習愛好者:(0040 Java學習筆記-多線程-線程run()辦法中的異常)文章只能為提供參考,不一定能成為您想要的結果。以下是0040 Java學習筆記-多線程-線程run()辦法中的異常正文
package testpack;
import java.io.IOException;
public class Test2 {
public static void main(String[] args) throws InterruptedException{
try {
new A("異常線程").start();
} catch(RuntimeException re) {
System.out.println("主線程捕捉到子線程的異常:"); //這裡不會被執行,主線程不能捕捉子線程的unchecked異常
re.printStackTrace();
}
Thread.sleep(5);
System.out.println("主線程照常執行"); //子線程終止,不影響主線程的正常執行
}
}
class A extends Thread{
A(String name){
super(name);
}
public void run(){
System.out.println("run()辦法運轉...");
for (int i=0;i<10;i++) {
System.out.println(getName()+" 輸入:"+i);
if (i==3) {
throw new RuntimeException("run外部拋出Runtime異常"); //第3個循環時,拋出一個unchecked異常
}
}
}
}
輸入:
run()辦法運轉...
異常線程 輸入:0
異常線程 輸入:1
異常線程 輸入:2
異常線程 輸入:3
Exception in thread "異常線程" java.lang.RuntimeException: run外部拋出Runtime異常 at testpack.A.run(Test2.java:26) //子線程拋出unchecked異常,不能被主線程catch到,線程終止執行。這裡的輸入來源於ThreadGroup的uncaughtException()辦法
主線程照常執行 //子線程終止後,不影響主線程執行
package testpack;
import java.lang.Thread.UncaughtExceptionHandler;
public class Test2 {
public static void main(String[] args) throws InterruptedException{
ExHandler eh1=new ExHandler("Thread默許異常處置器"); //定義一個異常處置器,前面綁到Thread上
ExHandler eh2=new ExHandler("線程實例異常處置器"); //前面綁到線程實例上
Thread.setDefaultUncaughtExceptionHandler(eh1); //將eh1處置器綁到Thread上
A a=new A("異常線程");
a.setUncaughtExceptionHandler(eh2); //標志㈠。將eh2綁到線程實例上
a.start();
}
}
class A extends Thread{
A(ThreadGroup tg,String name){
super(tg,name);
}
A(String name){
super(name);
}
public void run(){
System.out.println("run()辦法運轉...");
for (int i=0;i<10;i++) {
System.out.println(getName()+" 輸入:"+i);
if (i==3) {
int x=5/0; //i==3時,拋出unchecked異常
}
}
}
}
class ExHandler implements UncaughtExceptionHandler{ //自定義一個未處置異常處置器
private String name;
ExHandler(String name){
this.name=name;
}
public void uncaughtException (Thread t,Throwable e){
System.out.println("這是:"+name);
System.out.println("線程: "+t.getName()+" 異常: "+e.getMessage());
}
}
輸入:
run()辦法運轉...
異常線程 輸入:0
異常線程 輸入:1
異常線程 輸入:2
異常線程 輸入:3
這是:線程實例異常處置器 //調用了線程實例上的異常處置器
線程: 異常線程 異常: / by zero //順序完畢
將標志㈠處的代碼正文掉,輸入如下:
run()辦法運轉...
異常線程 輸入:0
異常線程 輸入:1
異常線程 輸入:2
異常線程 輸入:3
這是:Thread默許異常處置器 //調用了Thread上的默許處置器,“異常線程”屬於main線程組,父線程組是system,
線程: 異常線程 異常: / by zero