Java异常学习

2018-12-12  本文已影响0人  陶然然_niit

1.JDK中关于错误、异常的类级别

层级

2.异常的分类

3.一些常见的异常

4.如何处理异常

5.Java异常处理机制中涉及的几个关键字

6.异常处理的原则

7.实际开发中

8.异常的一些示例程序

/**
 * 算术异常
 */
public class ArithmeticExceptionDemo {
    public static void main(String[] args) {
        int n = 3;
        try {
            System.out.println(n / 0);
        } catch (ArithmeticException e) {
            System.err.println("除数不能为0!");
        }
    }
}

/**
 * 数组索引越界异常
 */
public class ArrayIndexOutOfBoundsExceptionDemo {
    public static void main(String[] args) {
        int[] arr = new int[5];
        try {     //用try把有可能产生异常的代码块包起来
            for (int i = 0; i < 6; i++) {
                arr[i] = i + 1;
                System.out.println(arr[i]);
            }
        } catch (ArrayIndexOutOfBoundsException e) {  //catch捕获具体异常,并在方法体内友好处理
            System.err.println("数组下标越界");
        } finally {  //finally是不管有无异常都要执行的代码块
            System.out.println("数组输出完毕!");
        }
    }
}
/**
 * 数据格式转换异常
 */
public class NumberFormatExceptionDemo {
    public static void main(String[] args) {
        String s = "123a";
        int n = 0;
        try {
            n = Integer.parseInt(s);  //将"123a" 转换为整型,会触发数据格式转换异常
        } catch (NumberFormatException e) {
            System.err.println("格式转换出现异常");
        }
        System.out.println("n=" + n);
    }
}
/**
 * 中断异常
 */
public class InterruptedExceptionDemo {
    public static void main(String[] args) {
        try {
            Thread.sleep(3000);
        } catch (InterruptedException e) {
            System.err.println("出现中断异常!");
        }
    }
}
import java.io.*;

/**
 * IOException、FileNotFoundException练习
 */
public class IOExceptionDemo {
    public static void main(String[] args) {
        //文件指针指向d盘的1.jpg文件
        File file = new File("d:/1.jpg");
        //定义一个字节数组,长度和文件长度相等,用来读取文件
        byte[] b = new byte[(int) file.length()];
        InputStream inputStream = null;
        try {
            //通过file来创建字节输入流,如果文件不存在,会抛出FileNotFoundException
            inputStream = new FileInputStream(file);
            try {
                //通过字节输入流来读取文件内容到字节数组b中,会抛出IOException
                inputStream.read(b);
            } catch (IOException e) {
               System.err.println("字节流读取出现异常!");
            }
        } catch (FileNotFoundException e) {
            System.err.println("文件找不到!");
        }
        //关闭字节输入流,会抛IOException
        try {
            inputStream.close();
        } catch (IOException e) {
            System.err.println("字节流关闭出现异常!");
        }
    }
}
上一篇 下一篇

猜你喜欢

热点阅读