1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-11-18 15:41:17 +00:00
actix-web/test-server/src/lib.rs

273 lines
8 KiB
Rust
Raw Normal View History

2019-01-27 18:59:07 +00:00
//! Various helpers for Actix applications to use during testing.
2019-04-12 18:15:58 +00:00
use std::cell::RefCell;
2019-01-27 18:59:07 +00:00
use std::sync::mpsc;
2019-03-13 21:41:40 +00:00
use std::{net, thread, time};
2019-01-27 18:59:07 +00:00
use actix_codec::{AsyncRead, AsyncWrite, Framed};
use actix_rt::{Runtime, System};
use actix_server::{Server, StreamServiceFactory};
2019-03-30 01:51:07 +00:00
use awc::{error::PayloadError, ws, Client, ClientRequest, ClientResponse, Connector};
use bytes::Bytes;
use futures::future::lazy;
use futures::{Future, Stream};
2019-01-27 18:59:07 +00:00
use http::Method;
use net2::TcpBuilder;
2019-04-12 18:15:58 +00:00
thread_local! {
static RT: RefCell<Runtime> = {
RefCell::new(Runtime::new().unwrap())
};
}
/// Runs the provided future, blocking the current thread until the future
/// completes.
///
/// This function can be used to synchronously block the current thread
/// until the provided `future` has resolved either successfully or with an
/// error. The result of the future is then returned from this function
/// call.
///
/// Note that this function is intended to be used only for testing purpose.
/// This function panics on nested call.
pub fn block_on<F>(f: F) -> Result<F::Item, F::Error>
where
F: Future,
{
RT.with(move |rt| rt.borrow_mut().block_on(f))
}
/// Runs the provided function, with runtime enabled.
///
/// Note that this function is intended to be used only for testing purpose.
/// This function panics on nested call.
pub fn run_on<F, R>(f: F) -> R
where
F: Fn() -> R,
{
RT.with(move |rt| rt.borrow_mut().block_on(lazy(|| Ok::<_, ()>(f()))))
.unwrap()
}
2019-01-27 18:59:07 +00:00
/// The `TestServer` type.
///
/// `TestServer` is very simple test server that simplify process of writing
/// integration tests cases for actix web applications.
///
/// # Examples
///
/// ```rust
2019-03-26 19:50:51 +00:00
/// use actix_http::HttpService;
/// use actix_http_test::TestServer;
/// use actix_web::{web, App, HttpResponse};
2019-03-30 04:13:39 +00:00
///
2019-03-26 19:50:51 +00:00
/// fn my_handler() -> HttpResponse {
/// HttpResponse::Ok().into()
/// }
2019-01-27 18:59:07 +00:00
///
2019-03-26 19:50:51 +00:00
/// fn main() {
/// let mut srv = TestServer::new(
/// || HttpService::new(
/// App::new().service(
/// web::resource("/").to(my_handler))
/// )
/// );
2019-01-27 18:59:07 +00:00
///
2019-04-02 21:04:28 +00:00
/// let req = srv.get("/");
2019-03-26 19:50:51 +00:00
/// let response = srv.block_on(req.send()).unwrap();
/// assert!(response.status().is_success());
/// }
2019-01-27 18:59:07 +00:00
/// ```
pub struct TestServer;
2019-03-13 21:41:40 +00:00
/// Test server controller
pub struct TestServerRuntime {
2019-01-27 18:59:07 +00:00
addr: net::SocketAddr,
rt: Runtime,
client: Client,
2019-01-27 18:59:07 +00:00
}
impl TestServer {
/// Start new test server with application factory
2019-03-13 21:41:40 +00:00
pub fn new<F: StreamServiceFactory>(factory: F) -> TestServerRuntime {
2019-01-27 18:59:07 +00:00
let (tx, rx) = mpsc::channel();
// run server in separate thread
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();
Server::build()
2019-03-09 06:47:49 +00:00
.listen("test", tcp, factory)?
2019-01-27 18:59:07 +00:00
.workers(1)
.disable_signals()
.start();
tx.send((System::current(), local_addr)).unwrap();
2019-03-07 06:56:34 +00:00
sys.run()
2019-01-27 18:59:07 +00:00
});
let (system, addr) = rx.recv().unwrap();
let mut rt = Runtime::new().unwrap();
let client = rt
.block_on(lazy(move || {
let connector = {
#[cfg(feature = "ssl")]
{
use openssl::ssl::{SslConnector, SslMethod, SslVerifyMode};
let mut builder =
SslConnector::builder(SslMethod::tls()).unwrap();
builder.set_verify(SslVerifyMode::NONE);
let _ = builder.set_alpn_protos(b"\x02h2\x08http/1.1").map_err(
|e| log::error!("Can not set alpn protocol: {:?}", e),
);
Connector::new()
.timeout(time::Duration::from_millis(500))
.ssl(builder.build())
2019-04-05 23:46:44 +00:00
.finish()
}
#[cfg(not(feature = "ssl"))]
{
Connector::new()
.timeout(time::Duration::from_millis(500))
2019-04-05 23:46:44 +00:00
.finish()
}
};
Ok::<Client, ()>(Client::build().connector(connector).finish())
}))
.unwrap();
2019-01-27 18:59:07 +00:00
System::set_current(system);
TestServerRuntime { addr, rt, client }
2019-01-27 18:59:07 +00:00
}
/// Get first available unused address
2019-01-27 18:59:07 +00:00
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()
}
}
2019-03-13 21:41:40 +00:00
impl TestServerRuntime {
2019-01-27 18:59:07 +00:00
/// Execute future on current core
pub fn block_on<F, I, E>(&mut self, fut: F) -> Result<I, E>
where
F: Future<Item = I, Error = E>,
{
self.rt.block_on(fut)
}
2019-03-13 21:41:40 +00:00
/// Execute function on current core
pub fn execute<F, R>(&mut self, fut: F) -> R
2019-01-27 18:59:07 +00:00
where
2019-03-13 21:41:40 +00:00
F: FnOnce() -> R,
2019-01-27 18:59:07 +00:00
{
2019-03-13 21:41:40 +00:00
self.rt.block_on(lazy(|| Ok::<_, ()>(fut()))).unwrap()
2019-01-27 18:59:07 +00:00
}
/// 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://127.0.0.1:{}{}", self.addr.port(), uri)
} else {
format!("http://127.0.0.1:{}/{}", self.addr.port(), uri)
}
}
2019-02-06 19:44:15 +00:00
/// Construct test https server url
pub fn surl(&self, uri: &str) -> String {
if uri.starts_with('/') {
format!("https://127.0.0.1:{}{}", self.addr.port(), uri)
} else {
format!("https://127.0.0.1:{}/{}", self.addr.port(), uri)
}
}
2019-01-27 18:59:07 +00:00
/// Create `GET` request
pub fn get<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.get(self.url(path.as_ref()).as_str())
2019-01-27 18:59:07 +00:00
}
2019-03-11 23:42:33 +00:00
/// Create https `GET` request
pub fn sget<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.get(self.surl(path.as_ref()).as_str())
2019-03-11 23:42:33 +00:00
}
2019-01-27 18:59:07 +00:00
/// Create `POST` request
pub fn post<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.post(self.url(path.as_ref()).as_str())
2019-01-27 18:59:07 +00:00
}
/// Create https `POST` request
pub fn spost<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.post(self.surl(path.as_ref()).as_str())
2019-01-27 18:59:07 +00:00
}
/// Create `HEAD` request
pub fn head<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.head(self.url(path.as_ref()).as_str())
2019-01-27 18:59:07 +00:00
}
/// Create https `HEAD` request
pub fn shead<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.head(self.surl(path.as_ref()).as_str())
2019-01-27 18:59:07 +00:00
}
/// Connect to test http server
pub fn request<S: AsRef<str>>(&self, method: Method, path: S) -> ClientRequest {
self.client.request(method, path.as_ref())
2019-01-27 18:59:07 +00:00
}
2019-03-30 01:51:07 +00:00
pub fn load_body<S>(
&mut self,
2019-04-02 21:27:54 +00:00
mut response: ClientResponse<S>,
2019-03-30 01:51:07 +00:00
) -> Result<Bytes, PayloadError>
where
S: Stream<Item = Bytes, Error = PayloadError> + 'static,
{
self.block_on(response.body().limit(10_485_760))
2019-01-27 18:59:07 +00:00
}
/// Connect to websocket server at a given path
pub fn ws_at(
&mut self,
path: &str,
2019-03-28 01:53:19 +00:00
) -> Result<Framed<impl AsyncRead + AsyncWrite, ws::Codec>, awc::error::WsClientError>
{
2019-01-27 18:59:07 +00:00
let url = self.url(path);
2019-03-28 01:53:19 +00:00
let connect = self.client.ws(url).connect();
2019-01-27 18:59:07 +00:00
self.rt
2019-03-28 01:53:19 +00:00
.block_on(lazy(move || connect.map(|(_, framed)| framed)))
2019-01-27 18:59:07 +00:00
}
/// Connect to a websocket server
pub fn ws(
&mut self,
2019-03-28 01:53:19 +00:00
) -> Result<Framed<impl AsyncRead + AsyncWrite, ws::Codec>, awc::error::WsClientError>
{
2019-01-27 18:59:07 +00:00
self.ws_at("/")
}
2019-03-30 01:51:07 +00:00
/// Stop http server
fn stop(&mut self) {
System::current().stop();
}
2019-01-27 18:59:07 +00:00
}
2019-03-13 21:41:40 +00:00
impl Drop for TestServerRuntime {
2019-01-27 18:59:07 +00:00
fn drop(&mut self) {
self.stop()
}
}