mirror of
https://github.com/Brandon-Rozek/website.git
synced 2024-11-09 10:40:34 -05:00
2.4 KiB
2.4 KiB
id | title | date | author | aliases | permalink | medium_post | mf2_syndicate-to | mf2_cite | mf2_mp-syndicate-to | tags | ||||||
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
2241 | Obtaining Command Line Input in Java | 2017-08-28T17:37:59+00:00 | Brandon Rozek |
|
/2017/08/obtaining-command-line-input-java/ |
|
|
|
|
|
To obtain console input for your program you can use the Scanner
class
First import the relevant library
import java.util.Scanner;
Then create a variable to hold the Scanner
object
Scanner input;
input = new Scanner(System.in);
Inside the parenthesis, the Scanner
binds to the System input which is by default the console
The new varible input
now has the ability to obtain input from the console. To do so, use any of the following methods:
Method | What it Returns |
---|---|
next() |
The next space separated string from the console |
nextInt() |
An integer if it exists from the console |
nextDouble() |
A double if it exists from the console |
nextFloat() |
A float if it exists from the console |
nextLine() |
A string up to the next newline character from the console |
hasNext() |
Returns true if there is another token |
close() |
Unbinds the Scanner from the console |
Here is an example program where we get the user’s first name
import java.util.Scanner;
public class GetName {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
System.out.print("Please enter your name: ");
String firstName = input.next();
System.out.println("Your first name is " + firstName);
}
}