小编典典

如何在一种方法上使用两个扫描仪

java

今天早些时候,我问如何在不陷入无限循环的情况下重试/捕获输入不匹配异常

但是这是两个过程,首先,游戏会要求用户提供网格的大小,然后在启动后,游戏会要求用户设置标志或跨过一个单元格(如果我的游戏在其他单元格之上,会打印出周围的地雷数量),但是我收到一些奇怪的错误代码:

int gridSize = 0;
    try (Scanner scanner = new Scanner(System.in)) {
        System.out.println("how much the size of the grid do you want");
        while (!scanner.hasNextInt()) {
            System.err.println("Try again, this time with a proper int");
            scanner.next();
        }
        gridSize = scanner.nextInt();
    }
    MinesWeeper grid = new MinesWeeper(gridSize);
    grid.printOut();

    int choice = 0;
    try (Scanner scanner = new Scanner(System.in)) {
        System.out.println("1-to step over a cell\n2-to set a flag on the cell");
        while (!scanner.hasNextInt()) {
            System.err.println("Try again, this time with a proper int");
            scanner.next();
        }
        choice = scanner.nextInt();
    }

    boolean Continue = true;
    while (Continue) {
        switch (choice) {
            case 1:
                if (grid.chooseCell(1)) {
                    Continue = false;
                }
                break;
            case 2:
                grid.chooseCell(2);
                break;
        }
    }

错误:

how much the size of the grid do you want 3 A B C Try again, this time with a proper int 1 * * * Exception in thread "main" java.util.NoSuchElementException 2 * * * at java.util.Scanner.throwFor(Scanner.java:862) 3 * * * 1-to step over a cell at java.util.Scanner.next(Scanner.java:1371) at Array.Main.main(MinesWeeper.java:188) 2-to set a flag on the cell

在我的打印语句之间打印异常消息的奇怪的事情(网格是一条语句,指令也是一条)

进行搜索时,我发现无法在同一位置使用两个扫描仪,但是如果尝试使用资源初始化它们,如何将它们分开


阅读 302

收藏
2020-11-30

共1个答案

小编典典

这个:

try (Scanner scanner = new Scanner(System.in)) {
  // ...
}

是try-with-resources块。块完成执行后,将调用scanner.close()

对于您的用例,问题在于扫描程序又调用System.in.close()。流关闭后,您将无法再次读取它,因此,当您System.in随后尝试从中读取另一个Scanner读数时,将会遇到异常。

对您的代码最简单的修复方法是合并两个try-with-
resources块,并重用同一台Scanner,因此您不必在两者之间关闭它。无论如何,没有充分的理由拥有两个单独的扫描仪。

但是实际上,您根本不应该使用try-with-resources。

一般规则是 不要关闭您不拥有的流 ,这大致意味着 不要关闭您没有打开的流
,因为Java没有“所有权”的概念。您没有打开System.in,JVM却打开了。

您不知道程序中还有什么依赖于它继续打开。如果您确实关闭了这样的流,则会将流的状态弄乱,以供将来的流读者使用。

现在,您可能会 认为
您需要使用twr,因为IDE会在扫描仪上标记资源泄漏警告。通常,您可能要关闭扫描仪。在这种情况下,您不需要。如果这是您使用twr的原因,请忽略(或取消显示)该警告。

2020-11-30