Java 实例 - 多个异常处理(多个catch)

对异常的处理:

1,声明异常时,建议声明更为具体的异常,这样可以处理的更具体

2,对方声明几个异常,就对应几个catch块, 如果多个catch块中的异常出现继承关系,父类异常catch块放在最下面

以下实例演示了如何处理多异常:

ExceptionDemo.java 文件

  1. class Demo
  2. {
  3. int div(int a,int b) throws ArithmeticException,ArrayIndexOutOfBoundsException//在功能上通过throws的关键字声明该功能可能出现问题
  4. {
  5. int []arr = new int [a];
  6. System.out.println(arr[4]);//制造的第一处异常
  7. return a/b;//制造的第二处异常
  8. }
  9. }
  10. class ExceptionDemo
  11. {
  12. public static void main(String[]args) //throws Exception
  13. {
  14. Demo d = new Demo();
  15. try
  16. {
  17. int x = d.div(4,0);//程序运行截图中的三组示例 分别对应此处的三行代码
  18. //int x = d.div(5,0);
  19. //int x = d.div(4,1);
  20. System.out.println("x="+x);
  21. }
  22. catch (ArithmeticException e)
  23. {
  24. System.out.println(e.toString());
  25. }
  26. catch (ArrayIndexOutOfBoundsException e)
  27. {
  28. System.out.println(e.toString());
  29. }
  30. catch (Exception e)//父类 写在此处是为了捕捉其他没预料到的异常 只能写在子类异常的代码后面
  31. //不过一般情况下是不写的
  32. {
  33. System.out.println(e.toString());
  34. }
  35. System.out.println("Over");
  36. }
  37. }

以上代码运行输出结果为:

  1. java.lang.ArrayIndexOutOfBoundsException: 4
  2. Over