2019-06-30 16:45:17 +00:00
|
|
|
#![feature(proc_macro_hygiene, async_await)]
|
2018-01-12 16:34:53 +00:00
|
|
|
|
2018-06-28 15:55:15 +00:00
|
|
|
#[macro_use] extern crate rocket;
|
2018-01-12 16:34:53 +00:00
|
|
|
|
|
|
|
use std::sync::atomic::{AtomicUsize, Ordering};
|
|
|
|
|
|
|
|
use rocket::State;
|
|
|
|
use rocket::fairing::AdHoc;
|
|
|
|
use rocket::http::Method;
|
|
|
|
|
|
|
|
#[derive(Default)]
|
|
|
|
struct Counter {
|
|
|
|
attach: AtomicUsize,
|
|
|
|
get: AtomicUsize,
|
|
|
|
}
|
|
|
|
|
|
|
|
#[get("/")]
|
2019-06-13 01:48:02 +00:00
|
|
|
fn index(counter: State<'_, Counter>) -> String {
|
2018-01-12 16:34:53 +00:00
|
|
|
let attaches = counter.attach.load(Ordering::Relaxed);
|
|
|
|
let gets = counter.get.load(Ordering::Acquire);
|
|
|
|
format!("{}, {}", attaches, gets)
|
|
|
|
}
|
|
|
|
|
|
|
|
fn rocket() -> rocket::Rocket {
|
|
|
|
rocket::ignite()
|
|
|
|
.mount("/", routes![index])
|
2018-08-14 16:14:06 +00:00
|
|
|
.attach(AdHoc::on_attach("Outer", |rocket| {
|
2018-01-12 16:34:53 +00:00
|
|
|
let counter = Counter::default();
|
|
|
|
counter.attach.fetch_add(1, Ordering::Relaxed);
|
|
|
|
let rocket = rocket.manage(counter)
|
2018-08-14 16:14:06 +00:00
|
|
|
.attach(AdHoc::on_request("Inner", |req, _| {
|
2018-01-12 16:34:53 +00:00
|
|
|
if req.method() == Method::Get {
|
2019-06-13 01:48:02 +00:00
|
|
|
let counter = req.guard::<State<'_, Counter>>().unwrap();
|
2018-01-12 16:34:53 +00:00
|
|
|
counter.get.fetch_add(1, Ordering::Release);
|
|
|
|
}
|
|
|
|
}));
|
|
|
|
|
|
|
|
Ok(rocket)
|
|
|
|
}))
|
|
|
|
}
|
|
|
|
|
|
|
|
mod nested_fairing_attaches_tests {
|
|
|
|
use super::*;
|
|
|
|
use rocket::local::Client;
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn test_counts() {
|
|
|
|
let client = Client::new(rocket()).unwrap();
|
|
|
|
let mut response = client.get("/").dispatch();
|
2019-06-30 16:45:17 +00:00
|
|
|
assert_eq!(response.body_string_wait(), Some("1, 1".into()));
|
2018-01-12 16:34:53 +00:00
|
|
|
|
|
|
|
let mut response = client.get("/").dispatch();
|
2019-06-30 16:45:17 +00:00
|
|
|
assert_eq!(response.body_string_wait(), Some("1, 2".into()));
|
2018-01-12 16:34:53 +00:00
|
|
|
|
|
|
|
client.get("/").dispatch();
|
|
|
|
client.get("/").dispatch();
|
|
|
|
let mut response = client.get("/").dispatch();
|
2019-06-30 16:45:17 +00:00
|
|
|
assert_eq!(response.body_string_wait(), Some("1, 5".into()));
|
2018-01-12 16:34:53 +00:00
|
|
|
}
|
|
|
|
}
|