异常处理
- 如何处理异常
1. try-catch-finally
2. throw
3. throws
4. 自定义异常
5. 异常链
根类:Throwable
两个子类:Error、Exception
上图中非检查异常,表示的是编译器不要求强制处理的异常,包括:
image.png
检查异常:在程序编码阶段就被要求必须进行异常处理,否则编译无法通过。
image.png
Java中异常通过五个关键字来实现:
- try
- catch
- finally
- throw
-
throws
image.png
try-catch-finally
public class TryDemo {
public static void main(String[] args){
int a = 10;
int b = 0;
try {
int c = a/b;
}catch (ArithmeticException e){
System.out.println("出错了");
}finally {
System.out.println("一定会执行");
}
}
}
使用多重catch结构处理异常
public class TryDemo {
public static void main(String[] args){
int a = 10;
int b = 0;
try {
int c = a/b;
}catch (ArithmeticException e){
System.out.println("出错了");
}catch (Exception e){
System.out.println("33333");
}
finally {
System.out.println("一定会执行");
}
}
}
Exception 父类异要放在最后一个catch块中。
注意:如果在finally块中和catch块中都有return语句,最终只会执行finally中的return,不会执行catch块中的return。在代码编写中不建议把return放到finally块中。
使用throws声明异常类型
public class TryDemo {
public static void main(String[] args){
try {
int result = test();
}catch (ArithmeticException e){
System.out.println(e);
}catch (InputMismatchException e){
System.out.println(e);
}
}
public static int test() throws ArithmeticException, InputMismatchException{
System.out.println("d");
}
}
使用throw抛出异常对象
throw抛出的只能是可抛出类Throwable或者其子类的实例对象。
当方法当中包含throw抛出对象的语句时,常规的处理方法有两种:
方法一:
public void method(){
try{
throw new 异常类型();
}catch(异常类型 e){
//处理异常
}
}
方法二:谁调用了当前的方法谁就来处理异常
public void method() throws 异常类型{
throw new 异常类型();
}
自定义异常类
使用Java内置的异常类可以描述在编程时出现的大部分异常情况。
也可以通过自定义异常描述特定业务产生的异常类型。
- 所谓自定义异常,就是定义一个类去继承Throwable类或它的子类。
异常链
有时候我们在捕获一个异常后再抛出另一个异常。
异常链:将异常发生的原因一个传一个串起来,即把底层的异常信息传给上层 ,这样逐层抛出。
网友评论