为什么有时我的共享actix-web状态会重置为原始值?

时间:2019-12-10 23:48:27

标签: rust actix-web

我正在尝试使用ArcMutex在Actix-Web框架中实现共享状态。下面的代码可以编译,但是当我运行它时,计数器有时会一直回到0。如何防止这种情况发生?

use actix_web::{web, App, HttpServer};
use std::sync::{Arc, Mutex};

// This struct represents state
struct AppState {
    app_name: String,
    counter: Arc<Mutex<i64>>,
}

fn index(data: web::Data<AppState>) -> String {
    let mut counter = data.counter.lock().unwrap();
    *counter += 1;
    format!("{}", counter)
}

pub fn main() {
    HttpServer::new(|| {
        App::new()
            .hostname("hello world")
            .register_data(web::Data::new(AppState {
                app_name: String::from("Actix-web"),
                counter: Arc::new(Mutex::new(0)),
            }))
            .route("/", web::get().to(index))
    })
    .bind("127.0.0.1:8088")
    .unwrap()
    .run()
    .unwrap();
}

1 个答案:

答案 0 :(得分:1)

HttpServer::new采取闭包方式,该闭包在运行服务器的每个线程中调用。这意味着将创建AppState的多个实例,每个线程一个。根据哪个线程响应HTTP请求,您将获得data的不同实例,并因此获得不同的计数器值。

为防止这种情况发生,请在闭包外部创建web::Data<AppState>,并在HttpServer::new闭包内部使用克隆的引用。