자바 입력 대기
Siddharth Swami
2023년10월12일
사용자 입력은 사용자가 컴파일러에서 처리하기를 원하는 모든 정보 또는 데이터를 참조 할 수 있습니다. 프로그램이 컴파일을 일시 중지하고 사용자가 값을 입력하기를 기다리는 상황이 발생할 수 있습니다.
이러한 상황에서는nextLine()
함수를 사용할 수 있습니다.
이 튜토리얼에서는nextLine()
메소드를 사용하여 Java가 사용자 입력을 기다리도록하는 방법을 배웁니다.
nextLine()
함수는 Java의java.util.Scanner
클래스에 있습니다. 이 함수는 현재 줄을 지나서 입력을 반환하는 데 사용됩니다.
따라서이 방법을 사용하여 컴파일러는 사용자가 유효한 문자열을 입력하고 프로그램 컴파일을 다시 시작할 때까지 기다립니다. 이 방법은 문자열 데이터 유형에만 적용됩니다.
예를 들면
// Java program to illustrate the
// nextLine() method of Scanner class in Java
import java.util.Scanner;
public class Scanner_Class {
public static void main(String[] args) {
// create a new scanner
// with the specified String Object
Scanner scanner = new Scanner(System.in);
String s = scanner.nextLine();
// print the next line
System.out.println("The line entered by the user: " + s);
scanner.close();
}
}
입력:
Hello World.
출력:
The line entered by the user: Hello World.
라인을 사용할 수있을 때까지Scanner.nextLine()
이 자동으로 차단되므로 입력 가용성을 확인하기 위해 기다릴 필요가 없습니다.
다음 코드는이를 설명합니다.
import java.util.Scanner;
public class Scanner_Test {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
try {
while (true) {
System.out.println("Please input a line");
long then = System.currentTimeMillis();
String line = scanner.nextLine();
long now = System.currentTimeMillis();
System.out.printf("Waited %.3fs for user input%n", (now - then) / 1000d);
System.out.printf("User input was: %s%n", line);
}
} catch (IllegalStateException | NoSuchElementException e) {
// System.in has been closed
System.out.println("System.in was closed; exiting");
}
}
}
출력:
Please input a line
Hello World.
Waited 1.892s for user input
User input was: Hello World.
Please input a line
^D
System.in was closed; exiting
위의 예에서는currentTimeMillis()
함수를 사용하여 컴파일러가 입력을 기다리는 시간을 계산하고 표시했습니다.
이 함수는 두 가지 예외를 반환 할 수 있습니다. 스캐너가 닫히면IllegalStateException
이 발생하고 행이 없으면NoSuchElementException
이 발생합니다.