1
0
mirror of https://github.com/fafhrd91/actix-web synced 2024-11-24 16:32:59 +01:00
actix-web/examples/diesel/src/main.rs

73 lines
2.0 KiB
Rust
Raw Normal View History

2017-12-19 01:25:26 +01:00
//! Actix web diesel example
//!
//! Diesel does not support tokio, so we have to run it in separate threads.
//! Actix supports sync actors by default, so we going to create sync actor that will
//! use diesel. Technically sync actors are worker style actors, multiple of them
2017-12-19 05:03:42 +01:00
//! can run in parallel and process messages from same queue.
2017-12-19 01:25:26 +01:00
extern crate serde;
extern crate serde_json;
#[macro_use]
extern crate serde_derive;
#[macro_use]
extern crate diesel;
extern crate uuid;
extern crate futures;
extern crate actix;
extern crate actix_web;
extern crate env_logger;
use actix_web::*;
2017-12-19 01:40:33 +01:00
use actix::prelude::*;
2017-12-19 01:25:26 +01:00
use diesel::prelude::*;
2017-12-21 01:32:31 +01:00
use futures::future::Future;
2017-12-19 01:25:26 +01:00
2017-12-21 02:43:43 +01:00
mod db;
2017-12-19 01:25:26 +01:00
mod models;
mod schema;
2017-12-21 02:43:43 +01:00
use db::{CreateUser, DbExecutor};
2017-12-19 01:30:35 +01:00
/// State with DbExecutor address
2017-12-19 01:25:26 +01:00
struct State {
db: SyncAddress<DbExecutor>,
}
2017-12-19 01:30:35 +01:00
/// Async request handler
2017-12-19 01:25:26 +01:00
fn index(req: HttpRequest<State>) -> Box<Future<Item=HttpResponse, Error=Error>> {
let name = &req.match_info()["name"];
2017-12-21 06:06:04 +01:00
req.state().db.call_fut(CreateUser{name: name.to_owned()})
.from_err()
.and_then(|res| {
match res {
Ok(user) => Ok(httpcodes::HTTPOk.build().json(user)?),
Err(_) => Ok(httpcodes::HTTPInternalServerError.response())
}
})
.responder()
2017-12-19 01:25:26 +01:00
}
fn main() {
::std::env::set_var("RUST_LOG", "actix_web=info");
let _ = env_logger::init();
let sys = actix::System::new("diesel-example");
// Start db executor actors
let addr = SyncArbiter::start(3, || {
DbExecutor(SqliteConnection::establish("test.db").unwrap())
});
// Start http server
HttpServer::new(move || {
Application::with_state(State{db: addr.clone()})
// enable logger
.middleware(middlewares::Logger::default())
.resource("/{name}", |r| r.method(Method::GET).a(index))})
.bind("127.0.0.1:8080").unwrap()
2017-12-19 18:08:36 +01:00
.start();
2017-12-19 01:25:26 +01:00
println!("Started http server: 127.0.0.1:8080");
let _ = sys.run();
}