在本教程中,我们将借助示例学习如何在Java中处理多个异常。
在Java 7之前,即使存在代码冗余,我们也必须针对不同类型的异常编写多个异常处理代码。
让我们举个实例。
class Main { public static void main(String[] args) { try { int array[] = new int[10]; array[10] = 30 / 0; } catch (ArithmeticException e) { System.out.println(e.getMessage()); } catch (ArrayIndexOutOfBoundsException e) { System.out.println(e.getMessage()); } } }
输出结果
/ by zero
在此的示例可能会发生两个异常:
ArithmeticException - 因为我们试图将数字除以0。
ArrayIndexOutOfBoundsException - 因为我们已经声明了一个新的整数数组,数组边界为0到9,并且我们试图为索引10分配一个值。
我们在两个catch块中都打印出异常消息,即重复代码。
赋值运算符(=)的关联性是从右到左,因此首先将ArithmeticException与消息 / by zero起抛出。
在Java SE 7和更高版本中,我们现在可以在单个catch块中捕获多种类型的异常。
可以由catch块处理的每种异常类型都使用竖线(|)分隔。
其语法为:
try { // code } catch (ExceptionType1 | Exceptiontype2 ex) { // catch block }
class Main { public static void main(String[] args) { try { int array[] = new int[10]; array[10] = 30 / 0; } catch (ArithmeticException | ArrayIndexOutOfBoundsException e) { System.out.println(e.getMessage()); } } }
输出结果
/ by zero
在单个catch块中捕获多个异常,可以减少代码重复并提高效率。
编译该程序时生成的字节码将比具有多个catch块的程序小,因为没有代码冗余。
注意:如果一个catch块处理多个异常,则catch参数为隐式final。这意味着我们不能分配任何值来捕获参数。
当在单个catch块中捕获多个异常时,该规则将泛化为专门化规则。
这意味着,如果catch块中存在异常的层次结构,我们只能捕获基本异常,而不能捕获多个专门的异常。
让我们举个实例。
class Main { public static void main(String[] args) { try { int array[] = new int[10]; array[10] = 30 / 0; } catch (Exception e) { System.out.println(e.getMessage()); } } }
输出结果
/ by zero
我们知道所有异常类都是Exception类的子类。因此,我们不必捕获多个专门的异常,而只需捕获Exception类。
如果已经在catch块中指定了基本异常类,则不要在同catch一块中使用子异常类。否则,我们会得到一个编译错误。
让我们举个实例。
class Main { public static void main(String[] args) { try { int array[] = new int[10]; array[10] = 30 / 0; } catch (Exception | ArithmeticException | ArrayIndexOutOfBoundsException e) { System.out.println(e.getMessage()); } } }
输出结果
Main.java:6: error: Alternatives in a multi-catch statement cannot be related by subclassing
在此示例中,ArithmeticException和ArrayIndexOutOfBoundsException都是Exception类的子类。 因此,我们抛出一个编译错误。