Java에서 스캐너 클래스를 사용하여 콘솔에서 입력을 읽으려면 어떻게해야합니까?


224

Scanner클래스를 사용하여 콘솔에서 입력을 읽으려면 어떻게 해야합니까? 이 같은:

System.out.println("Enter your username: ");
Scanner = input(); // Or something like this, I don't know the code

기본적으로 원하는 것은 스캐너가 사용자 이름의 입력을 읽고 입력을 String변수에 할당하는 것 입니다.



답변:


341

java.util.Scanner작품이에서 단일 정수를 읽는 방법을 설명하는 간단한 예 입니다 System.in. 정말 간단합니다.

Scanner sc = new Scanner(System.in);
int i = sc.nextInt();

사용자 이름을 검색하려면 아마 사용할 것입니다 sc.nextLine().

System.out.println("Enter your username: ");
Scanner scanner = new Scanner(System.in);
String username = scanner.nextLine();
System.out.println("Your username is " + username);

next(String pattern)입력을 더 많이 제어하거나 username변수의 유효성을 검사하려는 경우 에도 사용할 수 있습니다 .

구현에 대한 자세한 내용은 API 설명서를 참조하십시오.java.util.Scanner


1
스캐너를 한 번만 사용하고 스캐너를 초기화 한 다음 스캐너를 닫아 코드를 어지럽히고 싶지 않다고 가정 해 봅시다. 클래스를 구성하지 않고 사용자로부터 입력을 얻는 방법이 있습니까?
Nearoo

3
JDK 8에서 try with resource 문을 사용할 수 있습니다. try (스캐너 스캐너 = 새 스캐너 (System.in)) {}
Rune Vikestad

33
Scanner scan = new Scanner(System.in);
String myLine = scan.nextLine();

24

콘솔에서 데이터 읽기

  • BufferedReader동기화되므로 여러 스레드에서 BufferedReader의 읽기 작업을 안전하게 수행 할 수 있습니다. 버퍼 크기를 지정하거나 기본 크기 ( 8192 )를 사용할 수 있습니다. 대부분의 경우 기본값은 충분히 큽니다.

    readLine () « 은 스트림이나 소스에서 한 줄씩 데이터를 읽습니다. 행은 다음 중 하나에 의해 종료 된 것으로 간주됩니다 : \ n, \ r (또는) \ r \ n

  • Scanner구분 기호 패턴을 사용하여 입력을 토큰으로 나눕니다. 구분 기호 패턴은 기본적으로 공백 (\ s)과 일치하며로 인식됩니다 Character.isWhitespace.

    « 사용자가 데이터를 입력 할 때까지 스캔 작업이 차단되어 입력을 기다릴 수 있습니다. « 스트림에서 특정 유형의 토큰을 구문 분석 하려면 스캐너 ( BUFFER_SIZE = 1024 )를 사용하십시오 . « 그러나 스캐너는 스레드 안전하지 않습니다. 외부 적으로 동기화되어야합니다.

    next ()«이 스캐너에서 다음 완전한 토큰을 찾아 반환합니다. nextInt ()«입력의 다음 토큰을 int로 스캔합니다.

암호

String name = null;
int number;

java.io.BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
name = in.readLine(); // If the user has not entered anything, assume the default value.
number = Integer.parseInt(in.readLine()); // It reads only String,and we need to parse it.
System.out.println("Name " + name + "\t number " + number);

java.util.Scanner sc = new Scanner(System.in).useDelimiter("\\s");
name = sc.next();  // It will not leave until the user enters data.
number = sc.nextInt(); // We can read specific data.
System.out.println("Name " + name + "\t number " + number);

// The Console class is not working in the IDE as expected.
java.io.Console cnsl = System.console();
if (cnsl != null) {
    // Read a line from the user input. The cursor blinks after the specified input.
    name = cnsl.readLine("Name: ");
    System.out.println("Name entered: " + name);
}

스트림의 입출력

Reader Input:     Output:
Yash 777          Line1 = Yash 777
     7            Line1 = 7

Scanner Input:    Output:
Yash 777          token1 = Yash
                  token2 = 777

이것은 이제 원래의 imo보다 더 나은 최신 답변입니다.
logicOnAbstractions

자세한 내용은 BufferedReader, Scanner로컬 파일 (OR) 네트워크 파일에서 데이터를 읽는 방법을 참조하십시오 .
Yash

14

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();

10

사용자로부터 입력을받는 방법에는 여러 가지가 있습니다. 이 프로그램에서는 스캐너 클래스를 사용하여 작업을 수행합니다. 이 스캐너 클래스는 아래 java.util에 있으므로 프로그램의 첫 번째 행은 import java.util.Scanner입니다. 이를 통해 사용자는 Java에서 다양한 유형의 값을 읽을 수 있습니다. import 문은 자바 프로그램의 첫 번째 줄에 있어야하며 코드를 계속 진행해야합니다.

in.nextInt(); // It just reads the numbers

in.nextLine(); // It get the String which user enters

Scanner 클래스의 메소드에 액세스하려면 "in"으로 새 스캐너 오브젝트를 작성하십시오. 이제 그 방법 중 하나 인 "다음"을 사용합니다. "다음"메소드는 사용자가 키보드에 입력 한 텍스트 문자열을 가져옵니다.

여기서는 in.nextLine();사용자가 입력 한 문자열을 얻는 데 사용 하고 있습니다.

import java.util.Scanner;

class GetInputFromUser {
    public static void main(String args[]) {
        int a;
        float b;
        String s;

        Scanner in = new Scanner(System.in);
        System.out.println("Enter a string");
        s = in.nextLine();
        System.out.println("You entered string " + s);

        System.out.println("Enter an integer");
        a = in.nextInt();
        System.out.println("You entered integer " + a);

        System.out.println("Enter a float");
        b = in.nextFloat();
        System.out.println("You entered float " + b);
    }
}

9
import java.util.Scanner;

public class ScannerDemo {
    public static void main(String[] arguments){
        Scanner input = new Scanner(System.in);

        String username;
        double age;
        String gender;
        String marital_status;
        int telephone_number;

        // Allows a person to enter his/her name   
        Scanner one = new Scanner(System.in);
        System.out.println("Enter Name:" );  
        username = one.next();
        System.out.println("Name accepted " + username);

        // Allows a person to enter his/her age   
        Scanner two = new Scanner(System.in);
        System.out.println("Enter Age:" );  
        age = two.nextDouble();
        System.out.println("Age accepted " + age);

        // Allows a person to enter his/her gender  
        Scanner three = new Scanner(System.in);
        System.out.println("Enter Gender:" );  
        gender = three.next();
        System.out.println("Gender accepted " + gender);

        // Allows a person to enter his/her marital status
        Scanner four = new Scanner(System.in);
        System.out.println("Enter Marital status:" );  
        marital_status = four.next();
        System.out.println("Marital status accepted " + marital_status);

        // Allows a person to enter his/her telephone number
        Scanner five = new Scanner(System.in);
        System.out.println("Enter Telephone number:" );  
        telephone_number = five.nextInt();
        System.out.println("Telephone number accepted " + telephone_number);
    }
}

5
매번 새로운 스캐너를 만드는 특별한 이유가 있습니까? 아니면 작동 방식을 이해하지 않고 복사 / 붙여 넣기 만하면됩니까?
Evgeni Sergeev 2016 년

1
@EvgeniSergeev new Scanner는 사용자 입력을 얻기 위해 생성하는 개체입니다. 스캐너 클래스 에 대해 자세히 알아보십시오 ...
user3598655

확실히 붙여 넣습니다. 매번 새로운 스캐너가 필요하지 않습니다 (이것은 또한 Java 변수 명명 규칙을 따르지 않습니다).
무시 됨

6

간단한 프로그램을 만들어 사용자 이름을 요청하고 응답이 입력 한 내용을 인쇄 할 수 있습니다.

또는 사용자에게 두 개의 숫자를 입력하도록 요청하면 계산기의 동작과 같이 해당 숫자를 더하거나 곱하거나 빼거나 나누고 사용자 입력에 대한 답변을 인쇄 할 수 있습니다.

따라서 스캐너 클래스가 필요합니다. 당신은 import java.util.Scanner;해야하고 코드에서 사용해야합니다 :

Scanner input = new Scanner(System.in);

input 변수 이름입니다.

Scanner input = new Scanner(System.in);

System.out.println("Please enter your name: ");
s = input.next(); // Getting a String value

System.out.println("Please enter your age: ");
i = input.nextInt(); // Getting an integer

System.out.println("Please enter your salary: ");
d = input.nextDouble(); // Getting a double

방법이 다릅니다 참조 : input.next();, i = input.nextInt();,d = input.nextDouble();

String에 따르면 int와 double은 나머지와 같은 방식으로 다릅니다. 코드 상단에있는 import 문을 잊지 마십시오.


2
이것은 실제로는 적절한 설명이지만 nextLine (), nextLong () 등의 메소드를 추가하면 더 좋습니다.
subhashis

학생들은 예제를 따르고 나머지 방법을 테스트하고 스스로 경험을 통해 배우는 것으로 믿는 것을 스스로 배워야합니다.
user3598655

4

간단한 예 :

import java.util.Scanner;

public class Example
{
    public static void main(String[] args)
    {
        int number1, number2, sum;

        Scanner input = new Scanner(System.in);

        System.out.println("Enter First multiple");
        number1 = input.nextInt();

        System.out.println("Enter second multiple");
        number2 = input.nextInt();

        sum = number1 * number2;

        System.out.printf("The product of both number is %d", sum);
    }
}

3

사용자가 자신을 입력하면 username유효한 항목도 확인하십시오.

java.util.Scanner input = new java.util.Scanner(System.in);
String userName;
final int validLength = 6; // This is the valid length of an user name

System.out.print("Please enter the username: ");
userName = input.nextLine();

while(userName.length() < validLength) {

    // If the user enters less than validLength characters
    // ask for entering again
    System.out.println(
        "\nUsername needs to be " + validLength + " character long");

    System.out.print("\nPlease enter the username again: ");
    userName = input.nextLine();
}

System.out.println("Username is: " + userName);

2
  1. 입력을 읽으려면 :

    Scanner scanner = new Scanner(System.in);
    String input = scanner.nextLine();
  2. 인수 / 매개 변수가있는 메소드를 호출 할 때 입력을 읽으려면 다음을 수행하십시오.

    if (args.length != 2) {
        System.err.println("Utilizare: java Grep <fisier> <cuvant>");
        System.exit(1);
    }
    try {
        grep(args[0], args[1]);
    } catch (IOException e) {
        System.out.println(e.getMessage());
    }

1
당신은 당신의 텍스트 / 코드 포맷에 대해이 도움말 페이지를 읽어야 stackoverflow.com/help/formatting .
Tom

프랑스어로 번역 하시겠습니까?
피터 Mortensen

2
import java.util.*;

class Ss
{
    int id, salary;
    String name;

   void Ss(int id, int salary, String name)
    {
        this.id = id;
        this.salary = salary;
        this.name = name;
    }

    void display()
    {
        System.out.println("The id of employee:" + id);
        System.out.println("The name of employye:" + name);
        System.out.println("The salary of employee:" + salary);
    }
}

class employee
{
    public static void main(String args[])
    {
        Scanner sc = new Scanner(System.in);

        Ss s = new Ss(sc.nextInt(), sc.nextInt(), sc.nextLine());
        s.display();
    }
}

2

필요한 작업을 수행하는 전체 클래스는 다음과 같습니다.

import java.util.Scanner;

public class App {
    public static void main(String[] args) {
        Scanner input = new Scanner(System.in);
        final int valid = 6;

        Scanner one = new Scanner(System.in);
        System.out.println("Enter your username: ");
        String s = one.nextLine();

        if (s.length() < valid) {
            System.out.println("Enter a valid username");
            System.out.println(
                "User name must contain " + valid + " characters");
            System.out.println("Enter again: ");
            s = one.nextLine();
        }

        System.out.println("Username accepted: " + s);

        Scanner two = new Scanner(System.in);
        System.out.println("Enter your age: ");
        int a = two.nextInt();
        System.out.println("Age accepted: " + a);

        Scanner three = new Scanner(System.in);
        System.out.println("Enter your sex: ");
        String sex = three.nextLine();
        System.out.println("Sex accepted: " + sex);
    }
}

1
의 여러 인스턴스를 사용할 이유가 없습니다 Scanner.
Radiodef

1

이 코드를 흐름시킬 수 있습니다 :

Scanner obj= new Scanner(System.in);
String s = obj.nextLine();

1
이것은 새로운 정보를 제공하지 않으며 설명이 누락되어 기존 답변보다 도움이되지 않습니다.
Tom

1
"flow this code"는 무슨 뜻 입니까? "이 코드를 따르십시오" 를 의미 합니까? 또는 다른 것?
Peter Mortensen


0

콘솔에서 읽는 간단한 방법이 있습니다.

아래 코드를 찾으십시오.

import java.util.Scanner;

    public class ScannerDemo {

        public static void main(String[] args) {
            Scanner sc = new Scanner(System.in);

            // Reading of Integer
            int number = sc.nextInt();

            // Reading of String
            String str = sc.next();
        }
    }

자세한 내용은 아래 문서를 참조하십시오.

문서

이제 스캐너 클래스 작업에 대한 자세한 이해에 대해 이야기하겠습니다.

public Scanner(InputStream source) {
    this(new InputStreamReader(source), WHITESPACE_PATTERN);
}

스캐너 인스턴스를 생성하기위한 생성자입니다.

여기서 우리 InputStream는 아무것도 아닌 참조를 전달합니다 System.In. 여기서 InputStream콘솔 입력을위한 파이프 가 열립니다 .

public InputStreamReader(InputStream in) {
    super(in);
    try {
        sd = StreamDecoder.forInputStreamReader(in, this, (String)null); // ## Check lock object
    }
    catch (UnsupportedEncodingException e) {
        // The default encoding should always be available
        throw new Error(e);
    }
}

이 코드를 System.in에 전달하면 콘솔에서 읽을 수있는 소켓이 열립니다.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.