//! Various helpers for Actix applications to use during testing. use std::{net, thread}; use std::rc::Rc; use std::sync::mpsc; use std::str::FromStr; use std::collections::HashMap; use actix::{Arbiter, SyncAddress, System, SystemRunner, msgs}; use cookie::Cookie; use http::{Uri, Method, Version, HeaderMap, HttpTryFrom}; use http::header::{HeaderName, HeaderValue}; use futures::Future; use tokio_core::net::TcpListener; use tokio_core::reactor::Core; use net2::TcpBuilder; use error::Error; use handler::{Handler, Responder, ReplyItem}; use middleware::Middleware; use application::{Application, HttpApplication}; use param::Params; use router::Router; use payload::Payload; use httprequest::HttpRequest; use httpresponse::HttpResponse; use server::{HttpServer, HttpHandler, IntoHttpHandler, ServerSettings}; use ws::{WsClient, WsClientError, WsClientReader, WsClientWriter}; /// The `TestServer` type. /// /// `TestServer` is very simple test server that simplify process of writing /// integration tests cases for actix web applications. /// /// # Examples /// /// ```rust /// # extern crate actix; /// # extern crate actix_web; /// # use actix_web::*; /// # extern crate reqwest; /// # /// # fn my_handler(req: HttpRequest) -> HttpResponse { /// # httpcodes::HTTPOk.into() /// # } /// # /// # fn main() { /// use actix_web::test::TestServer; /// /// let srv = TestServer::new(|app| app.handler(my_handler)); /// /// assert!(reqwest::get(&srv.url("/")).unwrap().status().is_success()); /// # } /// ``` pub struct TestServer { addr: net::SocketAddr, thread: Option>, system: SystemRunner, server_sys: SyncAddress, } impl TestServer { /// Start new test server /// /// This method accepts configuration method. You can add /// middlewares or set handlers for test application. pub fn new(config: F) -> Self where F: Sync + Send + 'static + Fn(&mut TestApp<()>), { TestServer::with_state(||(), config) } /// Start new test server with application factory pub fn with_factory(factory: F) -> Self where H: HttpHandler, F: Sync + Send + 'static + Fn() -> U, U: IntoIterator + 'static, V: IntoHttpHandler, { let (tx, rx) = mpsc::channel(); // run server in separate thread let join = thread::spawn(move || { let sys = System::new("actix-test-server"); let tcp = net::TcpListener::bind("127.0.0.1:0").unwrap(); let local_addr = tcp.local_addr().unwrap(); let tcp = TcpListener::from_listener(tcp, &local_addr, Arbiter::handle()).unwrap(); HttpServer::new(factory).start_incoming(tcp.incoming(), false); tx.send((Arbiter::system(), local_addr)).unwrap(); let _ = sys.run(); }); let (sys, addr) = rx.recv().unwrap(); TestServer { addr: addr, thread: Some(join), system: System::new("actix-test"), server_sys: sys, } } /// Start new test server with custom application state /// /// This method accepts state factory and configuration method. pub fn with_state(state: FS, config: F) -> Self where S: 'static, FS: Sync + Send + 'static + Fn() -> S, F: Sync + Send + 'static + Fn(&mut TestApp), { let (tx, rx) = mpsc::channel(); // run server in separate thread let join = thread::spawn(move || { let sys = System::new("actix-test-server"); let tcp = net::TcpListener::bind("127.0.0.1:0").unwrap(); let local_addr = tcp.local_addr().unwrap(); let tcp = TcpListener::from_listener(tcp, &local_addr, Arbiter::handle()).unwrap(); HttpServer::new(move || { let mut app = TestApp::new(state()); config(&mut app); app} ).start_incoming(tcp.incoming(), false); tx.send((Arbiter::system(), local_addr)).unwrap(); let _ = sys.run(); }); let (sys, addr) = rx.recv().unwrap(); TestServer { addr: addr, thread: Some(join), system: System::new("actix-test"), server_sys: sys, } } /// Get firat available unused address pub fn unused_addr() -> net::SocketAddr { let addr: net::SocketAddr = "127.0.0.1:0".parse().unwrap(); let socket = TcpBuilder::new_v4().unwrap(); socket.bind(&addr).unwrap(); socket.reuse_address(true).unwrap(); let tcp = socket.to_tcp_listener().unwrap(); tcp.local_addr().unwrap() } /// Construct test server url pub fn addr(&self) -> net::SocketAddr { self.addr } /// Construct test server url pub fn url(&self, uri: &str) -> String { if uri.starts_with('/') { format!("http://{}{}", self.addr, uri) } else { format!("http://{}/{}", self.addr, uri) } } /// Stop http server fn stop(&mut self) { if let Some(handle) = self.thread.take() { self.server_sys.send(msgs::SystemExit(0)); let _ = handle.join(); } } /// Execute future on current core pub fn execute(&mut self, fut: F) -> Result where F: Future { self.system.run_until_complete(fut) } /// Connect to websocket server pub fn ws(&mut self) -> Result<(WsClientReader, WsClientWriter), WsClientError> { let url = self.url("/"); self.system.run_until_complete(WsClient::new(url).connect().unwrap()) } } impl Drop for TestServer { fn drop(&mut self) { self.stop() } } /// Test application helper for testing request handlers. pub struct TestApp { app: Option>, } impl TestApp { fn new(state: S) -> TestApp { let app = Application::with_state(state); TestApp{app: Some(app)} } /// Register handler for "/" pub fn handler>(&mut self, handler: H) { self.app = Some(self.app.take().unwrap().resource("/", |r| r.h(handler))); } /// Register handler for "/" with resource middleware pub fn handler2(&mut self, handler: H, mw: M) where H: Handler, M: Middleware { self.app = Some(self.app.take().unwrap() .resource("/", |r| { r.middleware(mw); r.h(handler)})); } /// Register middleware pub fn middleware(&mut self, mw: T) -> &mut TestApp where T: Middleware + 'static { self.app = Some(self.app.take().unwrap().middleware(mw)); self } } impl IntoHttpHandler for TestApp { type Handler = HttpApplication; fn into_handler(mut self, settings: ServerSettings) -> HttpApplication { self.app.take().unwrap().into_handler(settings) } } #[doc(hidden)] impl Iterator for TestApp { type Item = HttpApplication; fn next(&mut self) -> Option { if let Some(mut app) = self.app.take() { Some(app.finish()) } else { None } } } /// Test `HttpRequest` builder /// /// ```rust /// # extern crate http; /// # extern crate actix_web; /// # use http::{header, StatusCode}; /// # use actix_web::*; /// use actix_web::test::TestRequest; /// /// fn index(req: HttpRequest) -> HttpResponse { /// if let Some(hdr) = req.headers().get(header::CONTENT_TYPE) { /// httpcodes::HTTPOk.into() /// } else { /// httpcodes::HTTPBadRequest.into() /// } /// } /// /// fn main() { /// let resp = TestRequest::with_header("content-type", "text/plain") /// .run(index).unwrap(); /// assert_eq!(resp.status(), StatusCode::OK); /// /// let resp = TestRequest::default() /// .run(index).unwrap(); /// assert_eq!(resp.status(), StatusCode::BAD_REQUEST); /// } /// ``` pub struct TestRequest { state: S, version: Version, method: Method, uri: Uri, headers: HeaderMap, params: Params<'static>, cookies: Option>>, payload: Option, } impl Default for TestRequest<()> { fn default() -> TestRequest<()> { TestRequest { state: (), method: Method::GET, uri: Uri::from_str("/").unwrap(), version: Version::HTTP_11, headers: HeaderMap::new(), params: Params::new(), cookies: None, payload: None, } } } impl TestRequest<()> { /// Create TestRequest and set request uri pub fn with_uri(path: &str) -> TestRequest<()> { TestRequest::default().uri(path) } /// Create TestRequest and set header pub fn with_header(key: K, value: V) -> TestRequest<()> where HeaderName: HttpTryFrom, HeaderValue: HttpTryFrom { TestRequest::default().header(key, value) } } impl TestRequest { /// Start HttpRequest build process with application state pub fn with_state(state: S) -> TestRequest { TestRequest { state: state, method: Method::GET, uri: Uri::from_str("/").unwrap(), version: Version::HTTP_11, headers: HeaderMap::new(), params: Params::new(), cookies: None, payload: None, } } /// Set HTTP version of this request pub fn version(mut self, ver: Version) -> Self { self.version = ver; self } /// Set HTTP method of this request pub fn method(mut self, meth: Method) -> Self { self.method = meth; self } /// Set HTTP Uri of this request pub fn uri(mut self, path: &str) -> Self { self.uri = Uri::from_str(path).unwrap(); self } /// Set a header pub fn header(mut self, key: K, value: V) -> Self where HeaderName: HttpTryFrom, HeaderValue: HttpTryFrom { if let Ok(key) = HeaderName::try_from(key) { if let Ok(value) = HeaderValue::try_from(value) { self.headers.append(key, value); return self } } panic!("Can not create header"); } /// Set request path pattern parameter pub fn param(mut self, name: &'static str, value: &'static str) -> Self { self.params.add(name, value); self } /// Complete request creation and generate `HttpRequest` instance pub fn finish(self) -> HttpRequest { let TestRequest { state, method, uri, version, headers, params, cookies, payload } = self; let req = HttpRequest::new(method, uri, version, headers, payload); req.as_mut().cookies = cookies; req.as_mut().params = params; let (router, _) = Router::new::("/", ServerSettings::default(), HashMap::new()); req.with_state(Rc::new(state), router) } #[cfg(test)] /// Complete request creation and generate `HttpRequest` instance pub(crate) fn finish_no_router(self) -> HttpRequest { let TestRequest { state, method, uri, version, headers, params, cookies, payload } = self; let req = HttpRequest::new(method, uri, version, headers, payload); req.as_mut().cookies = cookies; req.as_mut().params = params; req.with_state_no_router(Rc::new(state)) } /// This method generates `HttpRequest` instance and runs handler /// with generated request. /// /// This method panics is handler returns actor or async result. pub fn run>(self, mut h: H) -> Result>::Result as Responder>::Error> { let req = self.finish(); let resp = h.handle(req.clone()); match resp.respond_to(req.clone_without_state()) { Ok(resp) => { match resp.into().into() { ReplyItem::Message(resp) => Ok(resp), ReplyItem::Future(_) => panic!("Async handler is not supported."), } }, Err(err) => Err(err), } } /// This method generates `HttpRequest` instance and runs handler /// with generated request. /// /// This method panics is handler returns actor. pub fn run_async(self, h: H) -> Result where H: Fn(HttpRequest) -> F + 'static, F: Future + 'static, R: Responder + 'static, E: Into + 'static { let req = self.finish(); let fut = h(req.clone()); let mut core = Core::new().unwrap(); match core.run(fut) { Ok(r) => { match r.respond_to(req.clone_without_state()) { Ok(reply) => match reply.into().into() { ReplyItem::Message(resp) => Ok(resp), _ => panic!("Nested async replies are not supported"), }, Err(e) => Err(e), } }, Err(err) => Err(err), } } }