尝试使用try,catch和throw避免出现负数组大小异常

时间:2018-08-16 12:46:34

标签: arrays try-catch throw

以下Java代码:

   public class SomeClass {
   int[] table;
   int size;

   public SomeClass(int size) {
      this.size = size;
      table = new int[size];
   }

   public static void main(String[] args) {
      int[] sizes = {5, 3, -2, 2, 6, -4};
      SomeClass testInst;
      for (int i = 0; i < 6; i++) {
         testInst = new SomeClass(sizes[i]);
         System.out.println("New example size " + testInst.size);
      }
   }
}

将创建SomeClass的前两个实例,它们的大小分别为5和3,不会出现问题。但是,当使用参数-2调用构造函数SomeClass时,会生成运行时错误:NegativeArraySizeException。

我该如何修改上面的代码,以便通过使用try,catch和throw使其表现更强健。 main方法应捕获此异常并打印警告消息,然后继续执行循环。

我是Java新手,不胜感激。

谢谢

1 个答案:

答案 0 :(得分:0)

使类构造函数抛出错误并在主类中捕获错误,如下所示:

public class SomeClass {

int[] table;
int size;

   public SomeClass(int size) throws NegativeArraySizeException{
          this.size = size;
          table = new int[size];
       }


   public static void main(String[] args) {
          int[] sizes = {5, 3, -2, 2, 6, -4};
          SomeClass testInst;
          for (int i = 0; i < 6; i++) {
              try {
                  testInst = new SomeClass(sizes[i]);
                   System.out.println("New example size " + testInst.size);
              } 
              catch (NegativeArraySizeException err) {
                  System.out.println(err.toString());
              }
          }
       }
    }

输出应为

like this.