1.Exception(异常)
- 异常分为编译时异常和运行时异常
- 对于编译异常,程序必须处理
- 对于运行时异常,程序中如果没有处理,默认就是throws
1.1 try-catch
try{
}catch (Exception e){
}finally {
}
-
没有try-catch默认throws -
一个实例:输入的如果不是整数就反复提醒输入
package exception_;
import java.util.Scanner;
public class Exception01 {
public static void main(String[] args) {
int num = 0;
Scanner scanner = new Scanner(System.in);
String input = "";
while (true){
input = scanner.next();
try {
num = Integer.parseInt(input);
break;
} catch (NumberFormatException e) {
System.out.println("你输入的不是整数");
}
}
System.out.println("你输入的是" + num);
}
}
1.2 throws
- 不对异常进行处理,而抛给调用者进行处理
这里的FileNotFoundException是编译时异常,因为没有文件d://aa.txt,程序会报错,但是把异常抛出后程序不会报错,异常会抛给调用f1的函数处理。
package exception_;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
public class Exception02 {
void f1() throws FileNotFoundException{
FileInputStream file = new FileInputStream("d://aa.txt");
}
}
- 子类重写父类的方法时,子类方法抛出的异常必须和父类方法异常一致或者为父类方法抛出异常的子类。
1.3自定义异常
- 一般情况下,都是继承RuntimeException
package exception_;
public class CustomException {
public static void main(String[] args) {
int age= 120;
if(!(age >= 18 && age <=70 )){
throw new AgeException("年龄要在18~70之间");
}
System.out.println("年龄正确");
}
}
class AgeException extends RuntimeException {
public AgeException(String message) {
super(message);
}
}
|