Logo

Programming-Idioms

  • Rust
  • Scala
  • Python
  • Clojure
  • Java

Idiom #126 Multiple return values

Write a function foo that returns a string and a boolean value.

record Tuple(Object ... a) {}
Tuple foo() {
    return new Tuple("abc", true);
}
import static java.util.Map.entry;
import java.util.Map.Entry;
interface F<A, B> { Entry<A, B> get(); }
F<String, Boolean> foo
    = () -> entry("abc", true);
Object[] foo() {
    return new Object[] { "abc", true };
}
static Object[] returnAnything() {
    return new Object[]{"a string", true};
}

public static void main (String[] args) {
    Object[] array = returnAnything();
    System.out.println(array[0]);
    System.out.println(array[1]);
}
import static java.util.Map.entry;
import java.util.Map.Entry;
Entry<String, Boolean> foo() {
    return entry("abc", true);
}
fn foo() -> (String, bool) {
    (String::from("bar"), true)
}
def foo(): (String, Boolean) = ("bar", true)
def foo():
    return 'string', True
foo = lambda: ('abc', True)
(defn foo
  []
  ["bar" true])

Make sure to invoke as a function call
so: _(foo)
#include <stdbool.h>
typedef struct {
    const char * const a;
    const bool b;
} RetStringBool;

RetStringBool foo() {
    return (RetStringBool) {.a = "Hello", .b = true};
}

New implementation...
< >
MLKo