1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-06-11 01:39:33 +00:00

tweak and document router (#2612)

Co-authored-by: Rob Ede <robjtede@icloud.com>
This commit is contained in:
Ali MJ Al-Nasrawy 2022-02-01 01:12:48 +03:00 committed by GitHub
parent fd412a8223
commit 9fde5b30db
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
7 changed files with 115 additions and 121 deletions

View file

@ -1,8 +1,14 @@
# Changes # Changes
## Unreleased - 2021-xx-xx ## Unreleased - 2021-xx-xx
- Remove unused `ResourceInfo`. [#2612]
- Add `RouterBuilder::push`. [#2612]
- Change signature of `ResourceDef::capture_match_info_fn` to remove `user_data` parameter. [#2612]
- Replace `Option<U>` with `U` in `Router` API. [#2612]
- Relax bounds on `Router::recognize*` and `ResourceDef::capture_match_info`. [#2612]
- `Quoter::requote` now returns `Option<Vec<u8>>`. [#2613] - `Quoter::requote` now returns `Option<Vec<u8>>`. [#2613]
[#2612]: https://github.com/actix/actix-web/pull/2612
[#2613]: https://github.com/actix/actix-web/pull/2613 [#2613]: https://github.com/actix/actix-web/pull/2613

View file

@ -22,7 +22,7 @@ pub use self::pattern::{IntoPatterns, Patterns};
pub use self::quoter::Quoter; pub use self::quoter::Quoter;
pub use self::resource::ResourceDef; pub use self::resource::ResourceDef;
pub use self::resource_path::{Resource, ResourcePath}; pub use self::resource_path::{Resource, ResourcePath};
pub use self::router::{ResourceInfo, Router, RouterBuilder}; pub use self::router::{ResourceId, Router, RouterBuilder};
#[cfg(feature = "http")] #[cfg(feature = "http")]
pub use self::url::Url; pub use self::url::Url;

View file

@ -64,14 +64,14 @@ impl Quoter {
quoter quoter
} }
/// Re-quotes... ? /// Decodes safe percent-encoded sequences from `val`.
/// ///
/// Returns `None` when no modification to the original byte string was required. /// Returns `None` when no modification to the original byte string was required.
/// ///
/// Non-ASCII bytes are accepted as valid input. /// Non-ASCII bytes are accepted as valid input.
/// ///
/// Behavior for invalid/incomplete percent-encoding sequences is unspecified and may include removing /// Behavior for invalid/incomplete percent-encoding sequences is unspecified and may include
/// the invalid sequence from the output or passing it as it is. /// removing the invalid sequence from the output or passing it as-is.
pub fn requote(&self, val: &[u8]) -> Option<Vec<u8>> { pub fn requote(&self, val: &[u8]) -> Option<Vec<u8>> {
let mut has_pct = 0; let mut has_pct = 0;
let mut pct = [b'%', 0, 0]; let mut pct = [b'%', 0, 0];

View file

@ -8,10 +8,7 @@ use std::{
use firestorm::{profile_fn, profile_method, profile_section}; use firestorm::{profile_fn, profile_method, profile_section};
use regex::{escape, Regex, RegexSet}; use regex::{escape, Regex, RegexSet};
use crate::{ use crate::{path::PathItem, IntoPatterns, Patterns, Resource, ResourcePath};
path::{Path, PathItem},
IntoPatterns, Patterns, Resource, ResourcePath,
};
const MAX_DYNAMIC_SEGMENTS: usize = 16; const MAX_DYNAMIC_SEGMENTS: usize = 16;
@ -615,7 +612,7 @@ impl ResourceDef {
} }
} }
/// Collects dynamic segment values into `path`. /// Collects dynamic segment values into `resource`.
/// ///
/// Returns `true` if `path` matches this resource. /// Returns `true` if `path` matches this resource.
/// ///
@ -635,9 +632,9 @@ impl ResourceDef {
/// assert_eq!(path.get("path").unwrap(), "HEAD/Cargo.toml"); /// assert_eq!(path.get("path").unwrap(), "HEAD/Cargo.toml");
/// assert_eq!(path.unprocessed(), ""); /// assert_eq!(path.unprocessed(), "");
/// ``` /// ```
pub fn capture_match_info<T: ResourcePath>(&self, path: &mut Path<T>) -> bool { pub fn capture_match_info<R: Resource>(&self, resource: &mut R) -> bool {
profile_method!(capture_match_info); profile_method!(capture_match_info);
self.capture_match_info_fn(path, |_, _| true, ()) self.capture_match_info_fn(resource, |_| true)
} }
/// Collects dynamic segment values into `resource` after matching paths and executing /// Collects dynamic segment values into `resource` after matching paths and executing
@ -655,13 +652,12 @@ impl ResourceDef {
/// use actix_router::{Path, ResourceDef}; /// use actix_router::{Path, ResourceDef};
/// ///
/// fn try_match(resource: &ResourceDef, path: &mut Path<&str>) -> bool { /// fn try_match(resource: &ResourceDef, path: &mut Path<&str>) -> bool {
/// let admin_allowed = std::env::var("ADMIN_ALLOWED").ok(); /// let admin_allowed = std::env::var("ADMIN_ALLOWED").is_ok();
/// ///
/// resource.capture_match_info_fn( /// resource.capture_match_info_fn(
/// path, /// path,
/// // when env var is not set, reject when path contains "admin" /// // when env var is not set, reject when path contains "admin"
/// |res, admin_allowed| !res.path().contains("admin"), /// |res| !(!admin_allowed && res.path().contains("admin")),
/// &admin_allowed
/// ) /// )
/// } /// }
/// ///
@ -678,15 +674,10 @@ impl ResourceDef {
/// assert!(!try_match(&resource, &mut path)); /// assert!(!try_match(&resource, &mut path));
/// assert_eq!(path.unprocessed(), "/user/admin/stars"); /// assert_eq!(path.unprocessed(), "/user/admin/stars");
/// ``` /// ```
pub fn capture_match_info_fn<R, F, U>( pub fn capture_match_info_fn<R, F>(&self, resource: &mut R, check_fn: F) -> bool
&self,
resource: &mut R,
check_fn: F,
user_data: U,
) -> bool
where where
R: Resource, R: Resource,
F: FnOnce(&R, U) -> bool, F: FnOnce(&R) -> bool,
{ {
profile_method!(capture_match_info_fn); profile_method!(capture_match_info_fn);
@ -762,7 +753,7 @@ impl ResourceDef {
} }
}; };
if !check_fn(resource, user_data) { if !check_fn(resource) {
return false; return false;
} }
@ -857,7 +848,7 @@ impl ResourceDef {
S: BuildHasher, S: BuildHasher,
{ {
profile_method!(resource_path_from_map); profile_method!(resource_path_from_map);
self.build_resource_path(path, |name| values.get(name).map(AsRef::<str>::as_ref)) self.build_resource_path(path, |name| values.get(name))
} }
/// Returns true if `prefix` acts as a proper prefix (i.e., separated by a slash) in `path`. /// Returns true if `prefix` acts as a proper prefix (i.e., separated by a slash) in `path`.
@ -1157,6 +1148,7 @@ pub(crate) fn insert_slash(path: &str) -> Cow<'_, str> {
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use super::*; use super::*;
use crate::Path;
#[test] #[test]
fn equivalence() { fn equivalence() {

View file

@ -5,87 +5,83 @@ use crate::{IntoPatterns, Resource, ResourceDef};
#[derive(Debug, Copy, Clone, PartialEq)] #[derive(Debug, Copy, Clone, PartialEq)]
pub struct ResourceId(pub u16); pub struct ResourceId(pub u16);
/// Information about current resource
#[derive(Debug, Clone)]
pub struct ResourceInfo {
#[allow(dead_code)]
resource: ResourceId,
}
/// Resource router. /// Resource router.
// T is the resource itself ///
// U is any other data needed for routing like method guards /// It matches a [routing resource](Resource) to an ordered list of _routes_. Each is defined by a
/// single [`ResourceDef`] and contains two types of custom data:
/// 1. The route _value_, of the generic type `T`.
/// 1. Some _context_ data, of the generic type `U`, which is only provided to the check function in
/// [`recognize_fn`](Self::recognize_fn). This parameter defaults to `()` and can be omitted if
/// not required.
pub struct Router<T, U = ()> { pub struct Router<T, U = ()> {
routes: Vec<(ResourceDef, T, Option<U>)>, routes: Vec<(ResourceDef, T, U)>,
} }
impl<T, U> Router<T, U> { impl<T, U> Router<T, U> {
/// Constructs new `RouterBuilder` with empty route list.
pub fn build() -> RouterBuilder<T, U> { pub fn build() -> RouterBuilder<T, U> {
RouterBuilder { RouterBuilder { routes: Vec::new() }
resources: Vec::new(),
}
} }
/// Finds the value in the router that matches a given [routing resource](Resource).
///
/// The match result, including the captured dynamic segments, in the `resource`.
pub fn recognize<R>(&self, resource: &mut R) -> Option<(&T, ResourceId)> pub fn recognize<R>(&self, resource: &mut R) -> Option<(&T, ResourceId)>
where where
R: Resource, R: Resource,
{ {
profile_method!(recognize); profile_method!(recognize);
self.recognize_fn(resource, |_, _| true)
for item in self.routes.iter() {
if item.0.capture_match_info(resource.resource_path()) {
return Some((&item.1, ResourceId(item.0.id())));
}
}
None
} }
/// Same as [`recognize`](Self::recognize) but returns a mutable reference to the matched value.
pub fn recognize_mut<R>(&mut self, resource: &mut R) -> Option<(&mut T, ResourceId)> pub fn recognize_mut<R>(&mut self, resource: &mut R) -> Option<(&mut T, ResourceId)>
where where
R: Resource, R: Resource,
{ {
profile_method!(recognize_mut); profile_method!(recognize_mut);
self.recognize_mut_fn(resource, |_, _| true)
for item in self.routes.iter_mut() {
if item.0.capture_match_info(resource.resource_path()) {
return Some((&mut item.1, ResourceId(item.0.id())));
}
}
None
} }
pub fn recognize_fn<R, F>(&self, resource: &mut R, check: F) -> Option<(&T, ResourceId)> /// Finds the value in the router that matches a given [routing resource](Resource) and passes
/// an additional predicate check using context data.
///
/// Similar to [`recognize`](Self::recognize). However, before accepting the route as matched,
/// the `check` closure is executed, passing the resource and each route's context data. If the
/// closure returns true then the match result is stored into `resource` and a reference to
/// the matched _value_ is returned.
pub fn recognize_fn<R, F>(&self, resource: &mut R, mut check: F) -> Option<(&T, ResourceId)>
where where
F: Fn(&R, &Option<U>) -> bool,
R: Resource, R: Resource,
F: FnMut(&R, &U) -> bool,
{ {
profile_method!(recognize_checked); profile_method!(recognize_checked);
for item in self.routes.iter() { for (rdef, val, ctx) in self.routes.iter() {
if item.0.capture_match_info_fn(resource, &check, &item.2) { if rdef.capture_match_info_fn(resource, |res| check(res, ctx)) {
return Some((&item.1, ResourceId(item.0.id()))); return Some((val, ResourceId(rdef.id())));
} }
} }
None None
} }
/// Same as [`recognize_fn`](Self::recognize_fn) but returns a mutable reference to the matched
/// value.
pub fn recognize_mut_fn<R, F>( pub fn recognize_mut_fn<R, F>(
&mut self, &mut self,
resource: &mut R, resource: &mut R,
check: F, mut check: F,
) -> Option<(&mut T, ResourceId)> ) -> Option<(&mut T, ResourceId)>
where where
F: Fn(&R, &Option<U>) -> bool,
R: Resource, R: Resource,
F: FnMut(&R, &U) -> bool,
{ {
profile_method!(recognize_mut_checked); profile_method!(recognize_mut_checked);
for item in self.routes.iter_mut() { for (rdef, val, ctx) in self.routes.iter_mut() {
if item.0.capture_match_info_fn(resource, &check, &item.2) { if rdef.capture_match_info_fn(resource, |res| check(res, ctx)) {
return Some((&mut item.1, ResourceId(item.0.id()))); return Some((val, ResourceId(rdef.id())));
} }
} }
@ -93,49 +89,69 @@ impl<T, U> Router<T, U> {
} }
} }
/// Builder for an ordered [routing](Router) list.
pub struct RouterBuilder<T, U = ()> { pub struct RouterBuilder<T, U = ()> {
resources: Vec<(ResourceDef, T, Option<U>)>, routes: Vec<(ResourceDef, T, U)>,
} }
impl<T, U> RouterBuilder<T, U> { impl<T, U> RouterBuilder<T, U> {
/// Register resource for specified path. /// Adds a new route to the end of the routing list.
pub fn path<P: IntoPatterns>( ///
/// Returns mutable references to elements of the new route.
pub fn push(
&mut self, &mut self,
path: P, rdef: ResourceDef,
resource: T, val: T,
) -> &mut (ResourceDef, T, Option<U>) { ctx: U,
profile_method!(path); ) -> (&mut ResourceDef, &mut T, &mut U) {
profile_method!(push);
self.resources self.routes.push((rdef, val, ctx));
.push((ResourceDef::new(path), resource, None)); self.routes
self.resources.last_mut().unwrap() .last_mut()
} .map(|(rdef, val, ctx)| (rdef, val, ctx))
.unwrap()
/// Register resource for specified path prefix.
pub fn prefix(&mut self, prefix: &str, resource: T) -> &mut (ResourceDef, T, Option<U>) {
profile_method!(prefix);
self.resources
.push((ResourceDef::prefix(prefix), resource, None));
self.resources.last_mut().unwrap()
}
/// Register resource for ResourceDef
pub fn rdef(&mut self, rdef: ResourceDef, resource: T) -> &mut (ResourceDef, T, Option<U>) {
profile_method!(rdef);
self.resources.push((rdef, resource, None));
self.resources.last_mut().unwrap()
} }
/// Finish configuration and create router instance. /// Finish configuration and create router instance.
pub fn finish(self) -> Router<T, U> { pub fn finish(self) -> Router<T, U> {
Router { Router {
routes: self.resources, routes: self.routes,
} }
} }
} }
/// Convenience methods provided when context data impls [`Default`]
impl<T, U> RouterBuilder<T, U>
where
U: Default,
{
/// Registers resource for specified path.
pub fn path(
&mut self,
path: impl IntoPatterns,
val: T,
) -> (&mut ResourceDef, &mut T, &mut U) {
profile_method!(path);
self.push(ResourceDef::new(path), val, U::default())
}
/// Registers resource for specified path prefix.
pub fn prefix(
&mut self,
prefix: impl IntoPatterns,
val: T,
) -> (&mut ResourceDef, &mut T, &mut U) {
profile_method!(prefix);
self.push(ResourceDef::prefix(prefix), val, U::default())
}
/// Registers resource for [`ResourceDef`].
pub fn rdef(&mut self, rdef: ResourceDef, val: T) -> (&mut ResourceDef, &mut T, &mut U) {
profile_method!(rdef);
self.push(rdef, val, U::default())
}
}
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use crate::path::Path; use crate::path::Path;

View file

@ -21,8 +21,6 @@ use crate::{
Error, HttpResponse, Error, HttpResponse,
}; };
type Guards = Vec<Box<dyn Guard>>;
/// Service factory to convert `Request` to a `ServiceRequest<S>`. /// Service factory to convert `Request` to a `ServiceRequest<S>`.
/// ///
/// It also executes data factories. /// It also executes data factories.
@ -244,7 +242,7 @@ pub struct AppRoutingFactory {
[( [(
ResourceDef, ResourceDef,
BoxedHttpServiceFactory, BoxedHttpServiceFactory,
RefCell<Option<Guards>>, RefCell<Option<Vec<Box<dyn Guard>>>>,
)], )],
>, >,
default: Rc<BoxedHttpServiceFactory>, default: Rc<BoxedHttpServiceFactory>,
@ -262,7 +260,7 @@ impl ServiceFactory<ServiceRequest> for AppRoutingFactory {
// construct all services factory future with it's resource def and guards. // construct all services factory future with it's resource def and guards.
let factory_fut = join_all(self.services.iter().map(|(path, factory, guards)| { let factory_fut = join_all(self.services.iter().map(|(path, factory, guards)| {
let path = path.clone(); let path = path.clone();
let guards = guards.borrow_mut().take(); let guards = guards.borrow_mut().take().unwrap_or_default();
let factory_fut = factory.new_service(()); let factory_fut = factory.new_service(());
async move { async move {
let service = factory_fut.await?; let service = factory_fut.await?;
@ -283,7 +281,7 @@ impl ServiceFactory<ServiceRequest> for AppRoutingFactory {
.collect::<Result<Vec<_>, _>>()? .collect::<Result<Vec<_>, _>>()?
.drain(..) .drain(..)
.fold(Router::build(), |mut router, (path, guards, service)| { .fold(Router::build(), |mut router, (path, guards, service)| {
router.rdef(path, service).2 = guards; router.push(path, service, guards);
router router
}) })
.finish(); .finish();
@ -295,7 +293,7 @@ impl ServiceFactory<ServiceRequest> for AppRoutingFactory {
/// The Actix Web router default entry point. /// The Actix Web router default entry point.
pub struct AppRouting { pub struct AppRouting {
router: Router<BoxedHttpService, Guards>, router: Router<BoxedHttpService, Vec<Box<dyn Guard>>>,
default: BoxedHttpService, default: BoxedHttpService,
} }
@ -308,17 +306,8 @@ impl Service<ServiceRequest> for AppRouting {
fn call(&self, mut req: ServiceRequest) -> Self::Future { fn call(&self, mut req: ServiceRequest) -> Self::Future {
let res = self.router.recognize_fn(&mut req, |req, guards| { let res = self.router.recognize_fn(&mut req, |req, guards| {
if let Some(ref guards) = guards { let guard_ctx = req.guard_ctx();
let guard_ctx = req.guard_ctx(); guards.iter().all(|guard| guard.check(&guard_ctx))
for guard in guards {
if !guard.check(&guard_ctx) {
return false;
}
}
}
true
}); });
if let Some((srv, _info)) = res { if let Some((srv, _info)) = res {

View file

@ -467,7 +467,7 @@ impl ServiceFactory<ServiceRequest> for ScopeFactory {
// construct all services factory future with it's resource def and guards. // construct all services factory future with it's resource def and guards.
let factory_fut = join_all(self.services.iter().map(|(path, factory, guards)| { let factory_fut = join_all(self.services.iter().map(|(path, factory, guards)| {
let path = path.clone(); let path = path.clone();
let guards = guards.borrow_mut().take(); let guards = guards.borrow_mut().take().unwrap_or_default();
let factory_fut = factory.new_service(()); let factory_fut = factory.new_service(());
async move { async move {
let service = factory_fut.await?; let service = factory_fut.await?;
@ -485,7 +485,7 @@ impl ServiceFactory<ServiceRequest> for ScopeFactory {
.collect::<Result<Vec<_>, _>>()? .collect::<Result<Vec<_>, _>>()?
.drain(..) .drain(..)
.fold(Router::build(), |mut router, (path, guards, service)| { .fold(Router::build(), |mut router, (path, guards, service)| {
router.rdef(path, service).2 = guards; router.push(path, service, guards);
router router
}) })
.finish(); .finish();
@ -509,17 +509,8 @@ impl Service<ServiceRequest> for ScopeService {
fn call(&self, mut req: ServiceRequest) -> Self::Future { fn call(&self, mut req: ServiceRequest) -> Self::Future {
let res = self.router.recognize_fn(&mut req, |req, guards| { let res = self.router.recognize_fn(&mut req, |req, guards| {
if let Some(ref guards) = guards { let guard_ctx = req.guard_ctx();
let guard_ctx = req.guard_ctx(); guards.iter().all(|guard| guard.check(&guard_ctx))
for guard in guards {
if !guard.check(&guard_ctx) {
return false;
}
}
}
true
}); });
if let Some((srv, _info)) = res { if let Some((srv, _info)) = res {