Scanner 在使用 next() 或 nextFoo() 后是否跳过 nextLine()?

2022-08-31 04:01:33

我正在使用这些方法和读取输入。ScannernextInt()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()


答案 1

这是因为 Scanner.nextInt 方法不会读取通过按“Enter”创建的输入中的换行符,因此对 Scanner.nextLine 的调用在读取该换行符后返回。

当您在 Scanner.next() 或任何方法(除了自身)之后使用时,您会遇到类似的行为。Scanner.nextLineScanner.nextFoonextLine

解决方法:

  • 要么在每个行之后放置一个调用,要么使用该行的其余部分,包括换行符Scanner.nextLineScanner.nextIntScanner.nextFoo

    int option = input.nextInt();
    input.nextLine();  // Consume newline left-over
    String str1 = input.nextLine();
    
  • 或者,更好的是,通读输入并将输入转换为所需的正确格式。例如,您可以使用 Integer.parseInt(String) 方法转换为整数。Scanner.nextLine

    int option = 0;
    try {
        option = Integer.parseInt(input.nextLine());
    } catch (NumberFormatException e) {
        e.printStackTrace();
    }
    String str1 = input.nextLine();
    

答案 2

问题在于 input.nextInt() 方法 - 它只读取 int 值。因此,当您继续使用 input.nextLine() 进行读取时,您会收到 “\n” Enter 键。因此,要跳过此步骤,您必须添加 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();

推荐