异常分为两大类型必检异常和免检异常(RuntimeException、Error以及它们的子类)。必检异常是指编译器会强制程序员检查并通过try-catch块处理,或者在方法头声明的异常。两者也可同时出现。
public method1() throws Exception{ //方法头声明异常类
statement1;
}
public method2() {
try{
//执行的语句块
}
catch(Excetion1 ex1){ //声明要捕获的异常类
//捕获成功执行的语句块
}
statement2;
}
public method3() throws Exception{
try{
//执行的语句块
}
catch(Excetion2 ex2){ //声明要捕获的异常类
//捕获成功执行的语句块
}
statement3;
}
而免检异常则不强制要求这些(因为免检异常可能在程序的任何一个地方出现,过多的使用try-catch块、声明异常太占空间和内存)
public method1() throws NullPointerException {
statement1;
}
/**
public method1() { //不声明异常也可以编译成功
statement1;
}
**/
首先,明白异常是一个对象,而对象都是由类来定义。这就使得当我们遇到一个不能用自带的异常类(比如IOException,ClassNotFoundException)来充分描述的问题,我们可以去自定义异常类。要注意的是自定义异常类要继承Exception类或其子类(比如IOException,ClassNotFoundException),不建议继承RuntimeException类或其子类,因为这样会使得自定义异常类成为免检异常。
Java的异常处理模型基于三种操作,即声明异常、抛出异常和捕获异常 。一般来说,声明的异常类是抛出的异常类的父类或同一个类。
method1(){
//try-catch块捕获异常
try{
invoke method2;
}
catch(Exception ex){
Process exception;
}
}
method2() throws Exception{ //throws关键字声明异常,如果是免检异常这一步可以省略
if(an error occurs){
//throw关键字抛出异常
throw new Exception();
/**
也可以创建一个实例抛出异常
Exception ex=new Exception();
throw ex;
**/
}
}
值得注意的是异常的处理是实时性、传递性的。当异常被捕获成功时,程序就会开始处理异常;当异常未被捕获成功时异常会沿着调用的方法连传递下去。
import java.io.*;
public class Test {
public static void main(String[] args) throws Exception {
// TODO 自动生成的方法存根
try {
method1();
}
catch(IOException ex2){
System.err.println("main捕获异常IOException");
}
}
static void method1() throws Exception {
try {
method2();
}
catch(IOException ex2){
System.err.println("method1捕获异常IOException");
}
}
static void method2() throws Exception{
throw new IOException();//抛出一个必检异常IOException
}
}
//输出结果为method1捕获异常IOException
import java.io.*;
public class Test {
public static void main(String[] args) throws Exception {
// TODO 自动生成的方法存根
try {
method1();
}
catch(IllegalArgumentException ex1){
System.err.println("method1未捕获异常IllegalArgumentException,main捕获异常IllegalArgumentException");
}
catch(IOException ex2){
System.err.println("main捕获异常IOException");
}
}
static void method1() throws Exception {
try {
method2();
}
catch(IOException ex2){
System.err.println("method1捕获异常IOException");
}
}
static void method2() throws Exception{
throw new IllegalArgumentException();//抛出一个免检异常IllegalArgumentException
}
}
//输出结果为method1未捕获异常IllegalArgumentException,main捕获异常IllegalArgumentExceptionn
如文章中有错误的地方,欢迎大家指正