1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-06-11 17:59:35 +00:00
actix-web/src/filter.rs

326 lines
8.7 KiB
Rust
Raw Normal View History

2019-03-02 06:51:32 +00:00
//! Route match predicates
#![allow(non_snake_case)]
use actix_http::http::{self, header, HttpTryFrom};
use actix_http::RequestHead;
2019-03-02 06:51:32 +00:00
/// Trait defines resource predicate.
/// Predicate can modify request object. It is also possible to
/// to store extra attributes on request by using `Extensions` container,
/// Extensions container available via `HttpRequest::extensions()` method.
pub trait Filter {
/// Check if request matches predicate
fn check(&self, request: &RequestHead) -> bool;
2019-03-02 06:51:32 +00:00
}
/// Return filter that matches if any of supplied filters.
///
/// ```rust
/// use actix_web::{web, filter, App, HttpResponse};
2019-03-02 06:51:32 +00:00
///
/// fn main() {
/// App::new().resource("/index.html", |r|
/// r.route(
/// web::route()
/// .filter(filter::Any(filter::Get()).or(filter::Post()))
/// .to(|| HttpResponse::MethodNotAllowed()))
/// );
2019-03-02 06:51:32 +00:00
/// }
/// ```
pub fn Any<F: Filter + 'static>(filter: F) -> AnyFilter {
AnyFilter(vec![Box::new(filter)])
}
/// Matches if any of supplied filters matche.
pub struct AnyFilter(Vec<Box<Filter>>);
impl AnyFilter {
/// Add filter to a list of filters to check
pub fn or<F: Filter + 'static>(mut self, filter: F) -> Self {
self.0.push(Box::new(filter));
self
}
}
impl Filter for AnyFilter {
fn check(&self, req: &RequestHead) -> bool {
2019-03-02 06:51:32 +00:00
for p in &self.0 {
if p.check(req) {
return true;
}
}
false
}
}
/// Return filter that matches if all of supplied filters match.
///
2019-03-03 00:24:14 +00:00
/// ```rust
2019-03-02 06:51:32 +00:00
/// # extern crate actix_web;
/// use actix_web::{filter, web, App, HttpResponse};
2019-03-02 06:51:32 +00:00
///
/// fn main() {
/// App::new().resource("/index.html", |r| {
/// r.route(web::route()
/// .filter(
/// filter::All(filter::Get()).and(filter::Header("content-type", "text/plain")))
2019-03-03 00:24:14 +00:00
/// .to(|| HttpResponse::MethodNotAllowed()))
2019-03-02 06:51:32 +00:00
/// });
/// }
/// ```
pub fn All<F: Filter + 'static>(filter: F) -> AllFilter {
AllFilter(vec![Box::new(filter)])
}
/// Matches if all of supplied filters matche.
pub struct AllFilter(Vec<Box<Filter>>);
impl AllFilter {
/// Add new predicate to list of predicates to check
pub fn and<F: Filter + 'static>(mut self, filter: F) -> Self {
self.0.push(Box::new(filter));
self
}
}
impl Filter for AllFilter {
fn check(&self, request: &RequestHead) -> bool {
2019-03-02 06:51:32 +00:00
for p in &self.0 {
if !p.check(request) {
return false;
}
}
true
}
}
/// Return predicate that matches if supplied predicate does not match.
pub fn Not<F: Filter + 'static>(filter: F) -> NotFilter {
NotFilter(Box::new(filter))
}
#[doc(hidden)]
pub struct NotFilter(Box<Filter>);
impl Filter for NotFilter {
fn check(&self, request: &RequestHead) -> bool {
2019-03-02 06:51:32 +00:00
!self.0.check(request)
}
}
/// Http method predicate
#[doc(hidden)]
pub struct MethodFilter(http::Method);
impl Filter for MethodFilter {
fn check(&self, request: &RequestHead) -> bool {
request.method == self.0
2019-03-02 06:51:32 +00:00
}
}
/// Predicate to match *GET* http method
pub fn Get() -> MethodFilter {
MethodFilter(http::Method::GET)
}
/// Predicate to match *POST* http method
pub fn Post() -> MethodFilter {
MethodFilter(http::Method::POST)
}
/// Predicate to match *PUT* http method
pub fn Put() -> MethodFilter {
MethodFilter(http::Method::PUT)
}
/// Predicate to match *DELETE* http method
pub fn Delete() -> MethodFilter {
MethodFilter(http::Method::DELETE)
}
/// Predicate to match *HEAD* http method
pub fn Head() -> MethodFilter {
MethodFilter(http::Method::HEAD)
}
/// Predicate to match *OPTIONS* http method
pub fn Options() -> MethodFilter {
MethodFilter(http::Method::OPTIONS)
}
/// Predicate to match *CONNECT* http method
pub fn Connect() -> MethodFilter {
MethodFilter(http::Method::CONNECT)
}
/// Predicate to match *PATCH* http method
pub fn Patch() -> MethodFilter {
MethodFilter(http::Method::PATCH)
}
/// Predicate to match *TRACE* http method
pub fn Trace() -> MethodFilter {
MethodFilter(http::Method::TRACE)
}
/// Predicate to match specified http method
pub fn Method(method: http::Method) -> MethodFilter {
MethodFilter(method)
}
/// Return predicate that matches if request contains specified header and
/// value.
pub fn Header(name: &'static str, value: &'static str) -> HeaderFilter {
HeaderFilter(
header::HeaderName::try_from(name).unwrap(),
header::HeaderValue::from_static(value),
)
}
#[doc(hidden)]
pub struct HeaderFilter(header::HeaderName, header::HeaderValue);
impl Filter for HeaderFilter {
fn check(&self, req: &RequestHead) -> bool {
if let Some(val) = req.headers.get(&self.0) {
2019-03-02 06:51:32 +00:00
return val == self.1;
}
false
}
}
2019-03-03 00:24:14 +00:00
// /// Return predicate that matches if request contains specified Host name.
// ///
// /// ```rust,ignore
// /// # extern crate actix_web;
// /// use actix_web::{pred, App, HttpResponse};
// ///
// /// fn main() {
// /// App::new().resource("/index.html", |r| {
// /// r.route()
// /// .filter(pred::Host("www.rust-lang.org"))
// /// .f(|_| HttpResponse::MethodNotAllowed())
// /// });
// /// }
// /// ```
// pub fn Host<H: AsRef<str>>(host: H) -> HostFilter {
// HostFilter(host.as_ref().to_string(), None)
// }
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
// #[doc(hidden)]
// pub struct HostFilter(String, Option<String>);
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
// impl HostFilter {
// /// Set reuest scheme to match
// pub fn scheme<H: AsRef<str>>(&mut self, scheme: H) {
// self.1 = Some(scheme.as_ref().to_string())
2019-03-02 06:51:32 +00:00
// }
2019-03-03 00:24:14 +00:00
// }
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
// impl Filter for HostFilter {
// fn check(&self, _req: &RequestHead) -> bool {
2019-03-03 00:24:14 +00:00
// // let info = req.connection_info();
// // if let Some(ref scheme) = self.1 {
// // self.0 == info.host() && scheme == info.scheme()
// // } else {
// // self.0 == info.host()
// // }
// false
2019-03-02 06:51:32 +00:00
// }
2019-03-03 00:24:14 +00:00
// }
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
#[cfg(test)]
mod tests {
use actix_http::http::{header, Method};
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
use super::*;
2019-03-03 06:03:45 +00:00
use crate::test::TestRequest;
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
#[test]
fn test_header() {
2019-03-03 06:03:45 +00:00
let req = TestRequest::with_header(header::TRANSFER_ENCODING, "chunked")
2019-03-03 00:24:14 +00:00
.finish()
.into_request();
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
let pred = Header("transfer-encoding", "chunked");
assert!(pred.check(&req));
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
let pred = Header("transfer-encoding", "other");
assert!(!pred.check(&req));
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
let pred = Header("content-type", "other");
assert!(!pred.check(&req));
}
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
// #[test]
// fn test_host() {
// let req = TestServiceRequest::default()
// .header(
// header::HOST,
// header::HeaderValue::from_static("www.rust-lang.org"),
// )
// .request();
// let pred = Host("www.rust-lang.org");
// assert!(pred.check(&req));
// let pred = Host("localhost");
// assert!(!pred.check(&req));
// }
#[test]
fn test_methods() {
2019-03-03 06:03:45 +00:00
let req = TestRequest::default().finish().into_request();
let req2 = TestRequest::default()
2019-03-03 00:24:14 +00:00
.method(Method::POST)
.finish()
.into_request();
assert!(Get().check(&req));
assert!(!Get().check(&req2));
assert!(Post().check(&req2));
assert!(!Post().check(&req));
2019-03-03 06:03:45 +00:00
let r = TestRequest::default().method(Method::PUT).finish();
2019-03-03 00:24:14 +00:00
assert!(Put().check(&r,));
assert!(!Put().check(&req,));
2019-03-03 06:03:45 +00:00
let r = TestRequest::default().method(Method::DELETE).finish();
2019-03-03 00:24:14 +00:00
assert!(Delete().check(&r,));
assert!(!Delete().check(&req,));
2019-03-03 06:03:45 +00:00
let r = TestRequest::default().method(Method::HEAD).finish();
2019-03-03 00:24:14 +00:00
assert!(Head().check(&r,));
assert!(!Head().check(&req,));
2019-03-03 06:03:45 +00:00
let r = TestRequest::default().method(Method::OPTIONS).finish();
2019-03-03 00:24:14 +00:00
assert!(Options().check(&r,));
assert!(!Options().check(&req,));
2019-03-03 06:03:45 +00:00
let r = TestRequest::default().method(Method::CONNECT).finish();
2019-03-03 00:24:14 +00:00
assert!(Connect().check(&r,));
assert!(!Connect().check(&req,));
2019-03-03 06:03:45 +00:00
let r = TestRequest::default().method(Method::PATCH).finish();
2019-03-03 00:24:14 +00:00
assert!(Patch().check(&r,));
assert!(!Patch().check(&req,));
2019-03-03 06:03:45 +00:00
let r = TestRequest::default().method(Method::TRACE).finish();
2019-03-03 00:24:14 +00:00
assert!(Trace().check(&r,));
assert!(!Trace().check(&req,));
}
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
#[test]
fn test_preds() {
2019-03-03 09:12:06 +00:00
let r = TestRequest::default().method(Method::TRACE).to_request();
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
assert!(Not(Get()).check(&r,));
assert!(!Not(Trace()).check(&r,));
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
assert!(All(Trace()).and(Trace()).check(&r,));
assert!(!All(Get()).and(Trace()).check(&r,));
2019-03-02 06:51:32 +00:00
2019-03-03 00:24:14 +00:00
assert!(Any(Get()).or(Trace()).check(&r,));
assert!(!Any(Get()).or(Get()).check(&r,));
}
}