为什么我在递归方法中得到无限循环,没有机会输入任何符号来打破它?
class Test {
int key=0;
void meth(){
System.out.println("Enter the number here: ");
try(Scanner scan = new Scanner(System.in)) {
key = scan.nextInt();
System.out.println(key+1);
} catch(Exception e) {
System.out.println("Error");
meth();
}
}
}
class Demo {
main method {
Test t = new Test();
t.meth();
}
}
如果你试图创建一个错误(把字符串值放在键中,然后尝试添加一个数字),你将在控制台中获得无限的“错误”文本,而不是在第一次出错后,程序应该再次询问数字,然后才决定做什么。
答案 0 :(得分:2)
如果nextInt()
失败,它会抛出异常,但不会消耗无效数据。来自documentation:
当扫描程序抛出
InputMismatchException
时,扫描程序将不会传递导致异常的令牌,因此可以通过其他方法检索或跳过它。
然后再次递归调用meth()
,这将尝试再次使用相同的无效数据,再次失败(不使用它),并递归。
首先,我首先不会在这里使用递归。喜欢简单的循环。接下来,如果输入无效,则应在再次尝试之前正确使用它。最后,请考虑使用hasNextInt
而不是仅使用nextInt
并捕获异常。
所以也许是这样的:
import java.util.Scanner;
class Test {
public static void main(String[] args){
try (Scanner scanner = new Scanner(System.in)) {
System.out.println("Enter the number here:");
while (!scanner.hasNextInt() && scanner.hasNext()) {
System.out.println("Error");
// Skip the invalid token
scanner.next();
}
if (scanner.hasNext()) {
int value = scanner.nextInt();
System.out.println("You entered: " + value);
} else {
System.out.println("You bailed out");
}
}
}
}