1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-06-12 02:09:36 +00:00
actix-web/src/resource.rs

381 lines
11 KiB
Rust
Raw Normal View History

2019-03-02 06:51:32 +00:00
use std::cell::RefCell;
2018-04-13 23:02:01 +00:00
use std::rc::Rc;
2017-10-07 04:48:14 +00:00
use actix_http::{Error, Response};
2019-03-02 07:59:44 +00:00
use actix_service::boxed::{self, BoxedNewService, BoxedService};
2019-03-02 06:51:32 +00:00
use actix_service::{
ApplyNewService, IntoNewService, IntoNewTransform, NewService, NewTransform, Service,
};
use futures::future::{ok, Either, FutureResult};
use futures::{Async, Future, IntoFuture, Poll};
2017-10-07 04:48:14 +00:00
2019-03-02 06:51:32 +00:00
use crate::handler::{AsyncFactory, Factory, FromRequest};
use crate::responder::Responder;
use crate::route::{CreateRouteService, Route, RouteService};
2019-03-02 06:51:32 +00:00
use crate::service::{ServiceRequest, ServiceResponse};
2018-06-25 04:58:04 +00:00
2019-03-02 07:59:44 +00:00
type HttpService<P> = BoxedService<ServiceRequest<P>, ServiceResponse, ()>;
type HttpNewService<P> = BoxedNewService<(), ServiceRequest<P>, ServiceResponse, (), ()>;
2019-03-02 06:51:32 +00:00
/// Resource route definition
2017-10-08 06:59:57 +00:00
///
2017-12-04 21:32:05 +00:00
/// Route uses builder-like pattern for configuration.
2019-03-02 06:51:32 +00:00
/// If handler is not explicitly set, default *404 Not Found* handler is used.
pub struct Resource<P, T = ResourceEndpoint<P>> {
routes: Vec<Route<P>>,
endpoint: T,
2019-03-02 07:59:44 +00:00
default: Rc<RefCell<Option<Rc<HttpNewService<P>>>>>,
2019-03-02 06:51:32 +00:00
factory_ref: Rc<RefCell<Option<ResourceFactory<P>>>>,
2017-10-07 04:48:14 +00:00
}
2019-03-02 06:51:32 +00:00
impl<P> Resource<P> {
pub fn new() -> Resource<P> {
let fref = Rc::new(RefCell::new(None));
2018-07-12 09:30:01 +00:00
Resource {
2019-03-02 06:51:32 +00:00
routes: Vec::new(),
endpoint: ResourceEndpoint::new(fref.clone()),
factory_ref: fref,
default: Rc::new(RefCell::new(None)),
2018-04-13 23:02:01 +00:00
}
2017-10-07 04:48:14 +00:00
}
2019-03-02 06:51:32 +00:00
}
2017-10-07 04:48:14 +00:00
2019-03-02 06:51:32 +00:00
impl<P> Default for Resource<P> {
fn default() -> Self {
Self::new()
2017-12-05 19:31:35 +00:00
}
2017-12-07 00:26:27 +00:00
}
2019-03-02 06:51:32 +00:00
impl<P: 'static, T> Resource<P, T>
where
T: NewService<
Request = ServiceRequest<P>,
Response = ServiceResponse,
Error = (),
InitError = (),
>,
{
2017-12-04 21:32:05 +00:00
/// Register a new route and return mutable reference to *Route* object.
2018-04-13 23:02:01 +00:00
/// *Route* is used for route configuration, i.e. adding predicates,
/// setting up handler.
2017-12-04 21:32:05 +00:00
///
2019-03-02 06:51:32 +00:00
/// ```rust,ignore
2017-12-04 21:32:05 +00:00
/// use actix_web::*;
///
/// fn main() {
2018-03-31 07:16:55 +00:00
/// let app = App::new()
2018-06-01 16:37:14 +00:00
/// .resource("/", |r| {
/// r.route()
/// .filter(pred::Any(pred::Get()).or(pred::Put()))
/// .filter(pred::Header("Content-Type", "text/plain"))
/// .f(|r| HttpResponse::Ok())
/// })
2017-12-04 21:32:05 +00:00
/// .finish();
/// }
/// ```
pub fn route(mut self, route: Route<P>) -> Self {
2019-03-03 08:57:48 +00:00
self.routes.push(route.finish());
2019-03-02 06:51:32 +00:00
self
}
2017-10-07 04:48:14 +00:00
2018-03-27 06:10:31 +00:00
/// Register a new route and add handler.
///
2019-03-02 06:51:32 +00:00
/// ```rust,ignore
2018-06-01 22:57:24 +00:00
/// # extern crate actix_web;
/// use actix_web::*;
/// fn index(req: HttpRequest) -> HttpResponse { unimplemented!() }
///
/// App::new().resource("/", |r| r.with(index));
/// ```
///
2018-03-27 06:10:31 +00:00
/// This is shortcut for:
///
2019-03-02 06:51:32 +00:00
/// ```rust,ignore
/// # extern crate actix_web;
/// # use actix_web::*;
/// # fn index(req: HttpRequest) -> HttpResponse { unimplemented!() }
/// App::new().resource("/", |r| r.route().with(index));
2018-03-27 06:10:31 +00:00
/// ```
2019-03-02 06:51:32 +00:00
pub fn to<F, I, R>(mut self, handler: F) -> Self
2018-04-13 23:02:01 +00:00
where
2019-03-02 06:51:32 +00:00
F: Factory<I, R> + 'static,
I: FromRequest<P> + 'static,
2018-04-13 23:02:01 +00:00
R: Responder + 'static,
2018-03-27 06:10:31 +00:00
{
self.routes.push(Route::new().to(handler));
2019-03-02 06:51:32 +00:00
self
2018-03-27 06:10:31 +00:00
}
/// Register a new route and add async handler.
///
2019-03-02 06:51:32 +00:00
/// ```rust,ignore
2018-06-01 22:57:24 +00:00
/// # extern crate actix_web;
/// # extern crate futures;
/// use actix_web::*;
/// use futures::future::Future;
///
/// fn index(req: HttpRequest) -> Box<Future<Item=HttpResponse, Error=Error>> {
/// unimplemented!()
/// }
///
/// App::new().resource("/", |r| r.with_async(index));
/// ```
///
/// This is shortcut for:
///
2019-03-02 06:51:32 +00:00
/// ```rust,ignore
/// # extern crate actix_web;
/// # extern crate futures;
/// # use actix_web::*;
/// # use futures::future::Future;
/// # fn index(req: HttpRequest) -> Box<Future<Item=HttpResponse, Error=Error>> {
/// # unimplemented!()
/// # }
/// App::new().resource("/", |r| r.route().with_async(index));
/// ```
2019-03-02 06:51:32 +00:00
#[allow(clippy::wrong_self_convention)]
pub fn to_async<F, I, R>(mut self, handler: F) -> Self
where
2019-03-02 06:51:32 +00:00
F: AsyncFactory<I, R>,
I: FromRequest<P> + 'static,
R: IntoFuture + 'static,
R::Item: Into<Response>,
R::Error: Into<Error>,
{
self.routes.push(Route::new().to_async(handler));
2019-03-02 06:51:32 +00:00
self
}
/// Register a resource middleware
2018-01-10 04:00:18 +00:00
///
2018-03-31 07:16:55 +00:00
/// This is similar to `App's` middlewares, but
2018-01-10 04:00:18 +00:00
/// middlewares get invoked on resource level.
2019-03-02 06:51:32 +00:00
pub fn middleware<M, F>(
self,
mw: F,
) -> Resource<
P,
impl NewService<
Request = ServiceRequest<P>,
Response = ServiceResponse,
Error = (),
InitError = (),
>,
>
where
M: NewTransform<
T::Service,
Request = ServiceRequest<P>,
Response = ServiceResponse,
Error = (),
InitError = (),
>,
F: IntoNewTransform<M, T::Service>,
{
let endpoint = ApplyNewService::new(mw, self.endpoint);
Resource {
endpoint,
routes: self.routes,
default: self.default,
factory_ref: self.factory_ref,
}
2018-01-10 04:00:18 +00:00
}
2019-03-02 06:51:32 +00:00
/// Default resource to be used if no matching route could be found.
pub fn default_resource<F, R, U>(mut self, f: F) -> Self
where
F: FnOnce(Resource<P>) -> R,
R: IntoNewService<U>,
U: NewService<
Request = ServiceRequest<P>,
Response = ServiceResponse,
Error = (),
> + 'static,
{
// create and configure default resource
2019-03-02 07:59:44 +00:00
self.default = Rc::new(RefCell::new(Some(Rc::new(boxed::new_service(
f(Resource::new()).into_new_service().map_init_err(|_| ()),
2019-03-02 06:51:32 +00:00
)))));
self
}
2019-03-02 07:59:44 +00:00
pub(crate) fn get_default(&self) -> Rc<RefCell<Option<Rc<HttpNewService<P>>>>> {
2019-03-02 06:51:32 +00:00
self.default.clone()
}
}
impl<P, T> IntoNewService<T> for Resource<P, T>
where
T: NewService<
Request = ServiceRequest<P>,
Response = ServiceResponse,
Error = (),
InitError = (),
>,
{
fn into_new_service(self) -> T {
*self.factory_ref.borrow_mut() = Some(ResourceFactory {
routes: self.routes,
default: self.default,
});
self.endpoint
}
}
pub struct ResourceFactory<P> {
routes: Vec<Route<P>>,
2019-03-02 07:59:44 +00:00
default: Rc<RefCell<Option<Rc<HttpNewService<P>>>>>,
2019-03-02 06:51:32 +00:00
}
2019-03-02 07:59:44 +00:00
impl<P: 'static> NewService for ResourceFactory<P> {
2019-03-02 06:51:32 +00:00
type Request = ServiceRequest<P>;
type Response = ServiceResponse;
type Error = ();
type InitError = ();
type Service = ResourceService<P>;
type Future = CreateResourceService<P>;
fn new_service(&self, _: &()) -> Self::Future {
let default_fut = if let Some(ref default) = *self.default.borrow() {
Some(default.new_service(&()))
} else {
None
};
CreateResourceService {
fut: self
.routes
.iter()
.map(|route| CreateRouteServiceItem::Future(route.new_service(&())))
.collect(),
default: None,
default_fut,
2017-10-07 04:48:14 +00:00
}
2018-06-25 04:58:04 +00:00
}
2019-03-02 06:51:32 +00:00
}
enum CreateRouteServiceItem<P> {
Future(CreateRouteService<P>),
Service(RouteService<P>),
}
pub struct CreateResourceService<P> {
fut: Vec<CreateRouteServiceItem<P>>,
2019-03-02 07:59:44 +00:00
default: Option<HttpService<P>>,
default_fut: Option<Box<Future<Item = HttpService<P>, Error = ()>>>,
2019-03-02 06:51:32 +00:00
}
impl<P> Future for CreateResourceService<P> {
type Item = ResourceService<P>;
type Error = ();
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
let mut done = true;
if let Some(ref mut fut) = self.default_fut {
match fut.poll()? {
Async::Ready(default) => self.default = Some(default),
Async::NotReady => done = false,
}
}
2018-06-19 17:46:58 +00:00
2019-03-02 06:51:32 +00:00
// poll http services
for item in &mut self.fut {
match item {
CreateRouteServiceItem::Future(ref mut fut) => match fut.poll()? {
Async::Ready(route) => {
*item = CreateRouteServiceItem::Service(route)
}
Async::NotReady => {
done = false;
}
},
CreateRouteServiceItem::Service(_) => continue,
};
}
if done {
let routes = self
.fut
.drain(..)
.map(|item| match item {
CreateRouteServiceItem::Service(service) => service,
CreateRouteServiceItem::Future(_) => unreachable!(),
})
.collect();
Ok(Async::Ready(ResourceService {
routes,
default: self.default.take(),
}))
2018-06-25 04:58:04 +00:00
} else {
2019-03-02 06:51:32 +00:00
Ok(Async::NotReady)
2018-06-25 04:58:04 +00:00
}
2017-10-07 04:48:14 +00:00
}
}
2018-07-15 09:12:21 +00:00
2019-03-02 06:51:32 +00:00
pub struct ResourceService<P> {
routes: Vec<RouteService<P>>,
2019-03-02 07:59:44 +00:00
default: Option<HttpService<P>>,
2019-03-02 06:51:32 +00:00
}
impl<P> Service for ResourceService<P> {
type Request = ServiceRequest<P>;
type Response = ServiceResponse;
type Error = ();
type Future = Either<
Box<Future<Item = ServiceResponse, Error = ()>>,
Either<
Box<Future<Item = Self::Response, Error = Self::Error>>,
FutureResult<Self::Response, Self::Error>,
>,
>;
2018-07-15 09:12:21 +00:00
2019-03-02 06:51:32 +00:00
fn poll_ready(&mut self) -> Poll<(), Self::Error> {
Ok(Async::Ready(()))
}
2018-07-15 09:12:21 +00:00
2019-03-02 06:51:32 +00:00
fn call(&mut self, mut req: ServiceRequest<P>) -> Self::Future {
for route in self.routes.iter_mut() {
if route.check(&mut req) {
return Either::A(route.call(req));
}
}
if let Some(ref mut default) = self.default {
Either::B(Either::A(default.call(req)))
} else {
let req = req.into_request();
Either::B(Either::B(ok(ServiceResponse::new(
req,
Response::NotFound().finish(),
))))
}
2018-07-15 09:12:21 +00:00
}
}
2019-03-02 06:51:32 +00:00
#[doc(hidden)]
pub struct ResourceEndpoint<P> {
factory: Rc<RefCell<Option<ResourceFactory<P>>>>,
}
impl<P> ResourceEndpoint<P> {
fn new(factory: Rc<RefCell<Option<ResourceFactory<P>>>>) -> Self {
ResourceEndpoint { factory }
2018-07-15 09:12:21 +00:00
}
}
2019-03-02 07:59:44 +00:00
impl<P: 'static> NewService for ResourceEndpoint<P> {
2019-03-02 06:51:32 +00:00
type Request = ServiceRequest<P>;
type Response = ServiceResponse;
type Error = ();
type InitError = ();
type Service = ResourceService<P>;
type Future = CreateResourceService<P>;
fn new_service(&self, _: &()) -> Self::Future {
self.factory.borrow_mut().as_mut().unwrap().new_service(&())
2018-07-15 09:12:21 +00:00
}
}