Java中的throw和throws:异常处理详解
在Java中,throw
用于显式抛出一个异常对象,而throws
用于方法签名中,表示该方法可能会抛出某种异常。
throw:
if (n < 0) {
throw new IllegalArgumentException("n must be non-negative");
}
throw
用于在方法内部抛出异常。它后面跟随的是一个异常对象,这个对象可以是新创建的,也可以是捕获到的。
throws:
public void myMethod() throws IOException {
// 可能会抛出IOException的代码
}
throws
用于方法声明中,表示该方法可能会抛出某种异常,但不一定会发生异常。调用这个方法的客户端必须处理这些异常,比如通过try-catch
语句块捕获或者继续使用throws
声明抛出。
注意: throws
声明的异常必须是方法中出现的异常类的父类。
示例代码:
public class ExceptionExample {
// 抛出异常的方法
public void checkNumber(int n) throws IllegalArgumentException {
if (n < 0) {
throw new IllegalArgumentException("Negative number not allowed");
}
}
public static void main(String[] args) {
ExceptionExample example = new ExceptionExample();
try {
example.checkNumber(-1);
} catch (IllegalArgumentException e) {
System.out.println(e.getMessage());
}
}
}
在这个例子中,checkNumber
方法通过throws
声明它可能会抛出IllegalArgumentException
异常,在main
方法中通过try-catch
捕获并处理了这个异常。
评论已关闭