我正在制作一个机器人。当机器人收到消息时,如果它们触发了消息,则需要检查所有命令,如果是,则执行操作。
所以我在主结构中有一个命令向量(Command
trait):
struct Bot {
cmds: Vec<Box<Command>>,
}
在我尝试制作触发命令列表并稍后在(&self mut)
方法中使用它们之前,一切都很好:
let mut triggered: Vec<Box<command::Command>>;
for c in &self.cmds {
if c.check(&message) {
triggered.push(c.clone());
}
}
错误:
bot.rs:167:44: 167:56 error: mismatched types:
expected `Box<Command>`,
found `&Box<Command>`
(expected box,
found &-ptr) [E0308]
我在这里做错了什么?我尝试了很多,但没有任何帮助。 最初我做了以下事情:
for c in &self.cmds {
if c.check(&message) {
c.fire(&message, self);
}
}
但它给了我:
bot.rs:172:46: 172:50 error: cannot borrow `*self` as mutable because `self.cmds` is also borrowed as immutable [E0502]
bot.rs:172
c.fire(&message, self);
所以我stackoverflowed它来到上面的解决方案。
答案 0 :(得分:2)
我在这里做错了什么?我尝试了很多,但没有任何帮助。最初我做了以下事情:
for c in &self.cmds { if c.check(&message) { c.fire(&message, self); } }
如果fire
函数不需要访问其他命令,则可以选择使用空向量暂时替换self.cmd
:
trait Command {
fn check(&self, message: &str) -> bool;
fn fire(&mut self, bot: &Bot);
}
struct Bot {
cmds: Vec<Box<Command>>,
}
impl Bot {
fn test(&mut self, message: &str) {
use std::mem;
// replace self.cmds with a empty vector and returns the
// replaced vector
let mut cmds = mem::replace(&mut self.cmds, Vec::default());
for c in &mut cmds {
if c.check(message) {
c.fire(self);
}
}
// put back cmds in self.cmds
mem::replace(&mut self.cmds, cmds);
}
}
有other answers使用此方法。
如果fire
确实需要访问Bot
的某些字段,则只能传递所需字段而不是self
:
c.fire(self.others)