Logo

Programming-Idioms

  • Rust
  • Pascal

Idiom #60 Read command line argument

Assign to x the string value of the first command line parameter, after the program name.

var
  _x: String;
begin
  _x := ParamString(1);
end.

x will be an empty string if no commandline argument was passed.
use std::env;
let first_arg = env::args().skip(1).next();

let fallback = "".to_owned();
let x = first_arg.unwrap_or(fallback);

The first CLI argument may not be present. We fall back to an empty string.
use std::env;
let x = env::args().nth(1).unwrap_or("".to_string());

We get the 1st element using the nth method and we fallback to an empty string if no arg was found.
void main(int argc, char *argv[])
{
    char *x = argv[1];
}

argv[0] would be the program name. See §5.1.2.2.1 Program startup in linked doc n1570.pdf .

New implementation...
< >
programming-idioms.org