If Statement¶
if statements follow C syntax.
if foo(x) {
    print("It's true!");
} else if bar == baz {
    print("It's true again!");
} else if baz.is_foo() {
    print("Yet again true.");
} else if foo(bar - baz) {
    print("True again... this is getting boring.");
} else {
    print("It's finally false!");
}
Unlike C, the condition expression does not need to be enclosed in parentheses (...), but all branches of the if statement must be enclosed within braces {...}, even when there is only one statement inside the branch.
There is no ambiguity regarding which if clause a branch belongs to.
If Expression¶
if statements can also be used as expressions, replacing the ? : conditional operators in other C-like languages.
// The following is equivalent to C: int x = 1 + (decision ? 42 : 123) / 2;
let x = 1 + if decision { 42 } else { 123 } / 2;
x == 22;
let x = if decision { 42 }; // no else branch defaults to '()'
x == ();
Beware that, like Rust, if is parsed primarily as a statement where it makes sense. This is to avoid surprises.
fn index_of(x) {
    // 'if' is parsed primarily as a statement
    if this.contains(x) {
        return this.find_index(x)
    }
    -1
}
The above will not be parsed as a single expression:
To force parsing as an expression, parentheses are required: