如果 Java 程序中没有处理异常会发生什么?


异常是在程序执行过程中发生的错误(运行时错误)。为了理解起见,让我们以不同的方式来看待它。

通常,当你编译一个程序时,如果它编译成功,就会创建一个 .class 文件,这是 Java 中的可执行文件,每次你执行这个 .class 文件时,它都应该成功运行,逐行执行程序中的每一行代码,没有任何问题。但是,在某些特殊情况下,在执行程序时,JVM 会遇到一些不明确的情况,它不知道该怎么做。

以下是一些示例场景:

  • 如果你有一个大小为 10 的数组,如果代码中的一行试图访问该数组中的第 11 个元素。
  • 如果你试图用 0 除以一个数字(结果为无穷大,而 JVM 不知道如何评估它)。

此类情况称为异常。每个可能的异常都由一个预定义的类表示,你可以在 java.lang 包中找到所有异常类。你也可以定义自己的异常。

某些异常在编译时提示,称为编译时异常或检查异常。

当发生此类异常时,你需要使用 try-catch 块来处理它们,或者使用 throws 关键字抛出它们(推迟处理)。

如果你不处理异常

当发生异常时,如果你不处理它,程序会突然终止,并且导致异常的那一行代码之后的代码将不会被执行。

示例

通常,数组是固定大小的,每个元素都使用索引访问。例如,我们创建了一个大小为 7 的数组。那么访问该数组元素的有效表达式将是 a[0] 到 a[6](长度-1)。

每当你使用负值或大于或等于数组大小的值时,都会抛出 ArrayIndexOutOfBoundsException 异常。

例如,如果你执行以下代码,它会显示数组中的元素并要求你提供索引以选择一个元素。由于数组的大小为 7,因此有效索引将为 0 到 6。

示例

import java.util.Arrays;
import java.util.Scanner;
public class AIOBSample {
   public static void main(String args[]){
      int[] myArray = {1254, 1458, 5687,1457, 4554, 5445, 7524};
      System.out.println("Elements in the array are: ");
      System.out.println(Arrays.toString(myArray));
      Scanner sc = new Scanner(System.in);
      System.out.println("Enter the index of the required element: ");
      int element = sc.nextInt();
      System.out.println("Element in the given index is :: "+myArray[element]);
   }
}

但是,如果你观察下面的输出,我们请求了索引为 9 的元素,因为它是一个无效的索引,因此引发了 ArrayIndexOutOfBoundsException 异常并终止了执行。

运行时异常

Elements in the array are:
[897, 56, 78, 90, 12, 123, 75]
Enter the index of the required element:
7
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: 7
   at AIOBSample.main(AIOBSample.java:12)

解决方案

为了解决这个问题,你需要通过将负责它的代码包装在 try-catch 块中来处理异常。

import java.util.Arrays;
import java.util.Scanner;
public class AIOBSample {
   public static void main(String args[]){
      int[] myArray = {1254, 1458, 5687,1457, 4554, 5445, 7524};
      System.out.println("Elements in the array are: ");
      System.out.println(Arrays.toString(myArray));
      try {
         Scanner sc = new Scanner(System.in);
         System.out.println("Enter the index of the required element: ");
         int element = sc.nextInt();
         System.out.println("Element in the given index is :: "+myArray[element]);
      }catch(ArrayIndexOutOfBoundsException ex) {
         System.out.println("Please enter the valid index (0 to 6)");
      }
   }
}

输出

Elements in the array are:
[1254, 1458, 5687, 1457, 4554, 5445, 7524]
Enter the index of the required element:
7
Please enter the valid index (0 to 6)

更新于: 2020-07-02

3K+ 浏览量

启动你的 职业生涯

通过完成课程获得认证

开始学习
广告