刚刚开始使用 Rust 中的线程。我无法在两个线程之间传递哈希表。如何正确地做到这一点以及我的错误在哪里?任务是在一个线程中收集哈希表并在另一个线程中打印它。
use std::thread;
use std::time::Duration;
use std::fs;
use std::io::{stdin, Read};
use std::collections::HashMap;
fn main() {
let mut hello = String::from("Hello, ");
let mut influx_data:HashMap<String, i32> = HashMap::new();
//second thread
thread::spawn(move || {
let mut character = [0];
hello = String::from("sasasas ");
while let Ok(_) = stdin().read(&mut character) {
if character[0] == b'\n' {
influx_data.entry(hello).and_modify(|count| *count += 1).or_insert(1);
println!("counter_bss cnt=7\n");
}
}
thread::sleep(Duration::from_secs(1));
});
//main thread
loop {
let data = "Some data!";
fs::write("/tmp/foo", data).expect("Unable to write file");
for (key, value) in &influx_data {
println!("{} {}", key, value);
}
thread::sleep(Duration::from_secs(10));
}
}
错误
|
23 | influx_data.entry(hello).and_modify(|count| *count += 1).or_insert(1);
| ^^^^^ value moved here, in previous iteration of loop
首先,你的问题不在于地图,而在于钥匙
hello
。Rust 担心该符号\n
可能会出现多次,并且entry
会在第一次出现后丢弃密钥。你需要打电话entry(hello.clone())
接下来,您有一个 HashMap 对象,但写入器和读取器位于不同的线程上。他们的寿命不同,彼此之间没有投资。所以你不能只创建一个链接并将其传递给spawn函数,你会得到一个错误
您需要创建一个共享容器。特别是对于多线程访问,Rust
Mutex
具有Arc
. 这些容器的组合允许从不同线程共享访问对象容器
data_owner
存储您的地图main
,容器data_for_thread
将移至封闭处。要访问映射,您需要捕获互斥锁:日志如下所示:
作品