Title here
Summary here
Command-line arguments are a common way to parameterize execution of programs. For example, java MyProgram arg1 arg2
uses arg1
and arg2
as arguments to the MyProgram
class.
public class CommandLineArguments {
public static void main(String[] args) {
// args provides access to raw command-line arguments.
// Note that unlike in some languages, the program name itself
// is not included in the args array in Java.
String[] argsWithProg = new String[args.length + 1];
argsWithProg[0] = "CommandLineArguments";
System.arraycopy(args, 0, argsWithProg, 1, args.length);
String[] argsWithoutProg = args;
// You can get individual args with normal indexing.
String arg = args[2];
System.out.println(java.util.Arrays.toString(argsWithProg));
System.out.println(java.util.Arrays.toString(argsWithoutProg));
System.out.println(arg);
}
}
To experiment with command-line arguments, it’s best to compile the Java file first.
$ javac CommandLineArguments.java
$ java CommandLineArguments a b c d
[CommandLineArguments, a, b, c, d]
[a, b, c, d]
c
Next, we’ll look at more advanced command-line processing with flags or option parsing libraries in Java.