繁体   English   中英

Rust如何实现数组索引?

[英]How does Rust implement array indexing?

我正在学习子结构类型系统,Rust是一个很好的例子。

数组在Rust中是可变的,可以访问多次,而不是只能访问一次。 “值读取”,“参考读取”和“可变参考读取”之间有什么区别? 我编写了如下程序,但出现了一些错误。

fn main() {
    let xs: [i32; 5] = [1, 2, 3, 4, 5];
    println!("first element of the array: {}", xs[1]);
    println!("first element of the array: {}", &xs[1]);
    println!("first element of the array: {}", &mut xs[1]);
}

这是错误消息:

error[E0596]: cannot borrow immutable indexed content `xs[..]` as mutable
 --> src/main.rs:5:53
  |
2 |     let xs: [i32; 5] = [1, 2, 3, 4, 5];
  |         -- consider changing this to `mut xs`
...
5 |     println!("first element of the array: {}", &mut xs[1]);
  |                                                     ^^^^^ cannot mutably borrow immutable field

xs不可变的; 为了使其可变,其绑定必须包含mut关键字:

let mut xs: [i32; 5] = [1, 2, 3, 4, 5];

当您添加它时,您的代码将按预期工作。 我建议The Rust Book中的相关部分

Rust中的索引是由IndexIndexMut特性提供的操作,如文档中所述,它是*container.index(index)*container.index_mut(index)的语法糖,这意味着它提供了直接访问权限(而不是只是对索引元素的引用)。 您可以通过assert_eq比较更好地看出您列出的3个操作之间的差异:

fn main() {
    let mut xs: [i32; 5] = [1, 2, 3, 4, 5];

    assert_eq!(xs[1], 2); // directly access the element at index 1
    assert_eq!(&xs[1], &2); // obtain a reference to the element at index 1
    assert_eq!(&mut xs[1], &mut 2); // obtain a mutable reference to the element at index 1

    let mut ys: [String; 2] = [String::from("abc"), String::from("def")];

    assert_eq!(ys[1], String::from("def"));
    assert_eq!(&ys[1], &"def");
    assert_eq!(&mut ys[1], &mut "def");
}

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM