我的目标是让Rust函数f
增加数组x
的元素,并增加索引i
:
fn main() {
let mut x: [usize; 3] = [1; 3];
let mut i: usize = 1;
f(&mut i, &mut x);
println!("\nWant i = 2, and i = {}", i);
println!("\nWant x = [1,2,1], and x = {:?}", x);
} // end main
fn f(i: &mut usize, x: &mut [usize]) {
x[i] += 1;
i += 1;
} // end f
编译器报告以下错误:
error[E0277]: the trait bound `&mut usize: std::slice::SliceIndex<[usize]>` is not satisfied
--> src/main.rs:10:5
|
10 | x[i] += 1;
| ^^^^ slice indices are of type `usize` or ranges of `usize`
|
= help: the trait `std::slice::SliceIndex<[usize]>` is not implemented for `&mut usize`
= note: required because of the requirements on the impl of `std::ops::Index<&mut usize>` for `[usize]`
error[E0368]: binary assignment operation `+=` cannot be applied to type `&mut usize`
--> src/main.rs:11:5
|
11 | i += 1;
| -^^^^^
| |
| cannot use `+=` on type `&mut usize`
如何使函数f
递增其数组参数x
的元素和索引i
(也是参数)?
答案 0 :(得分:5)
您需要取消引用i
。这可能会造成混淆,因为Rust会为您做很多auto dereferencing。
fn main() {
let mut x: [usize; 3] = [1; 3];
let mut i: usize = 1;
f(&mut i, &mut x);
println!("\nWant i = 2, and i = {}", i);
println!("\nWant x = [1,2,1], and x = {:?}", x);
} // end main
fn f(i: &mut usize, x: &mut [usize]) {
x[*i] += 1;
*i += 1;
} // end f