扫描仪使用next()或nextFoo()后跳过nextLine()?
我正在使用Scanner
方法nextInt()
和nextLine()
来读取输入。
它看起来像这样:
System.out.println("Enter numerical value");
int option;
option = input.nextInt(); // Read numerical value from input
System.out.println("Enter 1st string");
String string1 = input.nextLine(); // Read 1st string (this is skipped)
System.out.println("Enter 2nd string");
String string2 = input.nextLine(); // Read 2nd string (this appears right after reading numerical value)
问题是输入数值后,第一个input.nextLine()
被跳过,第二个input.nextLine()
被执行,所以我的输出如下所示:
Enter numerical value
3 // This is my input
Enter 1st string // The program is supposed to stop here and wait for my input, but is skipped
Enter 2nd string // ...and this line is executed and waits for my input
我测试了我的应用程序,看起来问题在于使用input.nextInt()
。 如果我删除它,那么string1 = input.nextLine()
和string2 = input.nextLine()
会按照我希望的那样执行。
这是因为Scanner.nextInt
方法不会消耗您输入的最后一个换行符,并因此在下一次调用Scanner.nextLine
会使用该换行符。
当您在Scanner.next()
或任何Scanner.nextFoo
方法( nextLine
本身除外Scanner.next()
之后使用Scanner.nextLine
时,您将遇到类似的行为。
解决方法:
在Scanner.nextInt
或Scanner.nextFoo
之后触发空白Scanner.nextLine
调用以消耗该行的其余部分,包括换行符
int option = input.nextInt();
input.nextLine(); // Consume newline left-over
String str1 = input.nextLine();
或者,如果您通过Scanner.nextLine
读取输入并将输入转换为您需要的正确格式,则会更好。 例如,使用Integer.parseInt(String)
方法的整数。
int option = 0;
try {
option = Integer.parseInt(input.nextLine());
} catch (NumberFormatException e) {
e.printStackTrace();
}
String str1 = input.nextLine();
问题在于input.nextInt()方法 - 它只读取int值。 所以当你继续阅读input.nextLine()时,你会收到“ n”回车键。 所以要跳过这个,你必须添加input.nextLine() 。 希望这一点现在应该清楚。
试试看:
System.out.print("Insert a number: ");
int number = input.nextInt();
input.nextLine(); // This line you have to add (It consumes the n character)
System.out.print("Text1: ");
String text1 = input.nextLine();
System.out.print("Text2: ");
String text2 = input.nextLine();
这是因为当你输入一个数字然后按下Enter时, input.nextInt()
只消耗数字,而不是“行尾”。 当input.nextLine()
执行时,它会从第一个输入中消耗仍在缓冲区中的“行尾”。
相反,使用input.nextLine()
后立即input.nextInt()
上一篇: Scanner is skipping nextLine() after using next() or nextFoo()?