大一大二写了两年C++,好几万行的代码,从来没有写过异常处理方面的代码。C++的老师上课放过异常处理的PPT,但是没有布置过相关作业,平时写的代码也不会想去用异常处理。现在到了大三上学期,才第一次在数据库课程设计的程序中写了try-catch。本学期学Java,我要彻底弄清楚异常处理是怎么弄的。
try-catch
下面的例子:多catch处理语句。一个catch捕获一个异常。出现异常的时候:停止try,按照代码里 catch 的顺序从上往下依次匹配异常类型,首次匹配成功后执行该 catch,后面的 catch 跳过,不用继续匹配。如果 catch 的顺序是:先捕获异常 e1, 其后面再捕获异常 e2,那么 e1 不能是 e2 父类。即父类异常要在子类异常的后面捕获。
其实在 catch { } 里面,理论上也可能抛出异常。写 catch 的时候要小心,保证不要出问题。如果在 catch 里面抛出了异常,那就hehe了。
package exception;
import java.util.Scanner;
public class MultiCatchDemo
{
public static void main(String[] args)
{
Scanner scanner = new Scanner(System.in);
int array[] = new int[3];
try
{
System.out.println("input a number");
String str = scanner.next();
int n1 = Integer.parseInt(str); // str 转换成 int, 可能抛出 NumberFormatException
System.out.println("input another number");
int n2 = scanner.nextInt();
array[1] = n1 / n2; // n2 等于 0 时,抛出ArithmeticException
array[3] = n1 * n2; // 数组越界,抛出ArrayIndexOutOfBoundsException
System.out.println("the sum of two numbers is" + (n1 + n2));
}
catch (NumberFormatException ex)
{
System.out.println("数字格式化异常");
}
catch (ArithmeticException ex)
{
System.out.println("算术异常");
}
catch (ArrayIndexOutOfBoundsException ex)
{
System.out.println("数组下标越界异常");
}
catch (Exception e)
{
System.out.println("其他未知异常");
}
scanner.close(); // 物理资源回收
System.