我在这里有一个函数,它验证用户输入是否为数字或在范围内。
public static int getNumberInput(){
Scanner input = new Scanner(System.in);
while(!Inputs.isANumber(input)){
System.out.println("Negative Numbers and Letters are not allowed");
input.reset();
}
return input.nextInt();
}
public static int getNumberInput(int bound){
Scanner input = new Scanner(System.in);
int val = getNumberInput();
if(val > bound){
System.out.println("Maximum Input is only up to: "+ bound+" Please Try Again: ");
input.reset();
getNumberInput(bound);
}
return val;
}
每次用此函数调用getNumberInput(int bound)方法
public void askForDifficulty(){
System.out.print("Difficulty For This Question:\n1)Easy\n2)Medium\n3)Hard\nChoice: ");
int choice = Inputs.getNumberInput(diff.length);
System.out.println(choice);
}
如果我插入一个超出限定的数字,可以说唯一的最大数字是5. getNumberInput(int bound)将再次调用自己。当我插入正确的或在限定值内时,它只会返回我插入的第一个值/上一个值
答案 0 :(得分:1)
if
中的getNumberInput(int bound)
应该是while
。 编辑您还应该结合使用这两种方法:
public static int getNumberInput(int bound){
Scanner input = new Scanner(System.in);
for (;;) {
if (!Inputs.isANumber(input)) {
System.out.println("Negative Numbers and Letters are not allowed");
input.reset();
continue;
}
int val = getNumberInput();
if (val <= bound) {
break;
}
System.out.println("Maximum Input is only up to: "+ bound+" Please Try Again: ");
input.reset();
}
return val;
}