原文链接:http://blog.csdn.net/hahahacff/article/details/8228034
在主线程中直接捕获子线程的异常是捕获不到的(如果不做特殊处理),这样可能会导致程序还是会异常退出,而且异常的时候无法回收一些系统资源,或者没有关闭当前的连接等等。
public class TestUncaughtExceptionHandler {
/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
Thread thread = null;
try {
thread = new Thread(new Runnable() {
@Override
public void run() {
// TODO Auto-generated method stub
for (int i = 0; i < 5; i++) {
if (i == 0)
throw new RuntimeException();
int a = 1 / i;
System.out.println("a=" + a);
}
}
});
} catch (Exception e) {
e.printStackTrace();
System.out.println("haha");//这句代码不会执行,而且程序可能会崩溃。
}
thread.start();
}
}
这个时候可以通过Thread实例的setUncaughtExceptionHandler方法来捕获异常。
public class TestUncaughtExceptionHandler {
/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
Thread thread = new Thread(new Runnable() {
@Override
public void run() {
// TODO Auto-generated method stub
for (int i = 0; i < 5; i++) {
if (i == 0)
throw new RuntimeException();
int a = 1 / i;
System.out.println("a=" + a);
}
}
});
thread.setUncaughtExceptionHandler(new UncaughtExceptionHandler() {
@Override
public void uncaughtException(Thread arg0, Throwable arg1) {
// TODO Auto-generated method stub
System.out.println("haha");//这段代码会执行。
}
});
thread.start();
}
}
当然也可以通过所有Thread设置一个默认的UncaughtExceptionHandler,通过调用 Thread.setDefaultUncaughtExceptionHandler(Thread.UncaughtExceptionHandler eh)方法,这是Thread的一个static方法。
public class TestUncaughtExceptionHandler {
/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
//为所有的Thread设置这个静态的方法,如果thread不做特殊处理,就可以通过这个方法捕获到异常。
Thread.setDefaultUncaughtExceptionHandler(new UncaughtExceptionHandler() {
@Override
public void uncaughtException(Thread t, Throwable e) {
// TODO Auto-generated method stub
}
});
Thread thread = new Thread(new Runnable() {
@Override
public void run() {
// TODO Auto-generated method stub
for (int i = 0; i < 5; i++) {
if (i == 0)
throw new RuntimeException();
int a = 1 / i;
System.out.println("a=" + a);
}
}
});
thread.start();
}
}
在android应用程序中可以在应用程序的入口中的onCreate方法里面调用
Thread.setDefaultUncaughtExceptionHandler(new UncaughtExceptionHandler() {
@Override
public void uncaughtException(Thread t, Throwable e) {
// TODO Auto-generated method stub
}
});
来捕获异常。
也可以再Application里面的onCreate里面调用
Thread.setDefaultUncaughtExceptionHandler(new UncaughtExceptionHandler() {
@Override
public void uncaughtException(Thread t, Throwable e) {
// TODO Auto-generated method stub
}
});
这样就可以捕获到多数的Thread内部的异常,提高程序的健壮性。