What is the difference between a let-rebinding and a standard assignment?

The second let x introduces a second binding that shadows the first one for the rest of the block. That is, there are two variables named x, but you can only access the second one within the block statement after the let x = 12; statement. These two variables don’t need to have the same type!

Then, after the block statement, the second x is out of scope, so you access the first x again.

However, if you write x = 12; instead, that’s an assignment expression: the value in x is overwritten. This doesn’t introduce a new variable, so the type of the value being assigned must be compatible with the variable’s type.

This difference is important if you write a loop. For example, consider this function:

fn fibonacci(mut n: u32) -> u64 {
    if n == 0 {
        return 1;
    }

    let mut a = 1;
    let mut b = 1;

    loop {
        if n == 1 {
            return b;
        }

        let next = a + b;
        a = b;
        b = next;
        n -= 1;
    }
}

This function reassigns variables, so that each iteration of the loop can operate on the values assigned on the preceding iteration.

However, you might be tempted to write the loop like this:

loop {
    if n == 1 {
        return b;
    }

    let (a, b) = (b, a + b);
    n -= 1;
}

This doesn’t work, because the let statement introduces new variables, and these variables will go out of scope before the next iteration begins. On the next iteration, (b, a + b) will still use the original values.

Leave a Comment