java异常处理机制的两类
1、抓:异常的处理,有两种方式
① try-catch-finally
② throws
2、抛:
① 自动抛出
可以理解为所有没有使用throw关键字的异常处理都是自动抛出,由jvm进行判断和抛出。
②手动抛出
throw + 异常类的对象
》异常类可以是现成的,也可以是自己创建的异常类,
抛出异类的类型:若是RuntimException,可以不用显示处理。
若是一个Exception,必须要显示的处理。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
|
/* *1.手动抛出一个异常的例子 */ public class TestException3 { public static void main(String[] args) { Circle c1 = new Circle( 2.1 ); Circle c2 = new Circle( 2.1 ); System.out.println(c2.compareTo(c2)); System.out.println(c1.compareTo( new String( "44" ))); } } class Circle{ private double radius; public Circle( double radius) { super (); this .radius = radius; } public double getRadius() { return radius; } public void setRadius( double radius) { this .radius = radius; } //比较两个圆的半径谁大 public int compareTo(Object obj) { if ( this == obj) { return 0 ; } else if (obj instanceof Circle) { Circle c = (Circle)obj; if ( this .radius > c.radius) { return 1 ; } else if ( this .radius == c.radius){ return 0 ; } else { return - 1 ; } } else { //因为在这里返回声明都不适合,手动的抛出一个异常 //运行时异常可以不用显示处理,在运行的时候,抛出。 throw new RuntimeException( "传入的类型有误" ); // throw new Exception("传入的类型有误"); //非RuntimeException必须在出现的时候显示处理 } } } |
补充:java中异常抛出后代码还会继续执行吗?
今天遇到一个问题,在下面的代码中,当抛出运行时异常后,后面的代码还会执行吗,是否需要在异常后面加上return语句呢?
1
2
3
4
5
6
7
8
|
@Override public void registerObserver(Observer o) { if (o == null ){ throw new NullPointerException( "o is a null object" ); return ; //需要么? } this .mList.add(o); } |
为了搞清楚这个问题,我编写了几段代码测试了一下,结果如下:
1
2
3
4
5
|
//代码1 public static void test() throws Exception { throw new Exception( "参数越界" ); System.out.println( "异常后" ); //编译错误,「无法访问的语句」 } |
1
2
3
4
5
6
7
|
//代码2 try { throw new Exception( "参数越界" ); } catch (Exception e) { e.printStackTrace(); } System.out.println( "异常后" ); //可以执行 |
1
2
3
4
5
|
//代码3 if ( true ) { throw new Exception( "参数越界" ); } System.out.println( "异常后" ); //抛出异常,不会执行 |
总结:
1、若一段代码前有异常抛出,并且这个异常没有被捕获,这段代码将产生编译时错误「无法访问的语句」。如代码1;
2、若一段代码前有异常抛出,并且这个异常被try…catch所捕获,若此时catch语句中没有抛出新的异常,则这段代码能够被执行,否则,同第1条。如代码2;
3、若在一个条件语句中抛出异常,则程序能被编译,但后面的语句不会被执行。如代码3
另外总结一下运行时异常与非运行时异常的区别:
运行时异常是RuntimeException类及其子类的异常,是非受检异常,如NullPointerException、IndexOutOfBoundsException等。由于这类异常要么是系统异常,无法处理,如网络问题;要么是程序逻辑错误,如空指针异常;JVM必须停止运行以改正这种错误,所以运行时异常可以不进行处理(捕获或向上抛出,当然也可以处理),而由JVM自行处理。Java Runtime会自动catch到程序throw的RuntimeException,然后停止线程,打印异常。
非运行时异常是RuntimeException以外的异常,类型上都属于Exception类及其子类,是受检异常。非运行时异常必须进行处理(捕获或向上抛出),如果不处理,程序将出现编译错误。一般情况下,API中写了throws的Exception都不是RuntimeException。
常见运行时异常:
常见非运行时异常:
以上为个人经验,希望能给大家一个参考,也希望大家多多支持服务器之家。如有错误或未考虑完全的地方,望不吝赐教。
原文链接:https://blog.csdn.net/qq_34626097/article/details/83628963