我想实现一项功能,用户需要在固定的时限内提供输入。我已经回答了这个问题。
此示例只能运行一次。当用户未固定输入时,程序终止。但是我试图在一个循环中多次使用它。我需要每次检查输入内容的用户。请参阅我的InputTimer类,该类根据该帖子的答案进行了修改。
InputTimer.java
public class InputTimer {
private String str = "";
public String responseString = "";
private BufferedReader in;
TimerTask task = new TimerTask() {
public void run() {
if (str.equals("")) {
responseString = "";
}
}
};
public void getInput() throws Exception {
Timer timer = new Timer();
timer.schedule(task, 5 * 1000);
in = new BufferedReader(new InputStreamReader(System.in));
str = in.readLine();
timer.cancel();
responseString = str;
}
}
我尝试将其实现到循环内的另一个类:
for(int i=0; i<5; i++){
System.out.println("Enter res in 5 sec: ");
InputTimer inputTimer = new InputTimer();
try {
inputTimer.getInput();
} catch (Exception e) {
e.printStackTrace();
}
String responseString = inputTimer.responseString;
if(responseString.equals("res")){
//User typed res
} else {
//
}
}
问题:根据我的逻辑,如果用户在5秒钟内键入res,则responseString
的值为res,否则为空值。 5秒后仍在等待用户输入。
我的要求:如果用户在5秒钟内键入res,则它将适用于//User typed res
个任务,并进行下一次迭代。如果用户在5秒钟内未输入任何内容,则用户无法输入输入(用户输入选项将消失),然后responseString
值将为空,否则将执行块,然后再次进行下一个迭代。
请帮助我找出此方案的解决方案。
这里是Joe C解决方案的另一种尝试。它工作了一次。检查代码:
public class test {
private static BlockingQueue<String> lines = new LinkedBlockingQueue<>();
public static String inputTimer() throws InterruptedException {
return lines.poll(5, TimeUnit.SECONDS);
}
public static void main(String[] args) {
for (int i = 0; i < 5; i++) {
String tmp = "";
try {
System.out.print("Iteration " + i + ": Enter any in 5 sec: ");
Thread t = new Thread(() -> {
Scanner s = new Scanner(System.in);
while (true) {
lines.add(s.nextLine());
}
});
t.setDaemon(true);
t.start();
tmp = inputTimer();
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("You entered: " + tmp);
}
}
}
输出日志:
Iteration 0: Enter any in 5 sec: xx
You entered: xx
Iteration 1: Enter any in 5 sec: xx
You entered: null
Iteration 2: Enter any in 5 sec: xx
You entered: null
Iteration 3: Enter any in 5 sec: xx
You entered: xx
Iteration 4: Enter any in 5 sec: You entered: xx
答案 0 :(得分:1)
这可以通过基于事件的模型来实现。为此,您将需要两个线程(其中一个可以为主线程)。
第一个线程将接受来自扫描程序的输入,并将其添加到事件队列中(在我们的示例中,“事件”只是输入的字符串):
private BlockingQueue<String> lines = new LinkedBlockingQueue<>();
在您的主要方法中启动所述线程:
Thread t = new Thread(() -> {
Scanner s = new Scanner(System.in);
while (true) {
lines.add(s.nextLine());
}
});
t.setDaemon(true); // so that this thread doesn't hang at the end of your program
t.start();
然后,当您想要获取输入时,可以从队列中获取超时信息:
return lines.poll(5, TimeUnit.SECONDS);