JAVA---异常处理机制
一、异常的处理:抓抛模型
过程一:“抛”:程序在正常执行的过程中,一旦出现异常,就会在异常代码处生成一个对应异常类的对象,并将此对象抛出(抛给程序的调用者)。抛出异常对象后,其后的代码不再执行。
过程二:“抓”:可以理解为异常的处理方式:
- try-catch-finally
- throws
二、try-catch-finally的使用
try{
//可能出现的异常
}catch(异常类型1 变量名1){
//处理异常的方式1
}catch(异常类型2 变量名2){
//处理异常的方式2
}catch(异常类型3 变量名3){
//处理异常的方式3
}
...
finally{
//一定会执行的代码
//finally是可选的
}
package exer;
import org.junit.Test;
public class ExceptionTest {
//try-catch-finally
@Test
public void test(){
String str="abc";
try{
int num=Integer.parseInt(str);
System.out.println("111");
}catch(NumberFormatException e){
System.out.println("出现数值转换异常");
System.out.println(e.getMessage());
e.printStackTrace();
}
System.out.println("222");
}
}
- 一旦try中的异常对象匹配到到某一个catch时,就进入catch中进行异常的处理。一旦处理完成,就跳出当前的try-catch结构(在没有写finally的情况),然后继续执行其后的代码。
- 多个catch中的异常类型如果没有子父类关系,则谁声明在上,谁声明在下无所谓。
- 如果多个catch中的异常类型满足子父类关系,则要求子类一定声明在父类的上面。否则,报错。
- 常用的异常对象处理的方式:
- String getMessage()
- printStackTrace()
- try-catch-finally结构可以嵌套
package exer;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
import org.junit.Test;
public class ExceptionTest {
//try-catch-finally
@Test
public void test(){
try{
int a=10;
int b=0;
System.out.println(a/b);
}catch(ArithmeticException e){
e.printStackTrace();
}finally{
System.out.println("一定会被执行的代码 ");
}
}
@Test
public void test1(){
FileInputStream fis=null;
try {
File file=new File("hello1.txt");
fis=new FileInputStream(file);
int data=fis.read();
while(data!=-1){
System.out.print((char)data);
data=fis.read();
}
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}finally{
try {
if(fis!=null)
fis.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
-
finally是可选的
-
finally中声明的是一定会被执行的代码。即使catch中又出现异常了,即使try中有return语句,即使catch中有return语句,finally中的代码也一定会被执行。
-
像数据库连接、输入输出流、网络编程socket等资源,JVM是不能自动回收的,我们需要自己手动的进行资源的释放。此时的资源释放,就需要声明在finally中。
-
开发中,由于运行时异常比较常见,所以一般不对运行时异常编写try-catch-finally。