1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-06-10 17:29:36 +00:00
actix-web/src/route.rs

427 lines
12 KiB
Rust
Raw Normal View History

2019-03-03 08:57:48 +00:00
use std::cell::RefCell;
2019-03-05 18:08:08 +00:00
use std::marker::PhantomData;
2018-01-10 04:00:18 +00:00
use std::rc::Rc;
2017-12-05 00:09:22 +00:00
2019-03-03 08:57:48 +00:00
use actix_http::{http::Method, Error, Extensions, Response};
2019-03-02 06:51:32 +00:00
use actix_service::{NewService, Service};
use futures::{Async, Future, IntoFuture, Poll};
use crate::extract::FromRequest;
2019-03-03 20:09:38 +00:00
use crate::guard::{self, Guard};
use crate::handler::{AsyncFactory, AsyncHandler, Extract, Factory, Handler};
2019-03-02 06:51:32 +00:00
use crate::responder::Responder;
use crate::service::{ServiceFromRequest, ServiceRequest, ServiceResponse};
use crate::HttpResponse;
2019-03-02 06:51:32 +00:00
type BoxedRouteService<Req, Res> = Box<
Service<
Request = Req,
2019-03-02 06:51:32 +00:00
Response = Res,
Error = (),
Future = Box<Future<Item = Res, Error = ()>>,
>,
>;
type BoxedRouteNewService<Req, Res> = Box<
NewService<
Request = Req,
2019-03-02 06:51:32 +00:00
Response = Res,
Error = (),
InitError = (),
Service = BoxedRouteService<Req, Res>,
Future = Box<Future<Item = BoxedRouteService<Req, Res>, Error = ()>>,
>,
>;
2017-12-05 00:09:22 +00:00
/// Resource route definition
///
/// Route uses builder-like pattern for configuration.
/// If handler is not explicitly set, default *404 Not Found* handler is used.
2019-03-02 06:51:32 +00:00
pub struct Route<P> {
service: BoxedRouteNewService<ServiceRequest<P>, ServiceResponse>,
2019-03-03 20:09:38 +00:00
guards: Rc<Vec<Box<Guard>>>,
config: Option<Extensions>,
2019-03-03 08:57:48 +00:00
config_ref: Rc<RefCell<Option<Rc<Extensions>>>>,
2017-12-05 00:09:22 +00:00
}
2019-03-02 06:51:32 +00:00
impl<P: 'static> Route<P> {
2019-03-03 08:57:48 +00:00
/// Create new route which matches any request.
pub fn new() -> Route<P> {
2019-03-03 08:57:48 +00:00
let config_ref = Rc::new(RefCell::new(None));
Route {
2019-03-03 08:57:48 +00:00
service: Box::new(RouteNewService::new(
Extract::new(config_ref.clone()).and_then(
Handler::new(HttpResponse::NotFound).map_err(|_| panic!()),
),
2019-03-03 08:57:48 +00:00
)),
2019-03-03 20:09:38 +00:00
guards: Rc::new(Vec::new()),
config: None,
2019-03-03 08:57:48 +00:00
config_ref,
}
2019-03-02 06:51:32 +00:00
}
pub(crate) fn finish(mut self) -> Self {
*self.config_ref.borrow_mut() = self.config.take().map(|e| Rc::new(e));
2019-03-03 08:57:48 +00:00
self
}
pub(crate) fn take_guards(&mut self) -> Vec<Box<Guard>> {
std::mem::replace(Rc::get_mut(&mut self.guards).unwrap(), Vec::new())
}
2019-03-02 06:51:32 +00:00
}
impl<P> NewService for Route<P> {
type Request = ServiceRequest<P>;
2019-03-02 06:51:32 +00:00
type Response = ServiceResponse;
type Error = ();
type InitError = ();
type Service = RouteService<P>;
type Future = CreateRouteService<P>;
fn new_service(&self, _: &()) -> Self::Future {
CreateRouteService {
fut: self.service.new_service(&()),
2019-03-03 20:09:38 +00:00
guards: self.guards.clone(),
2019-03-02 06:51:32 +00:00
}
}
}
type RouteFuture<P> = Box<
Future<Item = BoxedRouteService<ServiceRequest<P>, ServiceResponse>, Error = ()>,
>;
pub struct CreateRouteService<P> {
fut: RouteFuture<P>,
2019-03-03 20:09:38 +00:00
guards: Rc<Vec<Box<Guard>>>,
2019-03-02 06:51:32 +00:00
}
impl<P> Future for CreateRouteService<P> {
type Item = RouteService<P>;
type Error = ();
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
match self.fut.poll()? {
Async::Ready(service) => Ok(Async::Ready(RouteService {
service,
2019-03-03 20:09:38 +00:00
guards: self.guards.clone(),
2019-03-02 06:51:32 +00:00
})),
Async::NotReady => Ok(Async::NotReady),
2017-12-05 00:09:22 +00:00
}
}
}
2019-03-02 06:51:32 +00:00
pub struct RouteService<P> {
service: BoxedRouteService<ServiceRequest<P>, ServiceResponse>,
2019-03-03 20:09:38 +00:00
guards: Rc<Vec<Box<Guard>>>,
2019-03-02 06:51:32 +00:00
}
impl<P> RouteService<P> {
pub fn check(&self, req: &mut ServiceRequest<P>) -> bool {
2019-03-03 20:09:38 +00:00
for f in self.guards.iter() {
if !f.check(req.head()) {
2018-04-13 23:02:01 +00:00
return false;
2017-12-05 00:09:22 +00:00
}
}
true
}
2019-03-02 06:51:32 +00:00
}
2017-12-05 00:09:22 +00:00
impl<P> Service for RouteService<P> {
type Request = ServiceRequest<P>;
2019-03-02 06:51:32 +00:00
type Response = ServiceResponse;
type Error = ();
type Future = Box<Future<Item = Self::Response, Error = Self::Error>>;
fn poll_ready(&mut self) -> Poll<(), Self::Error> {
self.service.poll_ready()
2017-12-05 00:09:22 +00:00
}
2019-03-05 18:08:08 +00:00
fn call(&mut self, req: ServiceRequest<P>) -> Self::Future {
2019-03-02 06:51:32 +00:00
self.service.call(req)
2018-01-10 04:00:18 +00:00
}
2019-03-02 06:51:32 +00:00
}
2018-01-10 04:00:18 +00:00
impl<P: 'static> Route<P> {
2019-03-03 20:09:38 +00:00
/// Add method guard to the route.
2017-12-20 06:36:06 +00:00
///
2019-03-03 20:09:38 +00:00
/// ```rust
2017-12-20 06:36:06 +00:00
/// # use actix_web::*;
/// # fn main() {
/// App::new().service(web::resource("/path").route(
/// web::get()
/// .method(http::Method::CONNECT)
2019-03-03 20:09:38 +00:00
/// .guard(guard::Header("content-type", "text/plain"))
/// .to(|req: HttpRequest| HttpResponse::Ok()))
/// );
2017-12-20 06:36:06 +00:00
/// # }
/// ```
2019-03-02 06:51:32 +00:00
pub fn method(mut self, method: Method) -> Self {
2019-03-03 20:09:38 +00:00
Rc::get_mut(&mut self.guards)
.unwrap()
2019-03-03 20:09:38 +00:00
.push(Box::new(guard::Method(method)));
2017-12-05 00:09:22 +00:00
self
}
2019-03-03 20:09:38 +00:00
/// Add guard to the route.
2019-03-02 06:51:32 +00:00
///
2019-03-03 20:09:38 +00:00
/// ```rust
2019-03-02 06:51:32 +00:00
/// # use actix_web::*;
/// # fn main() {
/// App::new().service(web::resource("/path").route(
/// web::route()
2019-03-03 20:09:38 +00:00
/// .guard(guard::Get())
/// .guard(guard::Header("content-type", "text/plain"))
/// .to(|req: HttpRequest| HttpResponse::Ok()))
/// );
2019-03-02 06:51:32 +00:00
/// # }
/// ```
2019-03-03 20:09:38 +00:00
pub fn guard<F: Guard + 'static>(mut self, f: F) -> Self {
Rc::get_mut(&mut self.guards).unwrap().push(Box::new(f));
2019-03-02 06:51:32 +00:00
self
2017-12-05 00:09:22 +00:00
}
2019-03-02 06:51:32 +00:00
// pub fn map<T, U, F: IntoNewService<T>>(
// self,
// md: F,
// ) -> RouteServiceBuilder<T, S, (), U>
// where
// T: NewService<
// Request = HandlerRequest<S>,
// Response = HandlerRequest<S, U>,
// InitError = (),
// >,
// {
// RouteServiceBuilder {
// service: md.into_new_service(),
2019-03-03 20:09:38 +00:00
// guards: self.guards,
2019-03-02 06:51:32 +00:00
// _t: PhantomData,
// }
// }
2018-03-27 06:10:31 +00:00
2019-03-03 20:09:38 +00:00
/// Set handler function, use request extractors for parameters.
2018-03-27 06:10:31 +00:00
///
2019-03-03 20:09:38 +00:00
/// ```rust
2018-03-27 06:10:31 +00:00
/// #[macro_use] extern crate serde_derive;
/// use actix_web::{web, http, App};
2018-03-27 06:10:31 +00:00
///
/// #[derive(Deserialize)]
/// struct Info {
/// username: String,
/// }
///
/// /// extract path info using serde
/// fn index(info: web::Path<Info>) -> String {
2019-03-03 20:09:38 +00:00
/// format!("Welcome {}!", info.username)
2018-03-27 06:10:31 +00:00
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::resource("/{username}/index.html") // <- define path parameters
/// .route(web::get().to(index)) // <- register handler
2019-03-03 20:09:38 +00:00
/// );
2018-03-27 06:10:31 +00:00
/// }
/// ```
///
2018-10-02 04:16:56 +00:00
/// It is possible to use multiple extractors for one handler function.
///
2019-03-03 20:09:38 +00:00
/// ```rust
/// # use std::collections::HashMap;
2019-03-03 20:09:38 +00:00
/// # use serde_derive::Deserialize;
2019-03-07 19:43:46 +00:00
/// use actix_web::{web, App};
///
/// #[derive(Deserialize)]
/// struct Info {
/// username: String,
/// }
///
/// /// extract path info using serde
2019-03-07 19:43:46 +00:00
/// fn index(path: web::Path<Info>, query: web::Query<HashMap<String, String>>, body: web::Json<Info>) -> String {
2019-03-03 20:09:38 +00:00
/// format!("Welcome {}!", path.username)
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::resource("/{username}/index.html") // <- define path parameters
/// .route(web::get().to(index))
2019-03-03 20:09:38 +00:00
/// );
/// }
/// ```
pub fn to<F, T, R>(mut self, handler: F) -> Route<P>
2018-06-21 05:47:01 +00:00
where
2019-03-02 06:51:32 +00:00
F: Factory<T, R> + 'static,
T: FromRequest<P> + 'static,
2018-06-21 05:47:01 +00:00
R: Responder + 'static,
{
self.service = Box::new(RouteNewService::new(
2019-03-03 08:57:48 +00:00
Extract::new(self.config_ref.clone())
.and_then(Handler::new(handler).map_err(|_| panic!())),
));
self
2018-03-27 06:10:31 +00:00
}
2018-03-28 21:24:32 +00:00
2019-03-03 20:09:38 +00:00
/// Set async handler function, use request extractors for parameters.
/// This method has to be used if your handler function returns `impl Future<>`
///
2019-03-03 20:09:38 +00:00
/// ```rust
/// # use futures::future::ok;
/// #[macro_use] extern crate serde_derive;
/// use actix_web::{web, App, Error};
/// use futures::Future;
///
/// #[derive(Deserialize)]
/// struct Info {
/// username: String,
/// }
///
/// /// extract path info using serde
/// fn index(info: web::Path<Info>) -> impl Future<Item = &'static str, Error = Error> {
2019-03-03 20:09:38 +00:00
/// ok("Hello World!")
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::resource("/{username}/index.html") // <- define path parameters
/// .route(web::get().to_async(index)) // <- register async handler
2019-03-03 20:09:38 +00:00
/// );
/// }
/// ```
2019-03-02 06:51:32 +00:00
#[allow(clippy::wrong_self_convention)]
pub fn to_async<F, T, R>(mut self, handler: F) -> Self
2018-04-13 23:02:01 +00:00
where
2019-03-02 06:51:32 +00:00
F: AsyncFactory<T, R>,
T: FromRequest<P> + 'static,
R: IntoFuture + 'static,
R::Item: Into<Response>,
R::Error: Into<Error>,
2018-01-10 04:00:18 +00:00
{
self.service = Box::new(RouteNewService::new(
2019-03-03 08:57:48 +00:00
Extract::new(self.config_ref.clone())
.and_then(AsyncHandler::new(handler).map_err(|_| panic!())),
));
self
2018-01-10 04:00:18 +00:00
}
2019-03-03 08:57:48 +00:00
/// This method allows to add extractor configuration
/// for specific route.
///
/// ```rust
/// use actix_web::{web, App};
2019-03-03 08:57:48 +00:00
///
/// /// extract text data from request
/// fn index(body: String) -> String {
/// format!("Body {}!", body)
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::resource("/index.html").route(
2019-03-03 08:57:48 +00:00
/// web::get()
/// // limit size of the payload
/// .config(web::PayloadConfig::new(4096))
2019-03-03 08:57:48 +00:00
/// // register handler
/// .to(index)
/// ));
2019-03-03 08:57:48 +00:00
/// }
/// ```
pub fn config<C: 'static>(mut self, config: C) -> Self {
if self.config.is_none() {
self.config = Some(Extensions::new());
}
self.config.as_mut().unwrap().insert(config);
2019-03-03 08:57:48 +00:00
self
}
2018-01-10 04:00:18 +00:00
}
2019-03-02 06:51:32 +00:00
struct RouteNewService<P, T>
where
T: NewService<Request = ServiceRequest<P>, Error = (Error, ServiceFromRequest<P>)>,
2019-03-02 06:51:32 +00:00
{
service: T,
2019-03-05 18:08:08 +00:00
_t: PhantomData<P>,
2018-01-10 04:00:18 +00:00
}
2019-03-02 06:51:32 +00:00
impl<P: 'static, T> RouteNewService<P, T>
where
T: NewService<
Request = ServiceRequest<P>,
2019-03-02 06:51:32 +00:00
Response = ServiceResponse,
Error = (Error, ServiceFromRequest<P>),
2019-03-02 06:51:32 +00:00
>,
T::Future: 'static,
T::Service: 'static,
<T::Service as Service>::Future: 'static,
2019-03-02 06:51:32 +00:00
{
pub fn new(service: T) -> Self {
2019-03-05 18:08:08 +00:00
RouteNewService {
service,
_t: PhantomData,
}
2018-01-10 04:00:18 +00:00
}
}
impl<P: 'static, T> NewService for RouteNewService<P, T>
2019-03-02 06:51:32 +00:00
where
T: NewService<
Request = ServiceRequest<P>,
2019-03-02 06:51:32 +00:00
Response = ServiceResponse,
Error = (Error, ServiceFromRequest<P>),
2019-03-02 06:51:32 +00:00
>,
T::Future: 'static,
T::Service: 'static,
<T::Service as Service>::Future: 'static,
2019-03-02 06:51:32 +00:00
{
type Request = ServiceRequest<P>;
2019-03-02 06:51:32 +00:00
type Response = ServiceResponse;
type Error = ();
type InitError = ();
2019-03-05 18:08:08 +00:00
type Service = BoxedRouteService<ServiceRequest<P>, Self::Response>;
2019-03-02 06:51:32 +00:00
type Future = Box<Future<Item = Self::Service, Error = Self::InitError>>;
fn new_service(&self, _: &()) -> Self::Future {
Box::new(
self.service
.new_service(&())
.map_err(|_| ())
.and_then(|service| {
let service: BoxedRouteService<_, _> =
2019-03-05 18:08:08 +00:00
Box::new(RouteServiceWrapper {
service,
_t: PhantomData,
});
2019-03-02 06:51:32 +00:00
Ok(service)
}),
)
2018-01-10 04:00:18 +00:00
}
}
struct RouteServiceWrapper<P, T: Service> {
2019-03-02 06:51:32 +00:00
service: T,
2019-03-05 18:08:08 +00:00
_t: PhantomData<P>,
}
impl<P, T> Service for RouteServiceWrapper<P, T>
2019-03-02 06:51:32 +00:00
where
T::Future: 'static,
T: Service<
Request = ServiceRequest<P>,
2019-03-02 06:51:32 +00:00
Response = ServiceResponse,
Error = (Error, ServiceFromRequest<P>),
2019-03-02 06:51:32 +00:00
>,
{
type Request = ServiceRequest<P>;
2019-03-02 06:51:32 +00:00
type Response = ServiceResponse;
type Error = ();
type Future = Box<Future<Item = Self::Response, Error = Self::Error>>;
fn poll_ready(&mut self) -> Poll<(), Self::Error> {
self.service.poll_ready().map_err(|_| ())
}
2019-03-02 06:51:32 +00:00
fn call(&mut self, req: ServiceRequest<P>) -> Self::Future {
Box::new(self.service.call(req).then(|res| match res {
Ok(res) => Ok(res),
Err((err, req)) => Ok(req.error_response(err)),
}))
2017-12-05 00:09:22 +00:00
}
}