0

我正在开发一个应用程序,它必须从用户终端接收多条输入,同时优雅地处理无效输入并提示用户重新输入。我的第一个想法是有一个while循环,其主体将接受输入并验证其有效性,当它获得有效输入时设置一个标志。该标志将标记应用程序所处的阶段,并将确定下一步需要什么类型的输入,还将用作循环的终止条件。

虽然是功能性的,但这似乎相当不雅,我想知道是否有一种方法可以简单地编写一个函数,只要按下返回键以指示有新的输入要解析,就会调用该函数。类似的东西

public class Interface {
    public void receiveInput( final String input ){
        // Parse 'input' for validity and forward it to the correct part of the program
    }
}

也许这可以通过extending一些 Java 类来实现,并重新实现通常会处理此类事件的其中一个函数,但这可能是我的 C++ 背景讨论。

除了构建和单元测试所需的库外,我不允许使用任何外部库。

4

1 回答 1

2

从控制台读取时,您可以使用 BufferedReader

BufferedReader br = new BufferedReader( new InputStreamReader( System.in));

并通过调用 readLine 函数,它将处理新行:

String readLine = br.readLine();

你可以肯定有一个类,其中有一个读取信息并继续的函数。

这是供您参考的示例代码

public class TestInput {


    public String myReader(){
        boolean isExit = true;
        while (isExit){
            System.out.print("$");
            BufferedReader br = new BufferedReader( new InputStreamReader( System.in));

            try {
                String readLine = br.readLine();
                if (readLine != null && readLine.trim().length() > 0){
                    if (readLine.equalsIgnoreCase("showlist")){
                        System.out.println("List 1");
                        System.out.println("List 2");
                        System.out.println("List 3");
                    } if (readLine.equalsIgnoreCase("shownewlist")){
                        System.out.println("New List 1");
                        System.out.println("New List 2");
                    } if (readLine.equalsIgnoreCase("exit")){
                        isExit = false;
                    }
                } else {
                    System.out.println("Please enter proper instrictions");
                }
            } catch (IOException e) {
                // TODO Auto-generated catch block
                e.printStackTrace();
            }

        }
        return "Finished";
    }

    /**
     * @param args
     */
    public static void main(String[] args) {
        System.out.println("Please Enter inputs for the questions asked");
        TestInput ti = new TestInput();
        String reader = ti.myReader();
        System.out.println(reader);
    }

这是输出:

Please Enter inputs for the questions asked
$showlist
List 1
List 2
List 3
$shownewlist
New List 1
New List 2
$exit
Finished

希望这可以帮助。

于 2013-02-02T16:02:37.460 回答