...

/

Puzzle 20: Explanation

Puzzle 20: Explanation

Let’s learn how to use closures in Rust.

Test it out

Hit “Run” to see the code’s output.

fn main() {
    let hello = || println!("Hello World");
    let hello = || println!("Bonjour le monde");
    hello();
}
Identical naming output in Rust

Explanation

In Rust, we can’t shadow functions with identical names, even if the parameter list is different. Function shadowing rules do not apply to closures, which are sometimes also called lambda functionsUnlike regular functions, lambda expressions can capture their environments. Such lambdas are called closures.

Closures don’t actually have names within code. The variable that holds a closure is simply a pointer marking the area of memory containing the function. The variables that point to the closures are subject to the same shadowing rules as other variables. Function name mangling doesn’t apply because closures don’t have function names to mangle. Instead, they’re identified by the variable that points to them.

We can create as many shadow lambda functions as we like. They’ll be subject to the same scoping rules as variables. Once we’ve re-declared an identifier to point to a different closure, the original variable ...