What does 'let x = x' do in Rust?

2020-01-30 07:08发布

I saw this code in the wild:

fields.sort_by_key(|&(_, ref field)| field.tags().into_iter().min().unwrap());
let fields = fields;

What does the let fields = fields; line do? Why is it there?

标签: rust
2条回答
beautiful°
2楼-- · 2020-01-30 07:49

The statement let var = var; makes var immutable and bound to its current value. fields was declared as mut earlier.

查看更多
神经病院院长
3楼-- · 2020-01-30 08:07

It makes fields immutable again.

fields was previously defined as mutable (let mut fields = …;), to be used with sort_by_key which sorts in-place and requires the target to be mutable. The author has chosen here to explicitly prevent further mutability.

"Downgrading" a mutable binding to immutable is quite common in Rust.

Another common way to do this is to use a block expression:

let fields = {
    let mut fields = …;
    fields.sort_by_key(…);
    fields
};
查看更多
登录 后发表回答