1
0
mirror of https://github.com/actix/actix-extras.git synced 2024-11-25 00:12:59 +01:00
actix-extras/src/router.rs

857 lines
27 KiB
Rust
Raw Normal View History

2018-04-14 01:02:01 +02:00
use std::collections::HashMap;
use std::hash::{Hash, Hasher};
2017-12-07 01:26:27 +01:00
use std::rc::Rc;
2018-04-14 01:02:01 +02:00
use regex::{escape, Regex};
2018-06-25 06:58:04 +02:00
use url::Url;
use error::UrlGenerationError;
2018-06-25 06:58:04 +02:00
use param::{ParamItem, Params};
2018-07-12 11:30:01 +02:00
use resource::Resource;
2018-06-25 06:58:04 +02:00
use server::Request;
#[derive(Debug, Copy, Clone, PartialEq)]
pub(crate) enum RouterResource {
Notset,
Normal(u16),
}
2017-12-07 01:26:27 +01:00
/// Interface for application router.
2017-12-26 18:00:45 +01:00
pub struct Router(Rc<Inner>);
2018-06-25 06:58:04 +02:00
#[derive(Clone)]
pub struct RouteInfo {
router: Rc<Inner>,
resource: RouterResource,
params: Params,
}
impl RouteInfo {
/// This method returns reference to matched `Resource` object.
#[inline]
2018-07-12 11:30:01 +02:00
pub fn resource(&self) -> Option<&ResourceDef> {
2018-06-25 06:58:04 +02:00
if let RouterResource::Normal(idx) = self.resource {
Some(&self.router.patterns[idx as usize])
} else {
None
}
}
/// Get a reference to the Params object.
///
/// Params is a container for url parameters.
/// A variable segment is specified in the form `{identifier}`,
/// where the identifier can be used later in a request handler to
/// access the matched value for that segment.
#[inline]
pub fn match_info(&self) -> &Params {
&self.params
}
#[inline]
2018-07-04 17:01:27 +02:00
pub(crate) fn merge(&self, params: &Params) -> RouteInfo {
2018-06-25 06:58:04 +02:00
let mut p = self.params.clone();
p.set_tail(params.tail);
for item in &params.segments {
p.add(item.0.clone(), item.1.clone());
}
RouteInfo {
params: p,
router: self.router.clone(),
resource: self.resource,
}
}
/// Generate url for named resource
///
/// Check [`HttpRequest::url_for()`](../struct.HttpRequest.html#method.
/// url_for) for detailed information.
pub fn url_for<U, I>(
&self, req: &Request, name: &str, elements: U,
) -> Result<Url, UrlGenerationError>
where
U: IntoIterator<Item = I>,
I: AsRef<str>,
{
if let Some(pattern) = self.router.named.get(name) {
let path = pattern.0.resource_path(elements, &self.router.prefix)?;
if path.starts_with('/') {
let conn = req.connection_info();
Ok(Url::parse(&format!(
"{}://{}{}",
conn.scheme(),
conn.host(),
path
))?)
} else {
Ok(Url::parse(&path)?)
}
} else {
Err(UrlGenerationError::ResourceNotFound)
}
}
/// Check if application contains matching route.
///
/// This method does not take `prefix` into account.
/// For example if prefix is `/test` and router contains route `/name`,
/// following path would be recognizable `/test/name` but `has_route()` call
/// would return `false`.
pub fn has_route(&self, path: &str) -> bool {
let path = if path.is_empty() { "/" } else { path };
for pattern in &self.router.patterns {
if pattern.is_match(path) {
return true;
}
}
false
}
}
2017-12-26 18:00:45 +01:00
struct Inner {
prefix: String,
prefix_len: usize,
2018-07-12 11:30:01 +02:00
named: HashMap<String, (ResourceDef, bool)>,
patterns: Vec<ResourceDef>,
}
2017-12-07 01:26:27 +01:00
2017-12-26 18:00:45 +01:00
impl Router {
/// Create new router
2018-04-14 01:02:01 +02:00
pub fn new<S>(
2018-07-12 11:30:01 +02:00
prefix: &str, map: Vec<(ResourceDef, Option<Resource<S>>)>,
) -> (Router, Vec<Resource<S>>) {
2017-12-07 01:26:27 +01:00
let prefix = prefix.trim().trim_right_matches('/').to_owned();
let mut named = HashMap::new();
let mut patterns = Vec::new();
2017-12-07 01:26:27 +01:00
let mut resources = Vec::new();
for (pattern, resource) in map {
if !pattern.name().is_empty() {
let name = pattern.name().into();
named.insert(name, (pattern.clone(), resource.is_none()));
}
if let Some(resource) = resource {
patterns.push(pattern);
resources.push(resource);
}
2017-12-07 01:26:27 +01:00
}
2018-02-26 23:33:56 +01:00
let prefix_len = prefix.len();
2018-04-14 01:02:01 +02:00
(
Router(Rc::new(Inner {
prefix,
prefix_len,
named,
patterns,
})),
resources,
)
2017-12-07 01:26:27 +01:00
}
/// Router prefix
#[inline]
2017-12-08 03:00:20 +01:00
pub fn prefix(&self) -> &str {
&self.0.prefix
2017-12-07 01:26:27 +01:00
}
2018-06-25 06:58:04 +02:00
pub(crate) fn route_info(&self, req: &Request, prefix: u16) -> RouteInfo {
let mut params = Params::with_url(req.url());
params.set_tail(prefix);
RouteInfo {
params,
router: self.0.clone(),
resource: RouterResource::Notset,
}
2017-12-07 01:26:27 +01:00
}
2018-07-04 17:01:27 +02:00
pub(crate) fn route_info_params(&self, params: Params) -> RouteInfo {
2018-06-25 06:58:04 +02:00
RouteInfo {
params,
router: self.0.clone(),
resource: RouterResource::Notset,
}
}
2018-07-04 17:01:27 +02:00
pub(crate) fn default_route_info(&self) -> RouteInfo {
2018-06-25 06:58:04 +02:00
RouteInfo {
router: self.0.clone(),
resource: RouterResource::Notset,
params: Params::new(),
}
2017-12-07 01:26:27 +01:00
}
2018-06-25 06:58:04 +02:00
/// Query for matched resource
pub fn recognize(&self, req: &Request) -> Option<(usize, RouteInfo)> {
if self.0.prefix_len > req.path().len() {
return None;
}
for (idx, pattern) in self.0.patterns.iter().enumerate() {
if let Some(params) = pattern.match_with_params(req, self.0.prefix_len, true)
{
return Some((
idx,
RouteInfo {
params,
router: self.0.clone(),
resource: RouterResource::Normal(idx as u16),
},
));
}
2017-12-07 01:26:27 +01:00
}
2018-06-25 06:58:04 +02:00
None
2017-12-07 01:26:27 +01:00
}
}
2017-12-26 18:00:45 +01:00
impl Clone for Router {
fn clone(&self) -> Router {
2017-12-07 01:26:27 +01:00
Router(Rc::clone(&self.0))
}
}
#[derive(Debug, Clone, PartialEq)]
enum PatternElement {
Str(String),
Var(String),
}
2018-02-22 14:48:18 +01:00
#[derive(Clone, Debug)]
enum PatternType {
Static(String),
Prefix(String),
Dynamic(Regex, Vec<Rc<String>>, usize),
}
#[derive(Debug, Copy, Clone, PartialEq)]
/// Resource type
pub enum ResourceType {
/// Normal resource
Normal,
2018-05-06 18:07:30 +02:00
/// Resource for application default handler
Default,
/// External resource
External,
/// Unknown resource type
Unset,
}
2018-05-06 18:07:30 +02:00
/// Resource type describes an entry in resources table
2018-06-25 06:58:04 +02:00
#[derive(Clone, Debug)]
2018-07-12 11:30:01 +02:00
pub struct ResourceDef {
tp: PatternType,
rtp: ResourceType,
name: String,
pattern: String,
elements: Vec<PatternElement>,
}
2018-07-12 11:30:01 +02:00
impl ResourceDef {
/// Parse path pattern and create new `Resource` instance.
///
/// Panics if path pattern is wrong.
pub fn new(name: &str, path: &str) -> Self {
2018-07-12 11:30:01 +02:00
ResourceDef::with_prefix(name, path, "/", false)
}
/// Parse path pattern and create new `Resource` instance.
///
/// Use `prefix` type instead of `static`.
///
/// Panics if path regex pattern is wrong.
pub fn prefix(name: &str, path: &str) -> Self {
2018-07-12 11:30:01 +02:00
ResourceDef::with_prefix(name, path, "/", true)
}
/// Construct external resource
///
/// Panics if path pattern is wrong.
pub fn external(name: &str, path: &str) -> Self {
2018-07-12 11:30:01 +02:00
let mut resource = ResourceDef::with_prefix(name, path, "/", false);
resource.rtp = ResourceType::External;
resource
}
/// Parse path pattern and create new `Resource` instance with custom prefix
pub fn with_prefix(name: &str, path: &str, prefix: &str, for_prefix: bool) -> Self {
let (pattern, elements, is_dynamic, len) =
2018-07-12 11:30:01 +02:00
ResourceDef::parse(path, prefix, for_prefix);
let tp = if is_dynamic {
let re = match Regex::new(&pattern) {
Ok(re) => re,
2018-04-14 01:02:01 +02:00
Err(err) => panic!("Wrong path pattern: \"{}\" {}", path, err),
};
2018-06-22 07:44:38 +02:00
// actix creates one router per thread
2018-05-17 21:20:20 +02:00
let names = re
.capture_names()
2018-06-25 06:58:04 +02:00
.filter_map(|name| name.map(|name| Rc::new(name.to_owned())))
.collect();
PatternType::Dynamic(re, names, len)
} else if for_prefix {
PatternType::Prefix(pattern.clone())
} else {
PatternType::Static(pattern.clone())
};
2018-07-12 11:30:01 +02:00
ResourceDef {
2018-02-26 23:33:56 +01:00
tp,
elements,
name: name.into(),
rtp: ResourceType::Normal,
pattern: path.to_owned(),
}
}
/// Name of the resource
pub fn name(&self) -> &str {
&self.name
}
/// Resource type
pub fn rtype(&self) -> ResourceType {
self.rtp
}
/// Path pattern of the resource
pub fn pattern(&self) -> &str {
&self.pattern
}
/// Is this path a match against this resource?
pub fn is_match(&self, path: &str) -> bool {
match self.tp {
PatternType::Static(ref s) => s == path,
PatternType::Dynamic(ref re, _, _) => re.is_match(path),
PatternType::Prefix(ref s) => path.starts_with(s),
}
}
/// Are the given path and parameters a match against this resource?
2018-06-25 06:58:04 +02:00
pub fn match_with_params(
&self, req: &Request, plen: usize, insert: bool,
) -> Option<Params> {
let path = &req.path()[plen..];
if insert {
if path.is_empty() {
"/"
2018-06-19 12:45:26 +02:00
} else {
path
2018-06-25 06:58:04 +02:00
}
} else {
path
};
2018-06-19 12:45:26 +02:00
2018-06-25 06:58:04 +02:00
match self.tp {
PatternType::Static(ref s) => if s != path {
None
} else {
Some(Params::with_url(req.url()))
},
PatternType::Dynamic(ref re, ref names, _) => {
if let Some(captures) = re.captures(path) {
let mut params = Params::with_url(req.url());
let mut idx = 0;
let mut passed = false;
for capture in captures.iter() {
if let Some(ref m) = capture {
if !passed {
passed = true;
continue;
}
params.add(
names[idx].clone(),
ParamItem::UrlSegment(
2018-06-19 12:45:26 +02:00
(plen + m.start()) as u16,
(plen + m.end()) as u16,
2018-06-25 06:58:04 +02:00
),
);
idx += 1;
}
}
2018-06-25 06:58:04 +02:00
params.set_tail(req.path().len() as u16);
Some(params)
} else {
None
}
}
2018-06-25 06:58:04 +02:00
PatternType::Prefix(ref s) => if !path.starts_with(s) {
None
} else {
Some(Params::with_url(req.url()))
},
}
}
/// Is the given path a prefix match and do the parameters match against this resource?
2018-06-25 06:58:04 +02:00
pub fn match_prefix_with_params(
&self, req: &Request, plen: usize,
) -> Option<Params> {
let path = &req.path()[plen..];
let path = if path.is_empty() { "/" } else { path };
match self.tp {
PatternType::Static(ref s) => if s == path {
Some(Params::with_url(req.url()))
} else {
None
},
PatternType::Dynamic(ref re, ref names, len) => {
if let Some(captures) = re.captures(path) {
let mut params = Params::with_url(req.url());
let mut pos = 0;
let mut passed = false;
let mut idx = 0;
for capture in captures.iter() {
if let Some(ref m) = capture {
if !passed {
passed = true;
continue;
}
params.add(
names[idx].clone(),
ParamItem::UrlSegment(
2018-06-19 12:45:26 +02:00
(plen + m.start()) as u16,
(plen + m.end()) as u16,
2018-06-25 06:58:04 +02:00
),
);
idx += 1;
pos = m.end();
}
}
2018-06-25 06:58:04 +02:00
params.set_tail((plen + pos + len) as u16);
Some(params)
} else {
None
}
2018-06-25 06:58:04 +02:00
}
PatternType::Prefix(ref s) => {
let len = if path == s {
s.len()
} else if path.starts_with(s)
&& (s.ends_with('/') || path.split_at(s.len()).1.starts_with('/'))
{
if s.ends_with('/') {
s.len() - 1
2018-06-19 12:45:26 +02:00
} else {
2018-06-25 06:58:04 +02:00
s.len()
2018-06-19 12:45:26 +02:00
}
2018-06-25 06:58:04 +02:00
} else {
return None;
};
let mut params = Params::with_url(req.url());
params.set_tail((plen + len) as u16);
Some(params)
2018-06-19 12:45:26 +02:00
}
}
}
2018-05-06 18:07:30 +02:00
/// Build resource path.
2018-04-14 01:02:01 +02:00
pub fn resource_path<U, I>(
2018-06-25 06:58:04 +02:00
&self, elements: U, prefix: &str,
2018-04-14 01:02:01 +02:00
) -> Result<String, UrlGenerationError>
where
U: IntoIterator<Item = I>,
I: AsRef<str>,
{
let mut path = match self.tp {
PatternType::Prefix(ref p) => p.to_owned(),
PatternType::Static(ref p) => p.to_owned(),
PatternType::Dynamic(..) => {
let mut path = String::new();
let mut iter = elements.into_iter();
for el in &self.elements {
match *el {
PatternElement::Str(ref s) => path.push_str(s),
PatternElement::Var(_) => {
if let Some(val) = iter.next() {
path.push_str(val.as_ref())
} else {
return Err(UrlGenerationError::NotEnoughElements);
}
}
}
}
path
}
};
if self.rtp != ResourceType::External {
if prefix.ends_with('/') {
if path.starts_with('/') {
path.insert_str(0, &prefix[..prefix.len() - 1]);
} else {
path.insert_str(0, prefix);
}
} else {
if !path.starts_with('/') {
path.insert(0, '/');
}
path.insert_str(0, prefix);
}
}
Ok(path)
}
fn parse(
pattern: &str, prefix: &str, for_prefix: bool,
) -> (String, Vec<PatternElement>, bool, usize) {
const DEFAULT_PATTERN: &str = "[^/]+";
let mut re1 = String::from("^") + prefix;
let mut re2 = String::from(prefix);
let mut el = String::new();
let mut in_param = false;
let mut in_param_pattern = false;
let mut param_name = String::new();
let mut param_pattern = String::from(DEFAULT_PATTERN);
let mut is_dynamic = false;
let mut elems = Vec::new();
let mut len = 0;
for (index, ch) in pattern.chars().enumerate() {
// All routes must have a leading slash so its optional to have one
if index == 0 && ch == '/' {
continue;
}
if in_param {
// In parameter segment: `{....}`
if ch == '}' {
elems.push(PatternElement::Var(param_name.clone()));
2018-02-22 14:48:18 +01:00
re1.push_str(&format!(r"(?P<{}>{})", &param_name, &param_pattern));
param_name.clear();
param_pattern = String::from(DEFAULT_PATTERN);
len = 0;
in_param_pattern = false;
in_param = false;
} else if ch == ':' {
// The parameter name has been determined; custom pattern land
in_param_pattern = true;
param_pattern.clear();
} else if in_param_pattern {
// Ignore leading whitespace for pattern
if !(ch == ' ' && param_pattern.is_empty()) {
param_pattern.push(ch);
}
} else {
param_name.push(ch);
}
} else if ch == '{' {
in_param = true;
is_dynamic = true;
elems.push(PatternElement::Str(el.clone()));
el.clear();
} else {
2018-02-22 14:48:18 +01:00
re1.push_str(escape(&ch.to_string()).as_str());
re2.push(ch);
el.push(ch);
len += 1;
}
}
if !el.is_empty() {
elems.push(PatternElement::Str(el.clone()));
}
2018-02-22 14:48:18 +01:00
let re = if is_dynamic {
if !for_prefix {
re1.push('$');
}
2018-02-22 14:48:18 +01:00
re1
} else {
re2
};
(re, elems, is_dynamic, len)
}
}
2018-07-12 11:30:01 +02:00
impl PartialEq for ResourceDef {
fn eq(&self, other: &ResourceDef) -> bool {
self.pattern == other.pattern
}
}
2018-07-12 11:30:01 +02:00
impl Eq for ResourceDef {}
2018-07-12 11:30:01 +02:00
impl Hash for ResourceDef {
fn hash<H: Hasher>(&self, state: &mut H) {
self.pattern.hash(state);
}
}
#[cfg(test)]
mod tests {
use super::*;
use test::TestRequest;
#[test]
fn test_recognizer10() {
2018-02-22 14:48:18 +01:00
let routes = vec![
2018-07-12 11:30:01 +02:00
(ResourceDef::new("", "/name"), Some(Resource::default())),
2018-04-29 18:09:08 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/name/{val}"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
2018-04-14 01:02:01 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/name/{val}/index.html"),
Some(Resource::default()),
2018-04-14 01:02:01 +02:00
),
2018-04-29 18:09:08 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/file/{file}.{ext}"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
2018-04-14 01:02:01 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/v{val}/{val2}/index.html"),
Some(Resource::default()),
2018-04-14 01:02:01 +02:00
),
2018-04-29 18:09:08 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/v/{tail:.*}"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/test2/{test}.html"),
Some(Resource::default()),
),
2018-04-29 18:09:08 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "{test}/index.html"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
2018-04-14 01:02:01 +02:00
];
2018-06-25 06:58:04 +02:00
let (rec, _) = Router::new::<()>("", routes);
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/name").finish();
assert_eq!(rec.recognize(&req).unwrap().0, 0);
assert!(req.match_info().is_empty());
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/name/value").finish();
let info = rec.recognize(&req).unwrap().1;
let req = req.with_route_info(info);
assert_eq!(req.match_info().get("val").unwrap(), "value");
assert_eq!(&req.match_info()["val"], "value");
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/name/value2/index.html").finish();
let info = rec.recognize(&req).unwrap();
assert_eq!(info.0, 2);
let req = req.with_route_info(info.1);
assert_eq!(req.match_info().get("val").unwrap(), "value2");
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/file/file.gz").finish();
let info = rec.recognize(&req).unwrap();
assert_eq!(info.0, 3);
let req = req.with_route_info(info.1);
2018-02-19 23:57:57 +01:00
assert_eq!(req.match_info().get("file").unwrap(), "file");
assert_eq!(req.match_info().get("ext").unwrap(), "gz");
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/vtest/ttt/index.html").finish();
let info = rec.recognize(&req).unwrap();
assert_eq!(info.0, 4);
let req = req.with_route_info(info.1);
assert_eq!(req.match_info().get("val").unwrap(), "test");
assert_eq!(req.match_info().get("val2").unwrap(), "ttt");
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/v/blah-blah/index.html").finish();
let info = rec.recognize(&req).unwrap();
assert_eq!(info.0, 5);
let req = req.with_route_info(info.1);
2018-04-29 18:09:08 +02:00
assert_eq!(
req.match_info().get("tail").unwrap(),
"blah-blah/index.html"
);
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/test2/index.html").finish();
let info = rec.recognize(&req).unwrap();
assert_eq!(info.0, 6);
let req = req.with_route_info(info.1);
assert_eq!(req.match_info().get("test").unwrap(), "index");
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/bbb/index.html").finish();
let info = rec.recognize(&req).unwrap();
assert_eq!(info.0, 7);
let req = req.with_route_info(info.1);
assert_eq!(req.match_info().get("test").unwrap(), "bbb");
}
2018-02-22 14:48:18 +01:00
#[test]
fn test_recognizer_2() {
let routes = vec![
2018-04-29 18:09:08 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/index.json"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/{source}.json"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
2018-04-14 01:02:01 +02:00
];
2018-06-25 06:58:04 +02:00
let (rec, _) = Router::new::<()>("", routes);
2018-02-22 14:48:18 +01:00
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/index.json").finish();
assert_eq!(rec.recognize(&req).unwrap().0, 0);
2018-02-22 14:48:18 +01:00
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/test.json").finish();
assert_eq!(rec.recognize(&req).unwrap().0, 1);
2018-02-22 14:48:18 +01:00
}
#[test]
fn test_recognizer_with_prefix() {
2018-02-22 14:48:18 +01:00
let routes = vec![
2018-07-12 11:30:01 +02:00
(ResourceDef::new("", "/name"), Some(Resource::default())),
2018-04-29 18:09:08 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/name/{val}"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
2018-04-14 01:02:01 +02:00
];
2018-06-25 06:58:04 +02:00
let (rec, _) = Router::new::<()>("/test", routes);
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/name").finish();
assert!(rec.recognize(&req).is_none());
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/test/name").finish();
assert_eq!(rec.recognize(&req).unwrap().0, 0);
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/test/name/value").finish();
let info = rec.recognize(&req).unwrap();
assert_eq!(info.0, 1);
let req = req.with_route_info(info.1);
assert_eq!(req.match_info().get("val").unwrap(), "value");
assert_eq!(&req.match_info()["val"], "value");
// same patterns
2018-02-22 14:48:18 +01:00
let routes = vec![
2018-07-12 11:30:01 +02:00
(ResourceDef::new("", "/name"), Some(Resource::default())),
2018-04-29 18:09:08 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("", "/name/{val}"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
2018-04-14 01:02:01 +02:00
];
2018-06-25 06:58:04 +02:00
let (rec, _) = Router::new::<()>("/test2", routes);
let req = TestRequest::with_uri("/name").finish();
assert!(rec.recognize(&req).is_none());
let req = TestRequest::with_uri("/test2/name").finish();
assert_eq!(rec.recognize(&req).unwrap().0, 0);
let req = TestRequest::with_uri("/test2/name-test").finish();
assert!(rec.recognize(&req).is_none());
let req = TestRequest::with_uri("/test2/name/ttt").finish();
let info = rec.recognize(&req).unwrap();
assert_eq!(info.0, 1);
let req = req.with_route_info(info.1);
2018-02-22 14:48:18 +01:00
assert_eq!(&req.match_info()["val"], "ttt");
}
#[test]
fn test_parse_static() {
2018-07-12 11:30:01 +02:00
let re = ResourceDef::new("test", "/");
assert!(re.is_match("/"));
assert!(!re.is_match("/a"));
2018-07-12 11:30:01 +02:00
let re = ResourceDef::new("test", "/name");
assert!(re.is_match("/name"));
assert!(!re.is_match("/name1"));
assert!(!re.is_match("/name/"));
assert!(!re.is_match("/name~"));
2018-07-12 11:30:01 +02:00
let re = ResourceDef::new("test", "/name/");
assert!(re.is_match("/name/"));
assert!(!re.is_match("/name"));
assert!(!re.is_match("/name/gs"));
2018-07-12 11:30:01 +02:00
let re = ResourceDef::new("test", "/user/profile");
assert!(re.is_match("/user/profile"));
assert!(!re.is_match("/user/profile/profile"));
}
#[test]
fn test_parse_param() {
2018-07-12 11:30:01 +02:00
let re = ResourceDef::new("test", "/user/{id}");
assert!(re.is_match("/user/profile"));
assert!(re.is_match("/user/2345"));
assert!(!re.is_match("/user/2345/"));
assert!(!re.is_match("/user/2345/sdg"));
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/user/profile").finish();
let info = re.match_with_params(&req, 0, true).unwrap();
assert_eq!(info.get("id").unwrap(), "profile");
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/user/1245125").finish();
let info = re.match_with_params(&req, 0, true).unwrap();
assert_eq!(info.get("id").unwrap(), "1245125");
2018-07-12 11:30:01 +02:00
let re = ResourceDef::new("test", "/v{version}/resource/{id}");
assert!(re.is_match("/v1/resource/320120"));
assert!(!re.is_match("/v/resource/1"));
assert!(!re.is_match("/resource"));
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/v151/resource/adahg32").finish();
let info = re.match_with_params(&req, 0, true).unwrap();
assert_eq!(info.get("version").unwrap(), "151");
assert_eq!(info.get("id").unwrap(), "adahg32");
}
#[test]
fn test_resource_prefix() {
2018-07-12 11:30:01 +02:00
let re = ResourceDef::prefix("test", "/name");
assert!(re.is_match("/name"));
assert!(re.is_match("/name/"));
assert!(re.is_match("/name/test/test"));
assert!(re.is_match("/name1"));
assert!(re.is_match("/name~"));
2018-07-12 11:30:01 +02:00
let re = ResourceDef::prefix("test", "/name/");
assert!(re.is_match("/name/"));
assert!(re.is_match("/name/gs"));
assert!(!re.is_match("/name"));
}
#[test]
fn test_reousrce_prefix_dynamic() {
2018-07-12 11:30:01 +02:00
let re = ResourceDef::prefix("test", "/{name}/");
assert!(re.is_match("/name/"));
assert!(re.is_match("/name/gs"));
assert!(!re.is_match("/name"));
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/test2/").finish();
let info = re.match_with_params(&req, 0, true).unwrap();
assert_eq!(&info["name"], "test2");
assert_eq!(&info[0], "test2");
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/test2/subpath1/subpath2/index.html").finish();
let info = re.match_with_params(&req, 0, true).unwrap();
assert_eq!(&info["name"], "test2");
assert_eq!(&info[0], "test2");
}
#[test]
fn test_request_resource() {
let routes = vec![
2018-04-29 18:09:08 +02:00
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("r1", "/index.json"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
(
2018-07-12 11:30:01 +02:00
ResourceDef::new("r2", "/test.json"),
Some(Resource::default()),
2018-04-29 18:09:08 +02:00
),
2018-04-14 01:02:01 +02:00
];
2018-06-25 06:58:04 +02:00
let (router, _) = Router::new::<()>("", routes);
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/index.json").finish();
assert_eq!(router.recognize(&req).unwrap().0, 0);
let info = router.recognize(&req).unwrap().1;
let resource = info.resource().unwrap();
assert_eq!(resource.name(), "r1");
2018-06-25 06:58:04 +02:00
let req = TestRequest::with_uri("/test.json").finish();
assert_eq!(router.recognize(&req).unwrap().0, 1);
let info = router.recognize(&req).unwrap().1;
let resource = info.resource().unwrap();
assert_eq!(resource.name(), "r2");
}
}