编程语言
首页 > 编程语言> > Java异常

Java异常

作者:互联网

异常概念

package exception.demo01;

public class demo01 {
    public static void main(String[] args) {
    //new demo01().a();
    //Exception in thread "main" java.lang.StackOverflowError
    }
    //public void a (){
    //    b();
    //}
    //public void b (){
    //    a();
    //}
}

异常体系结构

异常处理机制

抛出异常

捕获异常

异常处理的五个关键字

package exception.demo01;

public class Test {
    public static void main(String[] args) {
        int a = 1;
        int b = 0;
        //如果要捕获多个异常:要从小到大!
        //ctrl+alt+T可以快速创建捕获异常
        try{//try监控区域
            if (b==0){//throw 主动抛出异常 
                 //throws用来声明一个方法可能产生的所有异常,不做任何处理而是将异常往上传,谁调用我我就抛给谁。放在方法头中
                throw new ArithmeticException();//主动抛出异常 一般在方法中使用
                //假设这方法中,处理不了异常,方法上可以抛出异常
            }
            System.out.println(a/b);
        }catch(Error e){//catch捕获异常 里面为捕获类型
            System.out.println("程序出现Error异常");
        }catch (Exception e){
            System.out.println("程序出现Exception异常");
        }catch (Throwable t){
            System.out.println("程序出现异常");
        }
        finally {//处理善后工作
            System.out.println("结束");
        }
        //如果没有出错返回默认值和执行finally
        //finally可以不要,finally里面可以关闭资源,IO等等
    }

}

自定义异常

package exception.demo02;
//自定义的异常类
public class MyException extends Exception {
    //传递数字>10
    private int detail;
    public MyException(int a){
        this.detail = a ;
    }
    //toString:异常的打印信息 alt+insert

    @Override
    public String toString() {
        return "MyException{" +
                "detail=" + detail +
                '}';
    }
}
package exception.demo02;

public class Test {
    //可能会存在异常的方法
    static void test(int a)throws MyException{
        System.out.println("a的值为"+a);
        if (a>10){
            throw new MyException(a);
        }
        System.out.println("没有异常");
    }

    public static void main(String[] args) throws MyException {
        try {
            test(8);
        }catch (MyException e){
            System.out.println("MyException");
        }
        test(11);
    }
}
/*
a的值为8
没有异常
a的值为11
Exception in thread "main" MyException{detail=11}
	at exception.demo02.Test.test(Test.java:8)
	at exception.demo02.Test.main(Test.java:19)
 */

实际应用中的经验总结

标签:Exception,Java,处理,MyException,catch,异常,public
来源: https://www.cnblogs.com/beamsoflight/p/15168743.html