1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-06-02 21:39:26 +00:00
actix-web/src/scope.rs

1159 lines
38 KiB
Rust
Raw Normal View History

2019-03-04 05:02:01 +00:00
use std::cell::RefCell;
use std::fmt;
2019-03-04 05:02:01 +00:00
use std::rc::Rc;
use actix_http::{Extensions, Response};
2019-03-04 05:02:01 +00:00
use actix_router::{ResourceDef, ResourceInfo, Router};
use actix_service::boxed::{self, BoxedNewService, BoxedService};
use actix_service::{
2019-05-12 15:34:51 +00:00
apply_transform, IntoNewService, IntoTransform, NewService, Service, Transform,
2019-03-04 05:02:01 +00:00
};
use futures::future::{ok, Either, Future, FutureResult};
2019-03-25 20:43:02 +00:00
use futures::{Async, IntoFuture, Poll};
2019-03-04 05:02:01 +00:00
use crate::config::ServiceConfig;
use crate::data::Data;
2019-04-15 14:32:49 +00:00
use crate::dev::{AppService, HttpServiceFactory};
use crate::error::Error;
2019-03-04 05:02:01 +00:00
use crate::guard::Guard;
use crate::resource::Resource;
use crate::rmap::ResourceMap;
2019-03-04 05:02:01 +00:00
use crate::route::Route;
use crate::service::{
ServiceFactory, ServiceFactoryWrapper, ServiceRequest, ServiceResponse,
};
2019-03-04 05:02:01 +00:00
2019-07-17 09:48:37 +00:00
type Guards = Vec<Box<dyn Guard>>;
type HttpService = BoxedService<ServiceRequest, ServiceResponse, Error>;
type HttpNewService = BoxedNewService<(), ServiceRequest, ServiceResponse, Error, ()>;
type BoxedResponse = Either<
FutureResult<ServiceResponse, Error>,
Box<dyn Future<Item = ServiceResponse, Error = Error>>,
>;
2019-03-04 05:02:01 +00:00
/// Resources scope.
2019-03-04 05:02:01 +00:00
///
/// Scope is a set of resources with common root path.
/// Scopes collect multiple paths under a common path prefix.
/// Scope path can contain variable path segments as resources.
/// Scope prefix is always complete path segment, i.e `/app` would
/// be converted to a `/app/` and it would not match `/app` path.
///
/// You can get variable path segments from `HttpRequest::match_info()`.
/// `Path` extractor also is able to extract scope level variable segments.
///
/// ```rust
/// use actix_web::{web, App, HttpResponse};
2019-03-04 05:02:01 +00:00
///
/// fn main() {
/// let app = App::new().service(
/// web::scope("/{project_id}/")
/// .service(web::resource("/path1").to(|| HttpResponse::Ok()))
/// .service(web::resource("/path2").route(web::get().to(|| HttpResponse::Ok())))
/// .service(web::resource("/path3").route(web::head().to(|| HttpResponse::MethodNotAllowed())))
/// );
2019-03-04 05:02:01 +00:00
/// }
/// ```
///
/// In the above example three routes get registered:
/// * /{project_id}/path1 - reponds to all http method
/// * /{project_id}/path2 - `GET` requests
/// * /{project_id}/path3 - `HEAD` requests
///
pub struct Scope<T = ScopeEndpoint> {
2019-03-04 05:02:01 +00:00
endpoint: T,
rdef: String,
data: Option<Extensions>,
2019-07-17 09:48:37 +00:00
services: Vec<Box<dyn ServiceFactory>>,
guards: Vec<Box<dyn Guard>>,
default: Rc<RefCell<Option<Rc<HttpNewService>>>>,
external: Vec<ResourceDef>,
factory_ref: Rc<RefCell<Option<ScopeFactory>>>,
2019-03-04 05:02:01 +00:00
}
impl Scope {
2019-03-04 05:02:01 +00:00
/// Create a new scope
pub fn new(path: &str) -> Scope {
2019-03-04 05:02:01 +00:00
let fref = Rc::new(RefCell::new(None));
Scope {
endpoint: ScopeEndpoint::new(fref.clone()),
rdef: path.to_string(),
data: None,
2019-03-04 19:47:53 +00:00
guards: Vec::new(),
2019-03-04 05:02:01 +00:00
services: Vec::new(),
default: Rc::new(RefCell::new(None)),
external: Vec::new(),
2019-03-04 05:02:01 +00:00
factory_ref: fref,
}
}
}
impl<T> Scope<T>
2019-03-04 05:02:01 +00:00
where
T: NewService<
2019-05-12 15:34:51 +00:00
Config = (),
Request = ServiceRequest,
2019-03-04 05:02:01 +00:00
Response = ServiceResponse,
Error = Error,
2019-03-04 05:02:01 +00:00
InitError = (),
>,
{
/// Add match guard to a scope.
2019-03-04 05:02:01 +00:00
///
/// ```rust
/// use actix_web::{web, guard, App, HttpRequest, HttpResponse};
2019-03-04 05:02:01 +00:00
///
/// fn index(data: web::Path<(String, String)>) -> &'static str {
2019-03-04 05:02:01 +00:00
/// "Welcome!"
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::scope("/app")
2019-03-04 05:02:01 +00:00
/// .guard(guard::Header("content-type", "text/plain"))
/// .route("/test1", web::get().to(index))
2019-03-04 05:02:01 +00:00
/// .route("/test2", web::post().to(|r: HttpRequest| {
/// HttpResponse::MethodNotAllowed()
/// }))
/// );
2019-03-04 05:02:01 +00:00
/// }
/// ```
pub fn guard<G: Guard + 'static>(mut self, guard: G) -> Self {
2019-03-04 19:47:53 +00:00
self.guards.push(Box::new(guard));
2019-03-04 05:02:01 +00:00
self
}
/// Set or override application data. Application data could be accessed
/// by using `Data<T>` extractor where `T` is data type.
///
/// ```rust
/// use std::cell::Cell;
/// use actix_web::{web, App};
///
/// struct MyData {
/// counter: Cell<usize>,
/// }
///
/// fn index(data: web::Data<MyData>) {
/// data.counter.set(data.counter.get() + 1);
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::scope("/app")
/// .data(MyData{ counter: Cell::new(0) })
/// .service(
/// web::resource("/index.html").route(
/// web::get().to(index)))
/// );
/// }
/// ```
pub fn data<U: 'static>(mut self, data: U) -> Self {
if self.data.is_none() {
self.data = Some(Extensions::new());
}
self.data.as_mut().unwrap().insert(Data::new(data));
self
}
/// Run external configuration as part of the scope building
/// process
///
/// This function is useful for moving parts of configuration to a
/// different module or even library. For example,
/// some of the resource's configuration could be moved to different module.
///
/// ```rust
/// # extern crate actix_web;
/// use actix_web::{web, middleware, App, HttpResponse};
///
/// // this function could be located in different module
/// fn config(cfg: &mut web::ServiceConfig) {
/// cfg.service(web::resource("/test")
/// .route(web::get().to(|| HttpResponse::Ok()))
/// .route(web::head().to(|| HttpResponse::MethodNotAllowed()))
/// );
/// }
///
/// fn main() {
/// let app = App::new()
/// .wrap(middleware::Logger::default())
/// .service(
/// web::scope("/api")
/// .configure(config)
/// )
/// .route("/index.html", web::get().to(|| HttpResponse::Ok()));
/// }
/// ```
pub fn configure<F>(mut self, f: F) -> Self
where
F: FnOnce(&mut ServiceConfig),
{
let mut cfg = ServiceConfig::new();
f(&mut cfg);
self.services.extend(cfg.services);
self.external.extend(cfg.external);
if !cfg.data.is_empty() {
let mut data = self.data.unwrap_or_else(Extensions::new);
for value in cfg.data.iter() {
value.create(&mut data);
}
self.data = Some(data);
}
self
}
/// Register http service.
///
/// This is similar to `App's` service registration.
///
/// Actix web provides several services implementations:
///
/// * *Resource* is an entry in resource table which corresponds to requested URL.
/// * *Scope* is a set of resources with common root path.
/// * "StaticFiles" is a service for static files support
2019-03-04 05:02:01 +00:00
///
/// ```rust
/// use actix_web::{web, App, HttpRequest};
2019-03-04 05:02:01 +00:00
///
/// struct AppState;
///
/// fn index(req: HttpRequest) -> &'static str {
/// "Welcome!"
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::scope("/app").service(
/// web::scope("/v1")
/// .service(web::resource("/test1").to(index)))
/// );
2019-03-04 05:02:01 +00:00
/// }
/// ```
pub fn service<F>(mut self, factory: F) -> Self
2019-03-04 05:02:01 +00:00
where
F: HttpServiceFactory + 'static,
2019-03-04 05:02:01 +00:00
{
self.services
.push(Box::new(ServiceFactoryWrapper::new(factory)));
2019-03-04 05:02:01 +00:00
self
}
/// Configure route for a specific path.
///
/// This is a simplified version of the `Scope::service()` method.
/// This method can be called multiple times, in that case
2019-03-04 05:02:01 +00:00
/// multiple resources with one route would be registered for same resource path.
///
/// ```rust
/// use actix_web::{web, App, HttpResponse};
2019-03-04 05:02:01 +00:00
///
/// fn index(data: web::Path<(String, String)>) -> &'static str {
2019-03-04 05:02:01 +00:00
/// "Welcome!"
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::scope("/app")
/// .route("/test1", web::get().to(index))
2019-03-04 05:02:01 +00:00
/// .route("/test2", web::post().to(|| HttpResponse::MethodNotAllowed()))
/// );
2019-03-04 05:02:01 +00:00
/// }
/// ```
pub fn route(self, path: &str, mut route: Route) -> Self {
self.service(
Resource::new(path)
.add_guards(route.take_guards())
.route(route),
)
2019-03-04 05:02:01 +00:00
}
/// Default service to be used if no matching route could be found.
///
/// If default resource is not registered, app's default resource is being used.
pub fn default_service<F, U>(mut self, f: F) -> Self
2019-03-04 05:02:01 +00:00
where
F: IntoNewService<U>,
2019-03-04 05:02:01 +00:00
U: NewService<
2019-05-12 15:34:51 +00:00
Config = (),
Request = ServiceRequest,
2019-03-04 05:02:01 +00:00
Response = ServiceResponse,
Error = Error,
2019-03-04 05:02:01 +00:00
> + 'static,
U::InitError: fmt::Debug,
2019-03-04 05:02:01 +00:00
{
// create and configure default resource
self.default = Rc::new(RefCell::new(Some(Rc::new(boxed::new_service(
f.into_new_service().map_init_err(|e| {
log::error!("Can not construct default service: {:?}", e)
}),
2019-03-04 05:02:01 +00:00
)))));
self
}
2019-04-02 19:51:16 +00:00
/// Registers middleware, in the form of a middleware component (type),
/// that runs during inbound processing in the request
/// lifecycle (request -> response), modifying request as
2019-04-01 19:10:28 +00:00
/// necessary, across all requests managed by the *Scope*. Scope-level
/// middleware is more limited in what it can modify, relative to Route or
2019-04-02 19:51:16 +00:00
/// Application level middleware, in that Scope-level middleware can not modify
2019-04-01 19:10:28 +00:00
/// ServiceResponse.
2019-03-04 05:02:01 +00:00
///
/// Use middleware when you need to read or modify *every* request in some way.
2019-03-25 20:02:10 +00:00
pub fn wrap<M, F>(
2019-03-04 05:02:01 +00:00
self,
mw: F,
) -> Scope<
impl NewService<
2019-05-12 15:34:51 +00:00
Config = (),
Request = ServiceRequest,
2019-03-04 05:02:01 +00:00
Response = ServiceResponse,
Error = Error,
2019-03-04 05:02:01 +00:00
InitError = (),
>,
>
where
2019-03-05 05:37:57 +00:00
M: Transform<
2019-03-04 05:02:01 +00:00
T::Service,
Request = ServiceRequest,
2019-03-04 05:02:01 +00:00
Response = ServiceResponse,
Error = Error,
2019-03-04 05:02:01 +00:00
InitError = (),
>,
F: IntoTransform<M, T::Service>,
2019-03-04 05:02:01 +00:00
{
2019-05-12 15:34:51 +00:00
let endpoint = apply_transform(mw, self.endpoint);
2019-03-04 05:02:01 +00:00
Scope {
endpoint,
rdef: self.rdef,
data: self.data,
2019-03-04 05:02:01 +00:00
guards: self.guards,
services: self.services,
default: self.default,
external: self.external,
2019-03-04 05:02:01 +00:00
factory_ref: self.factory_ref,
}
}
2019-03-25 20:43:02 +00:00
/// Registers middleware, in the form of a closure, that runs during inbound
2019-04-02 19:51:16 +00:00
/// processing in the request lifecycle (request -> response), modifying
2019-04-25 18:14:32 +00:00
/// request as necessary, across all requests managed by the *Scope*.
2019-04-01 19:10:28 +00:00
/// Scope-level middleware is more limited in what it can modify, relative
/// to Route or Application level middleware, in that Scope-level middleware
/// can not modify ServiceResponse.
2019-03-25 20:43:02 +00:00
///
/// ```rust
/// use actix_service::Service;
/// # use futures::Future;
/// use actix_web::{web, App};
/// use actix_web::http::{header::CONTENT_TYPE, HeaderValue};
///
/// fn index() -> &'static str {
/// "Welcome!"
/// }
///
/// fn main() {
/// let app = App::new().service(
/// web::scope("/app")
/// .wrap_fn(|req, srv|
/// srv.call(req).map(|mut res| {
/// res.headers_mut().insert(
/// CONTENT_TYPE, HeaderValue::from_static("text/plain"),
/// );
/// res
/// }))
/// .route("/index.html", web::get().to(index)));
/// }
/// ```
pub fn wrap_fn<F, R>(
self,
mw: F,
) -> Scope<
impl NewService<
2019-05-12 15:34:51 +00:00
Config = (),
Request = ServiceRequest,
2019-03-25 20:43:02 +00:00
Response = ServiceResponse,
Error = Error,
InitError = (),
>,
>
where
F: FnMut(ServiceRequest, &mut T::Service) -> R + Clone,
2019-03-25 20:43:02 +00:00
R: IntoFuture<Item = ServiceResponse, Error = Error>,
{
self.wrap(mw)
}
2019-03-04 05:02:01 +00:00
}
impl<T> HttpServiceFactory for Scope<T>
2019-03-04 05:02:01 +00:00
where
T: NewService<
2019-05-12 15:34:51 +00:00
Config = (),
Request = ServiceRequest,
Response = ServiceResponse,
Error = Error,
InitError = (),
> + 'static,
2019-03-04 05:02:01 +00:00
{
fn register(mut self, config: &mut AppService) {
// update default resource if needed
if self.default.borrow().is_none() {
*self.default.borrow_mut() = Some(config.default_service());
2019-03-04 05:02:01 +00:00
}
// register nested services
let mut cfg = config.clone_config();
self.services
.into_iter()
.for_each(|mut srv| srv.register(&mut cfg));
let mut rmap = ResourceMap::new(ResourceDef::root_prefix(&self.rdef));
// external resources
for mut rdef in std::mem::replace(&mut self.external, Vec::new()) {
rmap.add(&mut rdef, None);
}
// custom app data storage
if let Some(ref mut ext) = self.data {
config.set_service_data(ext);
}
// complete scope pipeline creation
2019-03-04 05:02:01 +00:00
*self.factory_ref.borrow_mut() = Some(ScopeFactory {
data: self.data.take().map(Rc::new),
2019-03-04 05:02:01 +00:00
default: self.default.clone(),
2019-03-04 19:47:53 +00:00
services: Rc::new(
cfg.into_services()
.1
2019-03-04 19:47:53 +00:00
.into_iter()
.map(|(mut rdef, srv, guards, nested)| {
rmap.add(&mut rdef, nested);
(rdef, srv, RefCell::new(guards))
})
2019-03-04 19:47:53 +00:00
.collect(),
),
2019-03-04 05:02:01 +00:00
});
// get guards
let guards = if self.guards.is_empty() {
None
} else {
Some(self.guards)
};
// register final service
2019-03-07 03:27:18 +00:00
config.register_service(
ResourceDef::root_prefix(&self.rdef),
guards,
self.endpoint,
Some(Rc::new(rmap)),
2019-03-07 03:27:18 +00:00
)
2019-03-04 05:02:01 +00:00
}
}
pub struct ScopeFactory {
data: Option<Rc<Extensions>>,
services: Rc<Vec<(ResourceDef, HttpNewService, RefCell<Option<Guards>>)>>,
default: Rc<RefCell<Option<Rc<HttpNewService>>>>,
2019-03-04 05:02:01 +00:00
}
impl NewService for ScopeFactory {
2019-05-12 15:34:51 +00:00
type Config = ();
type Request = ServiceRequest;
2019-03-04 05:02:01 +00:00
type Response = ServiceResponse;
type Error = Error;
2019-03-04 05:02:01 +00:00
type InitError = ();
type Service = ScopeService;
type Future = ScopeFactoryResponse;
2019-03-04 05:02:01 +00:00
fn new_service(&self, _: &()) -> Self::Future {
let default_fut = if let Some(ref default) = *self.default.borrow() {
Some(default.new_service(&()))
} else {
None
};
ScopeFactoryResponse {
fut: self
.services
.iter()
2019-03-04 19:47:53 +00:00
.map(|(path, service, guards)| {
2019-03-04 05:02:01 +00:00
CreateScopeServiceItem::Future(
Some(path.clone()),
2019-03-04 19:47:53 +00:00
guards.borrow_mut().take(),
2019-03-04 05:02:01 +00:00
service.new_service(&()),
)
})
.collect(),
default: None,
data: self.data.clone(),
2019-03-04 05:02:01 +00:00
default_fut,
}
}
}
/// Create scope service
2019-03-04 05:02:01 +00:00
#[doc(hidden)]
pub struct ScopeFactoryResponse {
fut: Vec<CreateScopeServiceItem>,
data: Option<Rc<Extensions>>,
default: Option<HttpService>,
default_fut: Option<Box<dyn Future<Item = HttpService, Error = ()>>>,
2019-03-04 05:02:01 +00:00
}
type HttpServiceFut = Box<dyn Future<Item = HttpService, Error = ()>>;
2019-03-04 05:02:01 +00:00
enum CreateScopeServiceItem {
Future(Option<ResourceDef>, Option<Guards>, HttpServiceFut),
Service(ResourceDef, Option<Guards>, HttpService),
2019-03-04 05:02:01 +00:00
}
impl Future for ScopeFactoryResponse {
type Item = ScopeService;
2019-03-04 05:02:01 +00:00
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,
}
}
// poll http services
for item in &mut self.fut {
let res = match item {
2019-03-04 19:47:53 +00:00
CreateScopeServiceItem::Future(
ref mut path,
ref mut guards,
ref mut fut,
) => match fut.poll()? {
Async::Ready(service) => {
Some((path.take().unwrap(), guards.take(), service))
2019-03-04 05:02:01 +00:00
}
2019-03-04 19:47:53 +00:00
Async::NotReady => {
done = false;
None
}
},
CreateScopeServiceItem::Service(_, _, _) => continue,
2019-03-04 05:02:01 +00:00
};
2019-03-04 19:47:53 +00:00
if let Some((path, guards, service)) = res {
*item = CreateScopeServiceItem::Service(path, guards, service);
2019-03-04 05:02:01 +00:00
}
}
if done {
let router = self
.fut
.drain(..)
.fold(Router::build(), |mut router, item| {
match item {
2019-03-04 19:47:53 +00:00
CreateScopeServiceItem::Service(path, guards, service) => {
router.rdef(path, service).2 = guards;
2019-03-04 05:02:01 +00:00
}
2019-03-04 19:47:53 +00:00
CreateScopeServiceItem::Future(_, _, _) => unreachable!(),
2019-03-04 05:02:01 +00:00
}
router
});
Ok(Async::Ready(ScopeService {
data: self.data.clone(),
2019-03-04 05:02:01 +00:00
router: router.finish(),
default: self.default.take(),
_ready: None,
}))
} else {
Ok(Async::NotReady)
}
}
}
pub struct ScopeService {
data: Option<Rc<Extensions>>,
2019-07-17 09:48:37 +00:00
router: Router<HttpService, Vec<Box<dyn Guard>>>,
default: Option<HttpService>,
_ready: Option<(ServiceRequest, ResourceInfo)>,
2019-03-04 05:02:01 +00:00
}
impl Service for ScopeService {
type Request = ServiceRequest;
2019-03-04 05:02:01 +00:00
type Response = ServiceResponse;
type Error = Error;
2019-03-04 05:02:01 +00:00
type Future = Either<BoxedResponse, FutureResult<Self::Response, Self::Error>>;
fn poll_ready(&mut self) -> Poll<(), Self::Error> {
Ok(Async::Ready(()))
}
fn call(&mut self, mut req: ServiceRequest) -> Self::Future {
2019-03-04 19:47:53 +00:00
let res = self.router.recognize_mut_checked(&mut req, |req, guards| {
if let Some(ref guards) = guards {
for f in guards {
if !f.check(req.head()) {
return false;
}
}
}
true
});
if let Some((srv, _info)) = res {
if let Some(ref data) = self.data {
req.set_data_container(data.clone());
}
2019-03-04 05:02:01 +00:00
Either::A(srv.call(req))
} else if let Some(ref mut default) = self.default {
Either::A(default.call(req))
} else {
2019-03-26 22:14:32 +00:00
let req = req.into_parts().0;
2019-03-04 05:02:01 +00:00
Either::B(ok(ServiceResponse::new(req, Response::NotFound().finish())))
}
}
}
#[doc(hidden)]
pub struct ScopeEndpoint {
factory: Rc<RefCell<Option<ScopeFactory>>>,
2019-03-04 05:02:01 +00:00
}
impl ScopeEndpoint {
fn new(factory: Rc<RefCell<Option<ScopeFactory>>>) -> Self {
2019-03-04 05:02:01 +00:00
ScopeEndpoint { factory }
}
}
impl NewService for ScopeEndpoint {
2019-05-12 15:34:51 +00:00
type Config = ();
type Request = ServiceRequest;
2019-03-04 05:02:01 +00:00
type Response = ServiceResponse;
type Error = Error;
2019-03-04 05:02:01 +00:00
type InitError = ();
type Service = ScopeService;
type Future = ScopeFactoryResponse;
2019-03-04 05:02:01 +00:00
fn new_service(&self, _: &()) -> Self::Future {
self.factory.borrow_mut().as_mut().unwrap().new_service(&())
}
}
#[cfg(test)]
mod tests {
use actix_service::Service;
2019-03-04 05:02:01 +00:00
use bytes::Bytes;
2019-03-25 20:02:10 +00:00
use futures::{Future, IntoFuture};
2019-03-04 05:02:01 +00:00
2019-03-07 23:51:24 +00:00
use crate::dev::{Body, ResponseBody};
2019-03-25 20:02:10 +00:00
use crate::http::{header, HeaderValue, Method, StatusCode};
use crate::service::{ServiceRequest, ServiceResponse};
use crate::test::{block_on, call_service, init_service, read_body, TestRequest};
2019-03-25 20:02:10 +00:00
use crate::{guard, web, App, Error, HttpRequest, HttpResponse};
2019-03-04 05:02:01 +00:00
#[test]
fn test_scope() {
let mut srv = init_service(
App::new().service(
web::scope("/app")
.service(web::resource("/path1").to(|| HttpResponse::Ok())),
),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
}
#[test]
fn test_scope_root() {
let mut srv = init_service(
App::new().service(
web::scope("/app")
.service(web::resource("").to(|| HttpResponse::Ok()))
.service(web::resource("/").to(|| HttpResponse::Created())),
),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
let req = TestRequest::with_uri("/app/").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::CREATED);
}
#[test]
fn test_scope_root2() {
let mut srv = init_service(App::new().service(
web::scope("/app/").service(web::resource("").to(|| HttpResponse::Ok())),
));
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
let req = TestRequest::with_uri("/app/").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
}
#[test]
fn test_scope_root3() {
let mut srv = init_service(App::new().service(
web::scope("/app/").service(web::resource("/").to(|| HttpResponse::Ok())),
));
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
let req = TestRequest::with_uri("/app/").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
}
#[test]
fn test_scope_route() {
let mut srv = init_service(
App::new().service(
web::scope("app")
.route("/path1", web::get().to(|| HttpResponse::Ok()))
.route("/path1", web::delete().to(|| HttpResponse::Ok())),
),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
let req = TestRequest::with_uri("/app/path1")
.method(Method::DELETE)
.to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
let req = TestRequest::with_uri("/app/path1")
.method(Method::POST)
.to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
}
#[test]
fn test_scope_route_without_leading_slash() {
let mut srv = init_service(
App::new().service(
web::scope("app").service(
web::resource("path1")
.route(web::get().to(|| HttpResponse::Ok()))
.route(web::delete().to(|| HttpResponse::Ok())),
),
),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
let req = TestRequest::with_uri("/app/path1")
.method(Method::DELETE)
.to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
let req = TestRequest::with_uri("/app/path1")
.method(Method::POST)
.to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-24 23:28:16 +00:00
assert_eq!(resp.status(), StatusCode::METHOD_NOT_ALLOWED);
2019-03-04 05:02:01 +00:00
}
2019-03-04 19:47:53 +00:00
#[test]
fn test_scope_guard() {
let mut srv = init_service(
App::new().service(
web::scope("/app")
2019-03-04 19:47:53 +00:00
.guard(guard::Get())
.service(web::resource("/path1").to(|| HttpResponse::Ok())),
),
);
2019-03-04 19:47:53 +00:00
let req = TestRequest::with_uri("/app/path1")
.method(Method::POST)
.to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 19:47:53 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
let req = TestRequest::with_uri("/app/path1")
.method(Method::GET)
.to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 19:47:53 +00:00
assert_eq!(resp.status(), StatusCode::OK);
}
2019-03-04 05:02:01 +00:00
#[test]
fn test_scope_variable_segment() {
let mut srv =
init_service(App::new().service(web::scope("/ab-{project}").service(
web::resource("/path1").to(|r: HttpRequest| {
HttpResponse::Ok()
.body(format!("project: {}", &r.match_info()["project"]))
}),
)));
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/ab-project1/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
2019-04-02 20:35:01 +00:00
match resp.response().body() {
2019-03-04 05:02:01 +00:00
ResponseBody::Body(Body::Bytes(ref b)) => {
let bytes: Bytes = b.clone().into();
assert_eq!(bytes, Bytes::from_static(b"project: project1"));
}
_ => panic!(),
}
let req = TestRequest::with_uri("/aa-project1/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
}
#[test]
fn test_nested_scope() {
let mut srv = init_service(
App::new().service(
web::scope("/app")
.service(web::scope("/t1").service(
web::resource("/path1").to(|| HttpResponse::Created()),
)),
),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/t1/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::CREATED);
}
#[test]
fn test_nested_scope_no_slash() {
let mut srv = init_service(
App::new().service(
web::scope("/app")
.service(web::scope("t1").service(
web::resource("/path1").to(|| HttpResponse::Created()),
)),
),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/t1/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::CREATED);
}
#[test]
fn test_nested_scope_root() {
let mut srv = init_service(
App::new().service(
web::scope("/app").service(
web::scope("/t1")
.service(web::resource("").to(|| HttpResponse::Ok()))
.service(web::resource("/").to(|| HttpResponse::Created())),
),
),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/t1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::OK);
let req = TestRequest::with_uri("/app/t1/").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::CREATED);
}
2019-03-04 19:47:53 +00:00
#[test]
fn test_nested_scope_filter() {
let mut srv = init_service(
App::new().service(
web::scope("/app").service(
web::scope("/t1")
2019-03-04 19:47:53 +00:00
.guard(guard::Get())
.service(web::resource("/path1").to(|| HttpResponse::Ok())),
),
),
);
2019-03-04 19:47:53 +00:00
let req = TestRequest::with_uri("/app/t1/path1")
.method(Method::POST)
.to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 19:47:53 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
let req = TestRequest::with_uri("/app/t1/path1")
.method(Method::GET)
.to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 19:47:53 +00:00
assert_eq!(resp.status(), StatusCode::OK);
}
2019-03-04 05:02:01 +00:00
#[test]
fn test_nested_scope_with_variable_segment() {
let mut srv = init_service(App::new().service(web::scope("/app").service(
web::scope("/{project_id}").service(web::resource("/path1").to(
|r: HttpRequest| {
HttpResponse::Created()
.body(format!("project: {}", &r.match_info()["project_id"]))
},
)),
)));
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/project_1/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::CREATED);
2019-04-02 20:35:01 +00:00
match resp.response().body() {
2019-03-04 05:02:01 +00:00
ResponseBody::Body(Body::Bytes(ref b)) => {
let bytes: Bytes = b.clone().into();
assert_eq!(bytes, Bytes::from_static(b"project: project_1"));
}
_ => panic!(),
}
}
#[test]
fn test_nested2_scope_with_variable_segment() {
let mut srv = init_service(App::new().service(web::scope("/app").service(
web::scope("/{project}").service(web::scope("/{id}").service(
web::resource("/path1").to(|r: HttpRequest| {
HttpResponse::Created().body(format!(
"project: {} - {}",
&r.match_info()["project"],
&r.match_info()["id"],
))
}),
)),
)));
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/test/1/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::CREATED);
2019-04-02 20:35:01 +00:00
match resp.response().body() {
2019-03-04 05:02:01 +00:00
ResponseBody::Body(Body::Bytes(ref b)) => {
let bytes: Bytes = b.clone().into();
assert_eq!(bytes, Bytes::from_static(b"project: test - 1"));
}
_ => panic!(),
}
let req = TestRequest::with_uri("/app/test/1/path2").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
}
#[test]
fn test_default_resource() {
let mut srv = init_service(
App::new().service(
web::scope("/app")
.service(web::resource("/path1").to(|| HttpResponse::Ok()))
.default_service(|r: ServiceRequest| {
r.into_response(HttpResponse::BadRequest())
}),
),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/app/path2").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::BAD_REQUEST);
let req = TestRequest::with_uri("/path2").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::NOT_FOUND);
}
#[test]
fn test_default_resource_propagation() {
let mut srv = init_service(
App::new()
.service(web::scope("/app1").default_service(
web::resource("").to(|| HttpResponse::BadRequest()),
))
.service(web::scope("/app2"))
.default_service(|r: ServiceRequest| {
r.into_response(HttpResponse::MethodNotAllowed())
}),
);
2019-03-04 05:02:01 +00:00
let req = TestRequest::with_uri("/non-exist").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::METHOD_NOT_ALLOWED);
let req = TestRequest::with_uri("/app1/non-exist").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::BAD_REQUEST);
let req = TestRequest::with_uri("/app2/non-exist").to_request();
let resp = block_on(srv.call(req)).unwrap();
2019-03-04 05:02:01 +00:00
assert_eq!(resp.status(), StatusCode::METHOD_NOT_ALLOWED);
}
2019-03-25 20:02:10 +00:00
fn md<S, B>(
req: ServiceRequest,
2019-03-25 20:02:10 +00:00
srv: &mut S,
) -> impl IntoFuture<Item = ServiceResponse<B>, Error = Error>
where
S: Service<
Request = ServiceRequest,
2019-03-25 20:02:10 +00:00
Response = ServiceResponse<B>,
Error = Error,
>,
{
srv.call(req).map(|mut res| {
res.headers_mut()
.insert(header::CONTENT_TYPE, HeaderValue::from_static("0001"));
res
})
}
#[test]
fn test_middleware() {
let mut srv =
init_service(App::new().service(web::scope("app").wrap(md).service(
web::resource("/test").route(web::get().to(|| HttpResponse::Ok())),
)));
let req = TestRequest::with_uri("/app/test").to_request();
let resp = call_service(&mut srv, req);
2019-03-25 20:02:10 +00:00
assert_eq!(resp.status(), StatusCode::OK);
assert_eq!(
resp.headers().get(header::CONTENT_TYPE).unwrap(),
HeaderValue::from_static("0001")
);
}
2019-03-25 20:43:02 +00:00
#[test]
fn test_middleware_fn() {
let mut srv = init_service(
App::new().service(
web::scope("app")
.wrap_fn(|req, srv| {
srv.call(req).map(|mut res| {
res.headers_mut().insert(
header::CONTENT_TYPE,
HeaderValue::from_static("0001"),
);
res
})
})
.route("/test", web::get().to(|| HttpResponse::Ok())),
),
);
let req = TestRequest::with_uri("/app/test").to_request();
let resp = call_service(&mut srv, req);
2019-03-25 20:43:02 +00:00
assert_eq!(resp.status(), StatusCode::OK);
assert_eq!(
resp.headers().get(header::CONTENT_TYPE).unwrap(),
HeaderValue::from_static("0001")
);
}
#[test]
fn test_override_data() {
let mut srv = init_service(App::new().data(1usize).service(
web::scope("app").data(10usize).route(
"/t",
web::get().to(|data: web::Data<usize>| {
assert_eq!(*data, 10);
let _ = data.clone();
HttpResponse::Ok()
}),
),
));
let req = TestRequest::with_uri("/app/t").to_request();
let resp = call_service(&mut srv, req);
assert_eq!(resp.status(), StatusCode::OK);
}
#[test]
fn test_scope_config() {
let mut srv =
init_service(App::new().service(web::scope("/app").configure(|s| {
s.route("/path1", web::get().to(|| HttpResponse::Ok()));
})));
let req = TestRequest::with_uri("/app/path1").to_request();
let resp = block_on(srv.call(req)).unwrap();
assert_eq!(resp.status(), StatusCode::OK);
}
#[test]
fn test_scope_config_2() {
let mut srv =
init_service(App::new().service(web::scope("/app").configure(|s| {
s.service(web::scope("/v1").configure(|s| {
s.route("/", web::get().to(|| HttpResponse::Ok()));
}));
})));
let req = TestRequest::with_uri("/app/v1/").to_request();
let resp = block_on(srv.call(req)).unwrap();
assert_eq!(resp.status(), StatusCode::OK);
}
#[test]
fn test_url_for_external() {
let mut srv =
init_service(App::new().service(web::scope("/app").configure(|s| {
s.service(web::scope("/v1").configure(|s| {
s.external_resource(
"youtube",
"https://youtube.com/watch/{video_id}",
);
s.route(
"/",
web::get().to(|req: HttpRequest| {
HttpResponse::Ok().body(format!(
"{}",
req.url_for("youtube", &["xxxxxx"]).unwrap().as_str()
))
}),
);
}));
})));
let req = TestRequest::with_uri("/app/v1/").to_request();
let resp = block_on(srv.call(req)).unwrap();
assert_eq!(resp.status(), StatusCode::OK);
let body = read_body(resp);
assert_eq!(body, &b"https://youtube.com/watch/xxxxxx"[..]);
}
#[test]
fn test_url_for_nested() {
let mut srv = init_service(App::new().service(web::scope("/a").service(
web::scope("/b").service(web::resource("/c/{stuff}").name("c").route(
web::get().to(|req: HttpRequest| {
HttpResponse::Ok()
.body(format!("{}", req.url_for("c", &["12345"]).unwrap()))
}),
)),
)));
let req = TestRequest::with_uri("/a/b/c/test").to_request();
let resp = call_service(&mut srv, req);
assert_eq!(resp.status(), StatusCode::OK);
let body = read_body(resp);
assert_eq!(
body,
Bytes::from_static(b"http://localhost:8080/a/b/c/12345")
);
}
2019-03-04 05:02:01 +00:00
}