Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!

Idiom #225 Declare and use an optional argument

Declare an optional integer argument x to procedure f, printing out "Present" and its value if it is present, "Not present" otherwise

import static java.lang.System.out;
void f() { set(null); }
void f(int x) { set(x); }
private void set(Integer t) {
    if (t != null) out.println("Present");
    else out.println("Not present");
}

In Java, "overloading" a method is the typical way to create an optional parameter.
import static java.lang.System.out;
void f(int ... x) {
    if (x.length != 0) out.println("Present");
    else out.println("Not present");
}

"... The method can then be called with any number of that parameter, including none."
private void f(Integer x) {
    if (x != null) {
        System.out.println("Present " + x);
    } else {
        System.out.println("Not present");
    }
}

The caller always needs to provide a first argument, which may be null.
(defn f 
  ([] (println "Not present"))
  ([x] (println "Present" x)))

Optional argument with pattern matching

New implementation...
< >
tkoenig