如何从线程捕获异常

2022-08-31 06:15:06

我有Java主类,在类中,我启动一个新线程,在主类中,它等待线程死亡。在某个时刻,我从线程中引发运行时异常,但我无法捕获从 main 类中的线程引发的异常。

代码如下:

public class Test extends Thread
{
  public static void main(String[] args) throws InterruptedException
  {
    Test t = new Test();

    try
    {
      t.start();
      t.join();
    }
    catch(RuntimeException e)
    {
      System.out.println("** RuntimeException from main");
    }

    System.out.println("Main stoped");
  }

  @Override
  public void run()
  {
    try
    {
      while(true)
      {
        System.out.println("** Started");

        sleep(2000);

        throw new RuntimeException("exception from thread");
      }
    }
    catch (RuntimeException e)
    {
      System.out.println("** RuntimeException from thread");

      throw e;
    } 
    catch (InterruptedException e)
    {

    }
  }
}

有人知道为什么吗?


答案 1

使用 .Thread.UncaughtExceptionHandler

Thread.UncaughtExceptionHandler h = new Thread.UncaughtExceptionHandler() {
    @Override
    public void uncaughtException(Thread th, Throwable ex) {
        System.out.println("Uncaught exception: " + ex);
    }
};
Thread t = new Thread() {
    @Override
    public void run() {
        System.out.println("Sleeping ...");
        try {
            Thread.sleep(1000);
        } catch (InterruptedException e) {
            System.out.println("Interrupted.");
        }
        System.out.println("Throwing exception ...");
        throw new RuntimeException();
    }
};
t.setUncaughtExceptionHandler(h);
t.start();

答案 2

这是因为异常是线程的本地,并且主线程实际上看不到该方法。我建议你阅读更多关于线程如何工作的信息,但要快速总结一下:你调用启动一个不同的线程,与你的主线程完全无关。调用只是等待它完成。在线程中引发且从未捕获的异常会终止它,这就是为什么在主线程上返回,但异常本身丢失的原因。runstartjoinjoin

如果您想了解这些未捕获的异常,可以尝试以下操作:

Thread.setDefaultUncaughtExceptionHandler(new Thread.UncaughtExceptionHandler() {
    @Override
    public void uncaughtException(Thread t, Throwable e) {
        System.out.println("Caught " + e);
    }
});

可以在此处找到有关未捕获异常处理的详细信息