Skip to content

Files

Latest commit

 

History

History
415 lines (328 loc) · 12.4 KB

loop-expr.md

File metadata and controls

415 lines (328 loc) · 12.4 KB

r[expr.loop]

Loops and other breakable expressions

r[expr.loop.syntax]

Syntax
LoopExpression :
   LoopLabel? (
         InfiniteLoopExpression
      | PredicateLoopExpression
      | IteratorLoopExpression
      | LabelBlockExpression
   )

r[expr.loop.intro] Rust supports four loop expressions:

r[expr.loop.break-label] All four types of loop support break expressions, and labels.

r[expr.loop.continue-label] All except labelled block expressions support continue expressions.

r[expr.loop.explicit-result] Only loop and labelled block expressions support evaluation to non-trivial values.

r[expr.loop.infinite]

Infinite loops

r[expr.loop.infinite.syntax]

Syntax
InfiniteLoopExpression :
   loop BlockExpression

r[expr.loop.infinite.intro] A loop expression repeats execution of its body continuously: loop { println!("I live."); }.

r[expr.loop.infinite.diverging] A loop expression without an associated break expression is diverging and has type !.

r[expr.loop.infinite.break] A loop expression containing associated break expression(s) may terminate, and must have type compatible with the value of the break expression(s).

r[expr.loop.while]

Predicate loops

Syntax
PredicateLoopExpression :
   while WhileConditions BlockExpression

WhileConditions :
   WhileCondition ( && WhileCondition )*

WhileCondition :
      Expressionexcept struct expression
   | let Pattern = Scrutinee

r[expr.loop.while.intro] A while loop expression allows repeating the evaluation of a block while a set of conditions remain true.

r[expr.loop.while.syntax] The syntax of a while expression is a sequence of one or more condition operands separated by &&, followed by a BlockExpression.

r[expr.loop.while.condition] Condition operands must be either an Expression with a boolean type or a conditional let match. If all of the condition operands evaluate to true and all of the let patterns successfully match their scrutinees, then the loop body block executes.

r[expr.loop.while.repeat] After the loop body successfully executes, the condition operands are re-evaluated to determine if the body should be executed again.

r[expr.loop.while.exit] If any condition operand evaluates to false or any let pattern does not match its scrutinee, the body is not executed and execution continues after the while expression.

r[expr.loop.while.eval] A while expression evaluates to ().

An example:

let mut i = 0;

while i < 10 {
    println!("hello");
    i = i + 1;
}

r[expr.loop.while.let]

while let patterns

r[expr.loop.while.let.intro] let patterns in a while condition allow binding new variables into scope when the pattern matches successfully. The following examples illustrate bindings using let patterns:

let mut x = vec![1, 2, 3];

while let Some(y) = x.pop() {
    println!("y = {}", y);
}

while let _ = 5 {
    println!("Irrefutable patterns are always true");
    break;
}

r[expr.loop.while.let.desugar] A while let loop is equivalent to a loop expression containing a match expression as follows.

'label: while let PATS = EXPR {
    /* loop body */
}

is equivalent to

'label: loop {
    match EXPR {
        PATS => { /* loop body */ },
        _ => break,
    }
}

r[expr.loop.while.let.or-pattern] Multiple patterns may be specified with the | operator. This has the same semantics as with | in match expressions:

let mut vals = vec![2, 3, 1, 2, 2];
while let Some(v @ 1) | Some(v @ 2) = vals.pop() {
    // Prints 2, 2, then 1
    println!("{}", v);
}

r[expr.loop.while.chains]

while condition chains

r[expr.loop.while.chains.intro] Multiple condition operands can be separated with &&. These have the same semantics and restrictions as if condition chains.

The following is an example of chaining multiple expressions, mixing let bindings and boolean expressions, and with expressions able to reference pattern bindings from previous expressions:

fn main() {
    let outer_opt = Some(Some(1i32));

    while let Some(inner_opt) = outer_opt
        && let Some(number) = inner_opt
        && number == 1
    {
        println!("Peek a boo");
        break;
    }
}

r[expr.loop.for]

Iterator loops

r[expr.loop.for.syntax]

Syntax
IteratorLoopExpression :
   for Pattern in Expressionexcept struct expression BlockExpression

r[expr.loop.for.intro] A for expression is a syntactic construct for looping over elements provided by an implementation of std::iter::IntoIterator.

r[expr.loop.for.condition] If the iterator yields a value, that value is matched against the irrefutable pattern, the body of the loop is executed, and then control returns to the head of the for loop. If the iterator is empty, the for expression completes.

An example of a for loop over the contents of an array:

let v = &["apples", "cake", "coffee"];

for text in v {
    println!("I like {}.", text);
}

An example of a for loop over a series of integers:

let mut sum = 0;
for n in 1..11 {
    sum += n;
}
assert_eq!(sum, 55);

r[expr.loop.for.desugar] A for loop is equivalent to a loop expression containing a match expression as follows:

'label: for PATTERN in iter_expr {
    /* loop body */
}

is equivalent to

{
    let result = match IntoIterator::into_iter(iter_expr) {
        mut iter => 'label: loop {
            let mut next;
            match Iterator::next(&mut iter) {
                Option::Some(val) => next = val,
                Option::None => break,
            };
            let PATTERN = next;
            let () = { /* loop body */ };
        },
    };
    result
}

r[expr.loop.for.lang-items] IntoIterator, Iterator, and Option are always the standard library items here, not whatever those names resolve to in the current scope.

The variable names next, iter, and val are for exposition only, they do not actually have names the user can type.

Note: that the outer match is used to ensure that any temporary values in iter_expr don't get dropped before the loop is finished. next is declared before being assigned because it results in types being inferred correctly more often.

r[expr.loop.label]

Loop labels

r[expr.loop.label.syntax]

Syntax
LoopLabel :
   LIFETIME_OR_LABEL :

r[expr.loop.label.intro] A loop expression may optionally have a label. The label is written as a lifetime preceding the loop expression, as in 'foo: loop { break 'foo; }, 'bar: while false {}, 'humbug: for _ in 0..0 {}.

r[expr.loop.label.control-flow] If a label is present, then labeled break and continue expressions nested within this loop may exit out of this loop or return control to its head. See break expressions and continue expressions.

r[expr.loop.label.ref] Labels follow the hygiene and shadowing rules of local variables. For example, this code will print "outer loop":

'a: loop {
    'a: loop {
        break 'a;
    }
    print!("outer loop");
    break 'a;
}

'_ is not a valid loop label.

r[expr.loop.break]

break expressions

r[expr.loop.break.syntax]

Syntax
BreakExpression :
   break LIFETIME_OR_LABEL? Expression?

r[expr.loop.break.intro] When break is encountered, execution of the associated loop body is immediately terminated, for example:

let mut last = 0;
for x in 1..100 {
    if x > 12 {
        break;
    }
    last = x;
}
assert_eq!(last, 12);

r[expr.loop.break.label] A break expression is normally associated with the innermost loop, for or while loop enclosing the break expression, but a label can be used to specify which enclosing loop is affected. Example:

'outer: loop {
    while true {
        break 'outer;
    }
}

r[expr.loop.break.value] A break expression is only permitted in the body of a loop, and has one of the forms break, break 'label or (see below) break EXPR or break 'label EXPR.

r[expr.loop.block-labels]

Labelled block expressions

Syntax
LabelBlockExpression :
   BlockExpression

r[expr.loop.block-labels.intro] Labelled block expressions are exactly like block expressions, except that they allow using break expressions within the block.

r[expr.loop.block-labels.break] Unlike loops, break expressions within a labelled block expression must have a label (i.e. the label is not optional).

r[expr.loop.block-labels.label-required] Similarly, labelled block expressions must begin with a label.

# fn do_thing() {}
# fn condition_not_met() -> bool { true }
# fn do_next_thing() {}
# fn do_last_thing() {}
let result = 'block: {
    do_thing();
    if condition_not_met() {
        break 'block 1;
    }
    do_next_thing();
    if condition_not_met() {
        break 'block 2;
    }
    do_last_thing();
    3
};

r[expr.loop.continue]

continue expressions

r[expr.loop.continue.syntax]

Syntax
ContinueExpression :
   continue LIFETIME_OR_LABEL?

r[expr.loop.continue.intro] When continue is encountered, the current iteration of the associated loop body is immediately terminated, returning control to the loop head.

r[expr.loop.continue.while] In the case of a while loop, the head is the conditional operands controlling the loop.

r[expr.loop.continue.for] In the case of a for loop, the head is the call-expression controlling the loop.

r[expr.loop.continue.label] Like break, continue is normally associated with the innermost enclosing loop, but continue 'label may be used to specify the loop affected.

r[expr.loop.continue.in-loop-only] A continue expression is only permitted in the body of a loop.

r[expr.loop.break-value]

break and loop values

r[expr.loop.break-value.intro] When associated with a loop, a break expression may be used to return a value from that loop, via one of the forms break EXPR or break 'label EXPR, where EXPR is an expression whose result is returned from the loop. For example:

let (mut a, mut b) = (1, 1);
let result = loop {
    if b > 10 {
        break b;
    }
    let c = a + b;
    a = b;
    b = c;
};
// first number in Fibonacci sequence over 10:
assert_eq!(result, 13);

r[expr.loop.break-value.loop] In the case a loop has an associated break, it is not considered diverging, and the loop must have a type compatible with each break expression. break without an expression is considered identical to break with expression ().