在链接时,我们可以从Java中的已检查异常抛出未检查的异常吗?

当将异常缓存在catch块中时,可以使用throw关键字(用于抛出异常对象)将其重新抛出。

当重新抛出异常时,您可以抛出相同的异常,而无需将其调整为-

try {

   int result = (arr[a])/(arr[b]);

   System.out.println("结果 "+arr[a]+"/"+arr[b]+": "+result);

}catch(ArithmeticException e) {

   throw e;

}

或者,将其包装在新的异常中并抛出。当您将缓存的异常包装在另一个异常中并引发异常时,这称为异常链接或异常包装,通过执行此操作,您可以调整异常,并抛出更高级别的异常来维护抽象。

try {

   int result = (arr[a])/(arr[b]);

   System.out.println("结果 "+arr[a]+"/"+arr[b]+": "+result);

}catch(ArrayIndexOutOfBoundsException e) {

   throw new IndexOutOfBoundsException();

}

从检查的异常中引发未检查的异常

是的,我们可以捕获编译时异常(已选中),并在catch块中可以将其包装在运行时异常中(未选中)并重新抛出。但是,由于我们使用检查的异常重新抛出,因此我们需要将其包装在隐式try-catch对中,或者跳过使用throws子句处理它。

示例

在以下Java示例中,我们创建了一个名为SampleException的用户定义(检查)异常。

我们正在显示一个由6个元素组成的整数数组,并允许用户选择两个值的位置并除以所选的数字。在选择位置时,用户可以使用超出数组长度的索引值,这将导致ArrayIndexOutOfBoundsException,这是未经检查的异常。

在catch块中,通过将其包装在上面创建的Sample异常中来重新抛出该对象,该异常被检查。

import java.util.Arrays;

import java.util.Scanner;

class SampleException extends Exception {

   SampleException(String msg){

      super(msg);

   }

}

public class Rethrow {

   public void demoMethod() {

      Scanner sc = new Scanner(System.in);

      int[] arr = {10, 20, 30, 2, 5, 8};

      System.out.println("Array: "+Arrays.toString(arr));

      System.out.println("Choose numerator and denominator(not 0) from this array (enter positions 0 to 5)");

      int a = sc.nextInt();

      int b = sc.nextInt();

      try {

         int result = (arr[a])/(arr[b]);

         System.out.println("结果 "+arr[a]+"/"+arr[b]+": "+result);

      }catch(ArrayIndexOutOfBoundsException e) {

         try {

            throw new SampleException("这是一个检查的异常");

         } catch (SampleException e1) {

            System.out.println("在catch块中检查异常");

         }

      }

   }

   public static void main(String [] args) {

      new Rethrow().demoMethod();

   }

}

输出结果

Array: [10, 20, 30, 2, 0, 8]

Choose numerator and denominator(not 0) from this array (enter positions 0 to 5)

25

24

在catch块中检查异常

以上是 在链接时,我们可以从Java中的已检查异常抛出未检查的异常吗? 的全部内容, 来源链接: utcz.com/z/322447.html

回到顶部