标签:
就是程序在运行时出现不正常的情况。
异常的由来:问题也是现实生活中一个具体的事物,也可以通过java的类的形式进行描述,并封装成对象。其实就是Java对不正常情况进行描述后的对象的体现。
严重问题(Error)、非严重问题(Exception)。
Error和Exception具有一些共性内容。(都是Throwable的子类)
try { 需要被检测的代码 } catch(异常类 变量) { 处理异常的代码;(处理方式) }
Java通过Error类进行描述。对于Error一般不编写针对性的代码对其进行处理。
Java通过Exception类进行描述。对Exception可以使用针对性的代码进行处理。
try { 需要被检测的代码 } catch(异常类 变量) { 处理异常的代码;(处理方式) }
异常的常见操作:
getMessage() :返回信息:异常原因
toString():反馈信息:异常类+异常原因
printStackTrace():反馈堆栈中的异常信息 异常类+异常原因+异常出现的位置,其实jvm默认的异常处理机制就是在调用printStackTrace方法
例如,除数是零
class Demo { int div(int a, int b) { return a/b; } } class ExceptionDemo { public static void main(String[] args) { Demo d = new Demo(); try { int x = d.div(4,0);//捕获到异常对象 new AritchmeticException() System.out.println("x=" + x); } catch (Exception e)//把捕获到的异常给了catch: Exception e = new AritchmeticException(); { System.out.println("除数是零!"); System.out.println(e.getMessage()); System.out.println(e.toString()); e.printStackTrace(); } System.out.println("Program Over!"); } }
但我们在定义Class时就应该提示是否会出现异常,提醒调用该Class时是需要处理Exception。当调用者使用该Class时,必须捕获该类的异常进行处理或者抛出。
捕获:try-catch处理
class Demo { int div(int a, int b)throws Exception//在功能上通过throws关键字声明了该功能在使用时有可能出现问题 { ... } } class ExceptionDemo { public static void main(String[] args) { Demo d = new Demo(); try { ... } catch (Exception e) { ... } } }抛出:调用该有标识异常的类的方法上通过throws抛出,不处理
class Demo { int div(int a, int b)throws Exception//在功能上通过throws关键字声明了该功能在使用时有可能出现问题 { ... } } class ExceptionDemo { public static void main(String[] args)throws Exception { ... } }
·声明异常时,建议声明更为具体的异常,这样处理的可以更具体。
例如上面的例子,可以把异常由Exception更改为ArithmeticExcption
·有多个异常时,可以针对性用多个catch处理。如果多个异常有继承关系,父类异常的catch放在最下面
建议进行catch处理时,catch中一定要定义具体的处理方式,不要简单的使用printStackTrace()等等
class Demo { int div(int a, int b)throws ArithmeticException,ArrayIndexOutOfBoundsException//抛出多个异常 { int[] arr = new int[a]; System.out.println(arr[5]);//可能出现异常的地方 return a/b;//可能出现异常的地方 } } class ExceptionDemo { public static void main(String[] args) { Demo d = new Demo(); try { int x = d.div(4,0); System.out.println("x=" + x); } catch (ArithmeticException e)//处理异常 { System.out.println("除数是零!"); e.printStackTrace(); } catch (ArrayIndexOutOfBoundsException e)//处理异常 { System.out.println("数组角标异常!"); e.printStackTrace(); } System.out.println("Program Over!"); } }
标签:
原文地址:http://www.cnblogs.com/siyingcheng/p/4307858.html