我正在开发一个应用程序,它必须从用户终端接收多条输入,同时优雅地处理无效输入并提示用户重新输入它。我的第一个想法是有一个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 ++背景说话。
我不允许使用任何外部库,除了构建和单元测试所需的外部库。
答案 0 :(得分: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
希望这有帮助。