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

时间:2018-10-20 15:58:18

标签: java try-catch java.util.scanner try-with-resources

今天早些时候我问how to re-try/catch input mismatch exception without getting caught by infinite loop

,但这是两个过程,首先,游戏将询问用户网格的大小,然后在启动后,询问用户设置标志或越过单元格(如果是我的游戏,它将打印出周围的地雷数量),但是我遇到了一些奇怪的错误 代码:

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

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

当我进行搜索时,发现无法在同一地点使用两台扫描仪, 但是,如果使用try进行了初始化,则如何分隔它们

1 个答案:

答案 0 :(得分:2)

此:

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

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

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

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

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

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

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

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