我正在尝试为我的频道制作一个IRC机器人。我希望机器人能够从控制台获取命令。为了使主循环等待用户输入我添加循环的东西:
while(!userInput.hasNext());
这似乎不起作用。我听说过BufferedReader,但我从未使用它,也不确定这是否能够解决我的问题。
while(true) {
System.out.println("Ready for a new command sir.");
Scanner userInput = new Scanner(System.in);
while(!userInput.hasNext());
String input = "";
if (userInput.hasNext()) input = userInput.nextLine();
System.out.println("input is '" + input + "'");
if (!input.equals("")) {
//main code
}
userInput.close();
Thread.sleep(1000);
}
答案 0 :(得分:11)
您无需检查可用的输入等待和休眠,直到Scanner.nextLine()
将阻止,直到一行可用为止。
看看我写的这个例子来演示它:
public class ScannerTest {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
try {
while (true) {
System.out.println("Please input a line");
long then = System.currentTimeMillis();
String line = scanner.nextLine();
long now = System.currentTimeMillis();
System.out.printf("Waited %.3fs for user input%n", (now - then) / 1000d);
System.out.printf("User input was: %s%n", line);
}
} catch(IllegalStateException | NoSuchElementException e) {
// System.in has been closed
System.out.println("System.in was closed; exiting");
}
}
}
请输入一行 你好
用户输入等待1.892秒 用户输入是:你好 请输入一行 ^ d
System.in已关闭;退出
所以你要做的就是使用Scanner.nextLine()
,你的应用会等到用户输入换行符。您也不想在循环中定义扫描仪并关闭它,因为您将在下一次迭代中再次使用它:
Scanner userInput = new Scanner(System.in);
while(true) {
System.out.println("Ready for a new command sir.");
String input = userInput.nextLine();
System.out.println("input is '" + input + "'");
if (!input.isEmpty()) {
// Handle input
}
}
}