Logo

Programming-Idioms

  • Rust
  • Ruby

Idiom #89 Handle invalid argument

You've detected that the integer value of argument x passed to the current function is invalid. Write the idiomatic way to abort the function execution and signal the problem.

raise ArgumentError, "invalid value #{x}."

The error-message will automatically be enriched with filename, methodname and linenumber.
enum CustomError { InvalidAnswer }

fn do_stuff(x: i32) -> Result<i32, CustomError> {
    if x != 42 {
        Err(CustomError::InvalidAnswer)
    } else {
        Ok(x)
    }
}

A function that can have invalid inputs should not panic, but return a Result. The calling function can then determine whether to handle the Err value or unwrap the Result and turn every Err into a panic.
enum {
    E_OK,
    E_OUT_OF_RANGE
};

int square(int x, int *result) {
    if (x > 1073741823) {
        return E_OUT_OF_RANGE;
    }
    *result = x*x;
    return E_OK;
}

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