1.如何自定义异常类
- 继承于现有的异常体系.通常继承于运行时异常RunTimeException或异常Exception.
- 提供重载的构造器,加载父类及该类的属性和方法.
- 提供全局常量(以public static final修饰),声明为public static final long serialVersionUID =xxxL作为唯一标识.
2.如何使用
- 在具体的代码中,满足指定条件的情况下,考虑手动throw自定义异常对象.
- 如果自定义异常继承于运行时异常(RunTimeException),此时编译通过,那么无需在代码中做异常处理.
- 如果自定义异常继承于Exception或其他编译时异常,则必须考虑如何处理,如果不进行处理,那么编译不通过.处理异常的话,要么是try-catch-finally进行捕获,要么throws 异常抛给调用者.由调用者处理该异常.
3.为什么需要自定义异常
我们希望可以通过自定义异常的名称,就可以直接判断异常出现的原因.实际场景中,在不满足需求的情况下,我们可以自定义异常.通过异常的名称以及异常的信息(getMessage获取,返回的是String类对象)来判断出现问题的原因.
自定义异常类 public class NoLifeValueException extends RuntimeException { public NoLifeValueException() { } public NoLifeValueException(String message) { super(message); } public NoLifeValueException(String message, Throwable cause) { super(message, cause); } }
public class Person { private String name; private int lifeValue; public String getName() { return name; } public void setName(String name) { this.name = name; } public int getLifeValue() { return lifeValue; } public void setLifeValue(int lifeValue) { if (lifeValue < 0) { //抛出的是个运行时异常 throw new NoLifeValueException("生命值不能为负数"); } else { this.lifeValue = lifeValue; } } public Person() { } public Person(String name, int lifeValue) { this.name = name; this.lifeValue = lifeValue; } }
测试类 public class Exer3 { public static void main(String[] args) { Person p = new Person("XXX", -4); p.setLifeValue(7); try { p.setLifeValue(-3); } catch (RuntimeException e) { System.out.println(e.getMessage()); } } }