指针和引用
对指针来说,解构(destructuring)和解引用(dereferencing)要区分开,
因为这两者的概念是不同的,和 C
那样的语言用法不一样。
- 解引用使用
*
- 解构使用
&
,ref
, 和ref mut
fn main() { // 获得一个 `i32` 类型的引用。`&` 表示获取一个引用。 let reference = &4; match reference { // 如果 `reference` 是对 `&val` 进行模式匹配,则会产生如下比较行为: // `&i32` // `&val` // ^ 我们看到,如果匹配的 `&` 都去掉了,那么就是 `i32` 赋给 `val`。 &val => println!("Got a value via destructuring: {:?}", val), } // 为了避免 `&` 的使用,需要在匹配前解引用。 match *reference { val => println!("Got a value via dereferencing: {:?}", val), } // 如果没有一个引用头部(以 & 开头)会是怎样? `reference` 是一个 `&`, // 因为右边已经是一个引用。 // 下面这个不是引用,因为右边不是。 let _not_a_reference = 3; // Rust 对这种情况提供了 `ref`。它更改了赋值行为,使得可以对具体值 // 创建引用。这将得到一个引用。 let ref _is_a_reference = 3; // 相应地,定义两个非引用的值,通过 `ref` 和 `mut` 可以取得引用。 let value = 5; let mut mut_value = 6; // 使用 `ref` 关键字来创建引用。 match value { ref r => println!("Got a reference to a value: {:?}", r), } // 类似地使用 `ref mut`。 match mut_value { ref mut m => { // 获得一个引用。在增加内容之前,要先得到解引用(Gotta // dereference it before we can add anything to it)。 *m += 10; println!("We added 10. `mut_value`: {:?}", m); }, } }