我将问题减少到以下代码:
enum E {
E1,
}
fn f(e1: &E, e2: &E) {
match *e1 {
E::E1 => (),
}
match (*e1, *e2) {
(E::E1, E::E1) => (),
}
}
fn main() {}
第一场比赛没问题,但第二场比赛无法编译:
error[E0507]: cannot move out of borrowed content
--> src/main.rs:9:12
|
9 | match (*e1, *e2) {
| ^^^ cannot move out of borrowed content
error[E0507]: cannot move out of borrowed content
--> src/main.rs:9:17
|
9 | match (*e1, *e2) {
| ^^^ cannot move out of borrowed content
这似乎是因为我构建了一对借来的东西,Rust试图将e1
和e2
移入其中。我发现如果我把"#[derive(Copy,Clone)]"在我的枚举之前,我的代码编译。
答案 0 :(得分:5)
您可以通过从变量中删除取消引用运算符来匹配两个引用的元组:
enum E {
E1,
}
fn f(e1: &E, e2: &E) {
match *e1 {
E::E1 => (),
}
match (e1, e2) {
(&E::E1, &E::E1) => (),
}
}