gpt4 book ai didi

multithreading - 如何设计Mutex的可变集合?

转载 作者:行者123 更新时间:2023-12-02 12:29:12 30 4
gpt4 key购买 nike

我需要一个可变的Mutex集合,需要在多个线程之间共享。此集合的目的是为给定的键返回 MutexGuard 列表(以便能够根据键同步线程)。请注意,初始化时,集合中没有 Mutex,这些需要在运行时根据 key 创建。

我的代码如下:

use std::collections::HashMap;
use std::sync::{Arc, Mutex, MutexGuard};

struct Bucket {
locks: HashMap<String, Mutex<()>>,
}

impl Bucket {
// This method will create and add one or multiple Mutex to the
// collection (therefore it needs to take self as mutable), according
// to the give key (if the Mutex already exist it will just return
// its MutexGuard).
fn get_guards(
&mut self,
key: impl Into<String>,
) -> Vec<MutexGuard<'_, ()>> {
let lock = self.locks.entry(key.into()).or_default();
vec![lock.lock().unwrap()]
}
}

impl Default for Bucket {
fn default() -> Self {
Self {
locks: HashMap::new(),
}
}
}

fn main() {
// I need to wrap the bucket in a Arc<Mutex> since it's going to be shared
// between multiple threads
let mut bucket = Arc::new(Mutex::new(Bucket::default()));

// Here I need to get a list of guards, so that until they are dropped
// I can synchronize multiple threads with the same key (or to be more
// precise with the same MutexGuards, as different keys may yields the
// same MutexGuards).
let guards = {
// IMPORTANT: I need to unlock the Mutex used for the `bucket` (with
// write access) asap, otherwise it will nullify the purpose of the
// bucket, since the write lock would be hold for the whole `guards`
// scope.
let mut b = bucket.lock().unwrap();
b.get_guards("key")
};
}

Link to Playground

我收到的错误如下:

error[E0597]: `b` does not live long enough
--> src/main.rs:29:9
|
27 | let _guards = {
| ------- borrow later stored here
28 | let mut b = bucket.lock().unwrap();
29 | b.get_guards("key")
| ^ borrowed value does not live long enough
30 | };
| - `b` dropped here while still borrowed

error: aborting due to previous error

有没有办法设计我的 BucketMutex 集合,以便我能够实现我的目标?

最佳答案

基本上,您想从锁定的对象中借用一个对象,并在其封闭对象解锁后保留它。

在这种情况下,不可能进行非静态借用,因为这是不安全的,例如任何其他线程都可能会删除您之前借用的对象的所有者

根据您的逻辑,内部需要在其他线程之间安全地共享,您需要用Arc包装您的互斥体

struct Bucket {
locks: HashMap<String, Arc<Mutex<()>>>,
}

这将返回内部互斥体的原子引用。

//previously get_guards
fn get_mutexes(&mut self, key: impl Into<String>) -> Vec<Arc<Mutex<()>>> {
let lock = self.locks.entry(key.into()).or_default();
vec![lock.clone()]
}

您可以简单地锁定所需的所有互斥体,如下所示:

let mutexes = bucket.lock().unwrap().get_mutexes("key"); // locks(borrows bucket's guard) temporarily in here
let guards: Vec<MutexGuard<'_, ()>> =
mutexes.iter().map(|guard| guard.lock().unwrap()).collect();

请参阅 Playground 上的完整代码

关于multithreading - 如何设计Mutex的可变集合?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/60431147/

30 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com