aboutsummaryrefslogtreecommitdiffstats
path: root/src/utils/mod.rs
blob: 57975bc943e6d5fe29ca3301a686f2acc95ed198 (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
use diesel::PgConnection;
use r2d2;
use r2d2_diesel::ConnectionManager;
use std::fmt::Display;

// An alias to the type for a pool of Diesel PostgreSql connections.
type Pool = r2d2::Pool<ConnectionManager<PgConnection>>;

/// Initializes a database pool.
pub fn init_db_pool<'a>(dburl: &'a str) -> Pool {
    let manager = ConnectionManager::<PgConnection>::new(dburl);
    r2d2::Pool::builder().build(manager).expect("db pool")
}

use std::ops::Deref;
use rocket::http::Status;
use rocket::request::{self, FromRequest};
use rocket::{Request, State, Outcome};

// Connection request guard type: a wrapper around an r2d2 pooled connection.
pub struct DbConn(pub r2d2::PooledConnection<ConnectionManager<PgConnection>>);

/// Attempts to retrieve a single connection from the managed database pool. If
/// no pool is currently managed, fails with an `InternalServerError` status. If
/// no connections are available, fails with a `ServiceUnavailable` status.
impl<'a, 'r> FromRequest<'a, 'r> for DbConn {
    type Error = ();

    fn from_request(request: &'a Request<'r>) -> request::Outcome<DbConn, ()> {
        let pool = request.guard::<State<Pool>>()?;
        match pool.get() {
            Ok(conn) => Outcome::Success(DbConn(conn)),
            Err(_) => Outcome::Failure((Status::ServiceUnavailable, ()))
        }
    }
}

// For the convenience of using an &DbConn as an &SqliteConnection.
impl Deref for DbConn {
    type Target = PgConnection;

    fn deref(&self) -> &Self::Target {
        &self.0
    }
}

#[derive(BartDisplay, Serialize)]
#[template = "templates/layout.html"]
pub struct Page<T: Display> {
    pub title: String,
    pub flash: Option<String>,
    pub content: T
}

macro_rules! implement_responder_for {
    // Implement a responder for the given template type
    //
    // Seems I can't add the lifetime after the matcher,
    // like this: `$template_type<'a>`
    // So it will have to be passed in to the argument at
    // the macro incovation instead.
    ($template_type:ty) => (
        impl<'a> ::rocket::response::Responder<'a> for ::utils::Page<$template_type> {
            fn respond_to(self, _: &::rocket::Request) -> Result<::rocket::Response<'static>, ::rocket::http::Status> {
                ::rocket::Response::build()
                    .header(::rocket::http::ContentType::HTML)
                    .sized_body(::std::io::Cursor::new(format!("{}", &self)))
                    .ok()
            }
        }
    )
}