0

我是一名学生,我正在使用 Net beans IDE 编写 java 程序,而不是创建项目。

现在,我正面临这个问题。我在同一个项目中有两个包。一个是我创建的用户定义实用程序包。这有一个程序定义了用于打印和将二维数组作为输入的方法。它没有主要方法。

下面给出了我班级的一小部分。我只给出我面临问题的那部分。

package UserDefinedUtilities;
import java.util.*;
public class ArrayUtilities2D {
  public int[][] InputInt(int m, int n){
      Scanner kb = new Scanner (System.in);
      System.out.println();
      int arr[][] = new int[m][n];
      System.out.println("Enter the array elements: ");
      for (int i = 0; i < m; i++){
          for (int j = 0; j < n; j++){
              System.out.print("Enter the element in cell (" + i + "," + j + "): ");
              arr[i][j] = kb.nextInt();
          }
      }
      kb.close();
      System.out.println();
      return arr;
  }
}

这是我尝试访问的类的输入法。

package AnswerPrograms;
import UserDefinedUtilities.*;
import java.util.*;
public class J124{
    private int m, n;
    private void Input(){
        Scanner kb = new Scanner (System.in);
        System.out.print("Enter the number of rows: ");
        m = kb.nextInt();
        System.out.print("Enter the number of columns: ");
        n = kb.nextInt();
        kb.close();
        int arr[][] = new ArrayUtilities2D().InputInt(m, n); //using the input method from the above class
        System.out.println("The original matrix is: ");
        new ArrayUtilities2D().IntPrint(m, n, arr);
        if (m % 2 == 0){
            Mirror_Even(arr);
        }
        else{
            Mirror_Odd(arr);
        }
    }
    . //other necessary methods are present here
    .
    .
    .
}

在第二个包中,我存储我的程序。现在,当我尝试使用这种方法从此类中获取输入时,将显示以下几行:

Exception in thread "main" java.util.NoSuchElementException
Enter the element in cell (0,0):    at 
java.util.Scanner.throwFor(Scanner.java:862)
at java.util.Scanner.next(Scanner.java:1485)
at java.util.Scanner.nextInt(Scanner.java:2117)
at java.util.Scanner.nextInt(Scanner.java:2076)
at UserDefinedUtilities.ArrayUtilities2D.InputInt(ArrayUtilities2D.java:24)
at AnswersPrograms.J124.Input(J124.java:13)
at AnswersPrograms.J124.main(J124.java:90)
Java Result: 1
BUILD SUCCESSFUL (total time: 5 seconds)

谁能解释为什么会这样?我在 BlueJ 中没有遇到这个问题。为什么在我输入内容之前就出现 NoSuchElementException?我应该怎么做才能纠正这个问题?我应该改变我的jdk吗?

4

1 回答 1

1

该错误与包无关。您的代码编译并运行良好,正如堆栈跟踪所示,两种方法都被调用。

问题是您正在尝试使用扫描仪从 中读取System.in,但您在阅读之前已将其关闭。所以没有什么可读的了。

正如javadoc所说

如果这个扫描器还没有关闭,那么如果它的底层可读也实现了 Closeable 接口,那么可读的 close 方法将被调用。

因此,当您关闭扫描仪时,您也在关闭System.in.

于 2017-07-30T09:37:15.730 回答