在结构中使用traits作为类型参数时,我遇到了借用检查器的问题:
trait Trait {}
struct FooBar;
impl Trait for FooBar{}
struct Observer<Arg> {
action: Box<Fn(Arg) + Send>,
// Other fields
}
impl <Arg> Observer<Arg> {
fn new(action: Box<Fn(Arg) + Send>) -> Observer<Arg> {
Observer{action: action}
}
fn execute(&self, arg: Arg) {
(*self.action)(arg);
}
}
fn test() {
let mut foobar = FooBar;
{
let mut observer = Observer::new(Box::new(|&: param: &mut Trait| {
// do something with param here
}));
observer.execute(&mut foobar); // First borrow passes ...
observer.execute(&mut foobar); // This fails as "foobar" is already borrowed
} // The previous borrow ends here (lifetime of "observer")
}
输出结果为:
error: cannot borrow `foobar` as mutable more than once at a time
observer.execute(&mut foobar); // This fails as "foobar" is already borrowed
^~~~~~
note: previous borrow of `foobar` occurs here; the mutable borrow prevents subsequent moves, borrows, or modification of `foobar` until the borrow ends
observer.execute(&mut foobar); // First borrow passes ...
^~~~~~
note: previous borrow ends here
{
...
} // The previous borrow ends here (lifetime of "observer")
^
然而以下示例有效:
trait Trait {}
struct FooBar;
impl Trait for FooBar{}
struct Observer {
action: Box<Fn(&mut Trait) + Send>,
// Other fields
}
impl Observer {
fn new(action: Box<Fn(&mut Trait) + Send>) -> Observer {
Observer{action: action}
}
fn execute(&self, arg: &mut Trait) {
(*self.action)(arg);
}
}
fn test() {
let mut foobar = FooBar;
{
let mut observer = Observer::new(Box::new(|&: param: &mut Trait| {
// do something with param here
}));
observer.execute(&mut foobar);
observer.execute(&mut foobar);
}
}
这看起来很奇怪,因为第二个例子只是第一个例子的实例化,我可能(痛苦地)用宏实现相同的东西。
我想这很棘手,因为我需要知道闭包所采用的参数类型,但我不需要存储这个引用......
这是借用检查器中的错误吗?或者我做错了什么?
rustc 1.0.0-nightly (44a287e6e 2015-01-08 17:03:40 -0800)
编辑1:精确用例
编辑2:正如下面的答案所解释的那样,问题是借用检查器强制Observer<&mut Type>
的生命周期与&mut Type
相同,所以实际上问题与我们使用特征作为类型参数的事实(它与实际结构相同)
所以在我的情况下,我可以通过这样定义Observer<Arg>
来解决这个问题:
struct Observer<Arg> {
action: Box<Fn(&mut Arg) + Send>,
}
所以类型参数Arg本身不是引用,但这会使代码不那么通用。有人有更好的解决方案吗?
答案 0 :(得分:3)
这里的问题是借用检查器强制&mut Trait
引用的生命周期与整个GenericStruct
相同。我相信这是因为引用是结构本身的类型参数。
由于你的struct没有存储引用的字段(如果你需要在原始代码中执行此操作,请更新你的问题),那么你可以将type参数移动到方法本身,而不是结构:
trait Trait{}
struct FooBar;
impl Trait for FooBar{}
struct GenericStruct;
impl GenericStruct {
fn bar<T>(&self, _: T) {}
}
fn main() {
let mut foobar = FooBar;
{
let foo = GenericStruct;
foo.bar(&mut foobar);
foo.bar(&mut foobar);
}
}
只有调用foo.bar()
。