blob: f39e98a3ef9de5554fc16ddd38390981d0642d3d (
plain)
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
73
74
75
76
77
78
79
|
/// Endpoints and their construction
use warp::{Filter, Rejection, Reply};
use crate::custom_filters;
use crate::handlers;
use crate::schema::Db;
/// Every route combined
pub fn consensus_routes(db: Db) -> impl Filter<Extract = impl Reply, Error = Rejection> + Clone {
// Remember when we wanted to implement templating
// Why would we? Just put a staic webpage under /public (next to Cargo.toml) and place it and
// the end of the filter chain
// Fully fledged website support, phew!
let static_route = warp::any().and(warp::fs::dir("public"));
transaction_list(db.clone())
.or(register_user(db.clone()))
.or(auth_transaction_propose(db.clone()))
.or(auth_block_propose(db.clone()))
.or(list_users(db.clone()))
.or(block_list(db))
.or(static_route)
}
/// GET /user warp route
pub fn list_users(db: Db) -> impl Filter<Extract = impl Reply, Error = Rejection> + Clone {
warp::path!("user")
.and(warp::get())
.and(custom_filters::with_db(db))
.and_then(handlers::user_list_handler)
}
/// POST /register warp route
pub fn register_user(db: Db) -> impl Filter<Extract = impl Reply, Error = Rejection> + Clone {
warp::path!("register")
.and(warp::post())
.and(custom_filters::auth_request_json_body())
.and(custom_filters::with_db(db))
.and_then(handlers::authenticate_user)
}
/// GET /transaction warp route
pub fn transaction_list(db: Db) -> impl Filter<Extract = impl Reply, Error = Rejection> + Clone {
warp::path!("transaction")
.and(warp::get())
.and(custom_filters::with_db(db))
.and_then(handlers::list_transactions)
}
/// GET /block warp route
pub fn block_list(db: Db) -> impl Filter<Extract = impl Reply, Error = Rejection> + Clone {
warp::path!("block")
.and(warp::get())
.and(custom_filters::with_db(db))
.and_then(handlers::list_blocks)
}
/// POST /transaction warp route
pub fn auth_transaction_propose(
db: Db,
) -> impl Filter<Extract = impl Reply, Error = Rejection> + Clone {
warp::path!("transaction")
.and(warp::post())
.and(custom_filters::transaction_json_body())
.and(custom_filters::auth_header())
.and(custom_filters::with_db(db))
.and_then(handlers::propose_transaction)
}
/// POST /block warp route
pub fn auth_block_propose(db: Db) -> impl Filter<Extract = impl Reply, Error = Rejection> + Clone {
warp::path!("block")
.and(warp::post())
.and(custom_filters::block_json_body())
.and(custom_filters::auth_header())
.and(custom_filters::with_db(db))
.and_then(handlers::propose_block)
}
|