BufferedReader
How to get the standard input in Java
In this tutorial we are going to see how to use the standard input in Java. As you can imagine this is probably one of the most basic things you have to learn when you start up with programming, because it really is fundamental to read user input and process it as you want.
Basically, all you have to do to get the standard input in Java is:
- Create an
InputStreamReader
to System.in - Create a
BufferedReader
to the aboveInputStreamReader
- Use the
BufferedReader.readLine()
method to read the input line by line.
Let’s take a look a the simple code snippet that follows:
package com.javacodegeeks.java.core; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; public class JavaStandardInput { public static void main(String args[]) { try { InputStreamReader in= new InputStreamReader(System.in); BufferedReader input = new BufferedReader(in); String str; System.out.print("Write something here and press Enter:"); while ((str = input.readLine()) != null) { System.out.println(str); } } catch (IOException io) { io.printStackTrace(); } } }
Output:
Write something here and press Enter:Java Code Geeks Rock !
Java Code Geeks Rock !
This was an example on how to get the standard input in Java.