27

我正在使用 Java 编程。
我正在尝试编写可以识别用户是否在基于控制台的程序中按下回车键的代码。

我怎样才能使用java做到这一点。有人告诉我,这可以使用 Scanner 或缓冲输入阅读器来完成。我不理解(或不知道如何使用)缓冲输入阅读器。

我尝试使用扫描仪执行此操作,但在按两次 enter 后程序终止,并且它不起作用

    Scanner readinput = new Scanner(System.in);

    String enterkey = "Hola";
    System.out.print(enterkey);


    enterkey = readinput.nextLine();
     System.out.print(enterkey);

    if(enterkey == ""){

        System.out.println("It works!");

谢谢

-- 编辑 -- 以下代码使用equals字符串的方法而不是==

    Scanner readinput = new Scanner(System.in);

    String enterkey = "Hola";
    System.out.print(enterkey);


    enterkey = readinput.nextLine();
     System.out.print(enterkey);

    if(enterkey.equals("")){

        System.out.println("It works!");

如何做到这一点,使用缓冲输入阅读器这样做的优点是什么?

4

2 回答 2

33

这可以使用 java.util.Scanner 并且需要多次“输入”键击:

    Scanner scanner = new Scanner(System.in);
    String readString = scanner.nextLine();
    while(readString!=null) {
        System.out.println(readString);

        if (readString.isEmpty()) {
            System.out.println("Read Enter Key.");
        }

        if (scanner.hasNextLine()) {
            readString = scanner.nextLine();
        } else {
            readString = null;
        }
    }

分解它:

Scanner scanner = new Scanner(System.in);
String readString = scanner.nextLine();

这些行初始化一个Scanner标准输入流(键盘)读取的新行,并从中读取一行。

    while(readString!=null) {
        System.out.println(readString);

当扫描仪仍在返回非空数据时,将每一行打印到屏幕上。

        if (readString.isEmpty()) {
            System.out.println("Read Enter Key.");
        }

如果输入提供了“输入”(或返回,或其他)键,则该nextLine()方法将返回一个空字符串;通过检查字符串是否为空,我们可以确定该键是否被按下。此处将打印文本Read Enter Key,但您可以在此处执行所需的任何操作。

        if (scanner.hasNextLine()) {
            readString = scanner.nextLine();
        } else {
            readString = null;
        }

最后,在打印内容和/或按下“回车”键后,我们检查扫描仪是否有另一行;对于标准输入流,此方法将“阻塞”,直到流关闭、程序执行结束或提供进一步的输入。

于 2013-08-17T02:41:28.607 回答
1
Scanner scan = new Scanner(System.in);
        int i = scan.nextInt();
        Double d = scan.nextDouble();


        String newStr = "";
        Scanner charScanner = new Scanner( System.in ).useDelimiter( "(\\b|\\B)" ) ;
        while( charScanner.hasNext() ) { 
            String  c = charScanner.next();

            if (c.equalsIgnoreCase("\r")) {
                break;
            }
            else {
                newStr += c;    
            }
        }

        System.out.println("String: " + newStr);
        System.out.println("Int: " + i);
        System.out.println("Double: " + d);

此代码工作正常

于 2017-06-08T06:34:41.690 回答