2020-06-20 06:06:17 +02:00
|
|
|
`if` Statement
|
|
|
|
==============
|
|
|
|
|
|
|
|
{{#include ../links.md}}
|
|
|
|
|
2020-06-21 18:03:45 +02:00
|
|
|
`if` statements follow C syntax:
|
|
|
|
|
2020-06-20 06:06:17 +02:00
|
|
|
```rust
|
|
|
|
if foo(x) {
|
|
|
|
print("It's true!");
|
|
|
|
} else if bar == baz {
|
|
|
|
print("It's true again!");
|
2020-06-21 18:03:45 +02:00
|
|
|
} else if baz.is_foo() {
|
|
|
|
print("Yet again true.");
|
|
|
|
} else if foo(bar - baz) {
|
|
|
|
print("True again... this is getting boring.");
|
2020-06-20 06:06:17 +02:00
|
|
|
} else {
|
|
|
|
print("It's finally false!");
|
|
|
|
}
|
|
|
|
```
|
|
|
|
|
2020-07-26 04:07:40 +02:00
|
|
|
Braces Are Mandatory
|
|
|
|
--------------------
|
|
|
|
|
2020-06-21 18:03:45 +02:00
|
|
|
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.
|
|
|
|
|
|
|
|
Like Rust, there is no ambiguity regarding which `if` clause a branch belongs to.
|
2020-06-20 06:06:17 +02:00
|
|
|
|
|
|
|
```rust
|
2020-06-21 18:03:45 +02:00
|
|
|
// Rhai is not C!
|
2020-06-20 06:06:17 +02:00
|
|
|
if (decision) print("I've decided!");
|
|
|
|
// ^ syntax error, expecting '{' in statement block
|
|
|
|
```
|
|
|
|
|
|
|
|
|
|
|
|
`if`-Expressions
|
|
|
|
---------------
|
|
|
|
|
|
|
|
Like Rust, `if` statements can also be used as _expressions_, replacing the `? :` conditional operators
|
|
|
|
in other C-like languages.
|
|
|
|
|
|
|
|
```rust
|
|
|
|
// 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 == ();
|
|
|
|
```
|