use futures::Future; use error::Error; use pred::Predicate; use handler::{Reply, Handler, Responder, RouteHandler, AsyncHandler, WrapHandler}; use httpcodes::HTTPNotFound; use httprequest::HttpRequest; /// Resource route definition /// /// Route uses builder-like pattern for configuration. /// If handler is not explicitly set, default *404 Not Found* handler is used. pub struct Route { preds: Vec>>, handler: Box>, } impl Default for Route { fn default() -> Route { Route { preds: Vec::new(), handler: Box::new(WrapHandler::new(|_| HTTPNotFound)), } } } impl Route { pub(crate) fn check(&self, req: &mut HttpRequest) -> bool { for pred in &self.preds { if !pred.check(req) { return false } } true } pub(crate) fn handle(&mut self, req: HttpRequest) -> Reply { self.handler.handle(req) } /// Add match predicate to route. /// /// ```rust /// # extern crate actix_web; /// # use actix_web::*; /// # use actix_web::httpcodes::*; /// # fn main() { /// Application::new() /// .resource("/path", |r| /// r.route() /// .p(pred::Get()) /// .p(pred::Header("content-type", "text/plain")) /// .f(|req| HTTPOk) /// ) /// # .finish(); /// # } /// ``` pub fn p + 'static>(&mut self, p: T) -> &mut Self { self.preds.push(Box::new(p)); self } /// Set handler object. Usually call to this method is last call /// during route configuration, because it does not return reference to self. pub fn h>(&mut self, handler: H) { self.handler = Box::new(WrapHandler::new(handler)); } /// Set handler function. Usually call to this method is last call /// during route configuration, because it does not return reference to self. pub fn f(&mut self, handler: F) where F: Fn(HttpRequest) -> R + 'static, R: Responder + 'static, { self.handler = Box::new(WrapHandler::new(handler)); } /// Set async handler function. pub fn a(&mut self, handler: H) where H: Fn(HttpRequest) -> F + 'static, F: Future + 'static, R: Responder + 'static, E: Into + 'static { self.handler = Box::new(AsyncHandler::new(handler)); } }