清除Java中不需要的输入

时间:2012-09-25 03:50:50

标签: java input newline

我正在使用'ConsoleSupport'类来处理来自用户的输入的接收和验证。我注意到的一个问题是,如果我首先在控制台UI中请求一个整数(菜单选项),然后询问几个字符串,则第一个String将为空。可怕的换行品再次出现!我在getType方法中使用了以下内容,然后返回值使其工作:

if(in.hasNextLine())
    in.nextLine();

有没有人有一个替代的,更优雅的解决方案来处理不想要的输入?

(缩写)类在下面作为参考

import java.util.Scanner;

/**
 * This class will reliably and safely retrieve input from the user
 * without crashing. It can collect an integer, String and a couple of other
 * types which I have left out for brevity
 * 
 * @author thelionroars1337
 * @version 0.3 Tuesday 25 September 2012
 */
public class ConsoleSupport
{

    private static Scanner in = new Scanner(System.in);


    /** 
     * Prompts user for an integer, until it receives a valid entry
     * 
     * @param prompt The String used to prompt the user for an int input
     * @return The integer
     */
    public static int getInteger(String prompt)
    {
        String input = null;
        int integer = 0;
        boolean validInput = false;

        while(!validInput)
        {
            System.out.println(prompt);
            input = in.next();
            if(input.matches("(-?)(\\d+)"))
            {
                integer = Integer.parseInt(input);
                validInput = true;
            }
            else
            {
                validInput = false;
                System.out.println("Sorry, this input is incorrect! Please try again.");
            }
        }

        if(in.hasNextLine())
            in.nextLine(); // flush the Scanner

        return integer;
    } 


    /**
     * Prompts the user to enter a string, and returns the input
     * 
     * @param prompt The prompt to display
     * @return The inputted string
     */
    public static String getString(String prompt)
    { 
        System.out.println(prompt);
        return in.nextLine();
    }
}

1 个答案:

答案 0 :(得分:1)

在用户点击输入之前,无法读取System.in的输入。因此,在整数后,Scanner缓冲区中有一个额外的换行符。因此,当您调用Scanner.nextInt()时,您会读取整数,但下次调用Scanner.nextLine()时,您将读取缓冲区中的换行符,并返回一个空字符串。

处理问题的一种方法是始终致电nextLine()并像上面一样使用Integer.parseInt()。您可以跳过正则表达式匹配,而只是捕获NumberFormatException

    while(!validInput)
    {
        System.out.println(prompt);
        input = in.nextLine();
        try {
            integer = Integer.parseInt(input.trim());
            validInput = true;
        }
        catch(NumberFormatException nfe) {
            validInput = false;
            System.out.println("Sorry, this input is incorrect! Please try again.");
        }
    }

你不需要检查末尾是否有额外的线并冲洗扫描仪。