Future :: spawn()有点没用?我怎么能多线程呢?

时间:2015-04-01 18:54:35

标签: multithreading rust

摘自main

let value: Value = json::from_str(&sbuf).unwrap();
let coords = value.find("coordinates").unwrap().as_array().unwrap();
let x = Future::spawn(|| coords.iter().fold(0f64, |mut a,b| { a += read_coord_value(&b, "x"); a }));
let y = Future::spawn(|| coords.iter().fold(0f64, |mut a,b| { a += read_coord_value(&b, "y"); a }));
let z = Future::spawn(|| coords.iter().fold(0f64, |mut a,b| { a += read_coord_value(&b, "z"); a }));

println!("x: {}; y: {}; z: {}",
         x.await().unwrap(),
         y.await().unwrap(),
         z.await().unwrap());

所以,基本上,我在这里所做的事情是行不通的,因为这个spawn调用需要传递给它的所有东西都有一个静态生命周期 - 这意味着我基本上没有工作可以避免重复。完全没有。没有意义的。

在这里进行线程的方式是什么?

1 个答案:

答案 0 :(得分:2)

在这里,要正确执行多线程,您需要使用带有std::thread::scoped(..)的范围线程。

这些线程不需要执行'static闭包,但必须才能加入。

例如:

use std::thread::scoped;

fn main() {
    let coords = [(1f64,2f64,3f64),(1.,2.,3.),(1.,2.,3.),(1.,2.,3.)];
    let x = scoped(|| coords.iter().fold(0f64, |mut a,b| { a += b.0; a }));
    let y = scoped(|| coords.iter().fold(0f64, |mut a,b| { a += b.1; a }));
    let z = scoped(|| coords.iter().fold(0f64, |mut a,b| { a += b.2; a }));

    println!("x: {}; y: {}; z: {}",
             x.join(),
             y.join(),
             z.join());
}