4

给定一个像这样的简单结构:

struct Server {
  clients: HashMap<usize, Client>
}

访问的最佳方式Client&mut什么?考虑以下代码:

use std::collections::HashMap;

struct Client {
  pub poked: bool
}

impl Client {
  pub fn poked(&self) -> bool {
    self.poked
  }

  pub fn set_poked(&mut self) {
    self.poked = true;
  }
}

struct Server {
  clients: HashMap<usize, Client>
}

impl Server {
  pub fn poke_client(&mut self, token: usize) {
    let client = self.clients.get_mut(&token).unwrap();
    self.poke(client);
  }

  fn poke(&self, c: &mut Client) {
    c.set_poked();
  }
}

fn main() {
    let mut s = Server { clients: HashMap::new() };
    s.clients.insert(1, Client { poked: false });

    s.poke_client(1);

    assert!(s.clients.get(&1).unwrap().poked() == true);
}

我看到的仅有的两个选项是在客户端中使用RefCell/ Cell,这让事情看起来非常可怕:

pub struct Client {
    nickname: RefCell<Option<String>>,
    username: RefCell<Option<String>>,
    realname: RefCell<Option<String>>,
    hostname: RefCell<Option<String>>,
    out_socket: RefCell<Box<Write>>,
}

或者包装clientsin RefCell,这使得不可能有像这样的简单方法Server

pub fn client_by_token(&self, token: usize) -> Option<&Client> {
    self.clients_tok.get(&token)
}

强迫我使用闭包(例如with_client_by_token(|c| ...))。

4

1 回答 1

1

self正如错误消息所说,当它已经被可变借用时,您不能重新借用:

<anon>:24:5: 24:9 error: cannot borrow `*self` as immutable because `self.clients` is also borrowed as mutable
<anon>:24     self.poke(client);
              ^~~~

在你的方法中:

pub fn poke_client(&mut self, token: usize) {
    let client = self.clients.get_mut(&token).unwrap();
    self.poke(client);
}

self在第一行可变地借用,然后在调用方法时再次尝试在第二行借用它poke。最简单的解决方案是在Client::set_poked这里调用:

pub fn poke_client(&mut self, token: usize) {
    let client = self.clients.get_mut(&token).unwrap();
    client.set_poked();
}

另一种解决方案是引入一种不需要的方法self

impl Server {
    pub fn poke_client(&mut self, token: usize) {
        let client = self.clients.get_mut(&token).unwrap();
        Server::poke(client);
    }

    fn poke(c: &mut Client) {
        c.set_poked();
    }
}

您可以self传递poke. 这可能是引入一个介于Server和之间的新对象的好时机Client

于 2015-04-27T17:58:11.880 回答