Java-异常抛出后代码的执行情况

  • 2020 年 2 月 18 日
  • 筆記

一、异常被抛出但使用了try-catch

 测试代码:

public class TempTest {        public static void main(String[] args) throws Exception {          TestException1.method(1,2);          System.out.println("----------------------分隔符-----------------------");          TestException2.method(1,2);      }    }    class TestException1 {        public static void method(int a, int b) throws Exception {          if (a < b)              throw new Exception("出错!");          System.out.println(a - b);      }  }    class TestException2 {        public static void method(int a, int b) {          try {              if (a < b)                  throw new Exception("出错!");          } catch (Exception e) {              e.printStackTrace();          }          System.out.println(a - b);      }  }

控制台输出:

Exception in thread "main" java.lang.Exception: 出错!  	at com.fisherman.TestException1.method(TempTest.java:18)  	at com.fisherman.TempTest.main(TempTest.java:7)

 由此可见,有两处地方的代码因为抛出异常而没有得到执行机会。  首先是TestException1.method方法中System.out.println(a - b);方法没有得到调用,这是因为此语句上方抛出了异常,但是没有处理,所以就没有得到机会执行。 其次,main方法中的

        System.out.println("----------------------分隔符-----------------------");          TestException2.method(1,2);

 这两个语句没有得到执行,这是因为TestException1.method方法对于异常的做法就是抛出,而main方法中调用还是没有真正地处理这个异常,而是又将其抛出,即public static void main(String[] args) throws Exception {...},这样就导致了第二处代码没有得到执行机会,即使TestException2.method方法内部使用了try-catch语句,而不是向上抛出异常。

二、使用try-catch语句处理异常

public class TempTest {        public static void main(String[] args)  {          try {              TestException1.method(1,2);          } catch (Exception e) {              e.printStackTrace();          }          System.out.println("----------------------分隔符-----------------------");          TestException2.method(1,2);      }        }    class TestException1 {        public static void method(int a, int b) throws Exception {          if (a < b)              throw new Exception("出错!");          System.out.println(a - b);      }  }    class TestException2 {        public static void method(int a, int b) {          try {              if (a < b)                  throw new Exception("出错!");          } catch (Exception e) {              e.printStackTrace();          }          System.out.println(a - b);      }  }

 控制台输出:

java.lang.Exception: 出错!  	at com.fisherman.TestException1.method(TempTest.java:24)  	at com.fisherman.TempTest.main(TempTest.java:8)  ----------------------分隔符-----------------------  java.lang.Exception: 出错!  	at com.fisherman.TestException2.method(TempTest.java:34)  	at com.fisherman.TempTest.main(TempTest.java:13)  -1

 这里就几乎将全部代码成功执行了。可见不管是自己手动抛出异常,还是由于调用方法的向上抛出异常,异常抛出后的代码是否被执行取决于异常是否被catch住处理了,简单的抛出异常,会造成后面代码的不执行。但是要注意,main方法中异常处理了,还是不会使异常抛出的方法TestException1.method(1,2);体内部的System.out.println(a - b);语句没得到执行。