扫描仪无法读取我的输入

Scanner cannot read my input

当我运行以下代码时:

class Startup(由 main() 调用):

import java.util.ArrayList;

public class Startup {

    public void start() {

        // Build rooms
        final int WIDTH = 2;
        final int HEIGHT = 2;
        Room[][] room = new Room[WIDTH][HEIGHT];
        Rooms.build(room, WIDTH, HEIGHT);
        int x = 0;
        int y = 0;

        // Print starting room description
        Rooms.print(room, x, y);

        // Start game loop
        boolean playing = true;
        while (playing) {

            // Get user input
            String input = Input.getInput();
            System.out.println(input);

            // Movement commands
            if (input.equals("n")) {
                if (y > 0) {
                    y--;
                    Rooms.print(room, x, y);
                } else {
                    System.out.println("You can't go that way.");
                }
            }
        }
    }
}

class Input:

import java.util.Scanner;

public class Input {

    public static String getInput() {

        System.out.print("> ");
        try(Scanner in = new Scanner(System.in)) {
            String input = in.nextLine();
            input.toLowerCase();
            return input;
        }
    }
}

我会一直得到这个NoSuchElementException:

java.util.NoSuchElementException: No line found
    at java.util.Scanner.nextLine(Scanner.java:1540)
    at Input.getInput(Input.java:11)
    at Startup.start(Startup.java:36)
    at Driver.main(Driver.java:11)

如果删除start()中的移动命令部分,一切正常。但是当包含该部分时,总是会调用该异常,这让我认为它有问题。但我的问题是:怎么了?

您每次调用 getInput 时都会创建一个新的扫描器。不幸的是,你每次都关闭它:

    try(Scanner in = new Scanner(System.in)) {
        String input = in.nextLine();
        input.toLowerCase();
        return input;
    }

这个结构叫做"Try with resources"。它创建 Scanner,这是一个 Closeable 对象,并且在 try 块的末尾,它 关闭 它。

这意味着扫描器后面的输入流也关闭了。

流一旦关闭,就无法重新打开。来自该流的每个输入请求都将 return "end of file" 条件。因此,每次您在第一个扫描仪之后打开一个新的扫描仪,在同一个(关闭)System.in,您将得到一个空的扫描仪,它位于 "end of file".

您只需打开扫描仪一次。然后对于程序的其余部分,从同一个打开的扫描仪读取。为此,您要么必须将所有程序都放在 try-with-resources 中,要么根本不使用 try-with-resources。