1
0
mirror of https://github.com/actix/actix-website synced 2025-02-08 22:36:07 +01:00

36 lines
1.0 KiB
Rust
Raw Normal View History

// <setup_mutable>
use actix_web::{web, App, HttpServer};
use std::sync::Mutex;
struct AppStateWithCounter {
counter: Mutex<i32>, // <- Mutex is necessary to mutate safely across threads
}
async fn index(data: web::Data<AppStateWithCounter>) -> String {
let mut counter = data.counter.lock().unwrap(); // <- get counter's MutexGuard
*counter += 1; // <- access counter inside MutexGuard
2022-02-26 04:50:39 +00:00
format!("Request number: {counter}") // <- response with count
}
// </setup_mutable>
// <make_app_mutable>
2020-09-12 16:21:54 +01:00
#[actix_web::main]
async fn main() -> std::io::Result<()> {
2022-02-26 04:50:39 +00:00
// Note: web::Data created _outside_ HttpServer::new closure
let counter = web::Data::new(AppStateWithCounter {
counter: Mutex::new(0),
});
HttpServer::new(move || {
// move counter into the closure
App::new()
.app_data(counter.clone()) // <- register the created data
.route("/", web::get().to(index))
})
2022-02-26 03:56:24 +00:00
.bind(("127.0.0.1", 8080))?
.run()
.await
}
// </make_app_mutable>