1
0
mirror of https://github.com/fafhrd91/actix-web synced 2024-11-28 01:52:57 +01:00
actix-web/test-server/src/lib.rs

260 lines
7.6 KiB
Rust
Raw Normal View History

2019-01-27 19:59:07 +01:00
//! Various helpers for Actix applications to use during testing.
use std::sync::mpsc;
2019-03-13 22:41:40 +01:00
use std::{net, thread, time};
2019-01-27 19:59:07 +01:00
use actix_codec::{AsyncRead, AsyncWrite, Framed};
2019-12-02 18:33:39 +01:00
use actix_rt::{net::TcpStream, System};
use actix_server::{Server, ServiceFactory};
2019-03-30 02:51:07 +01:00
use awc::{error::PayloadError, ws, Client, ClientRequest, ClientResponse, Connector};
use bytes::Bytes;
2019-11-19 13:54:19 +01:00
use futures::Stream;
2019-01-27 19:59:07 +01:00
use http::Method;
use net2::TcpBuilder;
pub use actix_testing::*;
2019-04-12 20:15:58 +02:00
2019-12-12 18:08:38 +01:00
/// Start test server
2019-01-27 19:59:07 +01:00
///
/// `TestServer` is very simple test server that simplify process of writing
/// integration tests cases for actix web applications.
///
/// # Examples
///
/// ```rust
2019-03-26 20:50:51 +01:00
/// use actix_http::HttpService;
2019-11-26 06:25:50 +01:00
/// use actix_http_test::TestServer;
2019-11-20 19:52:38 +01:00
/// use actix_web::{web, App, HttpResponse, Error};
2019-03-30 05:13:39 +01:00
///
2019-11-20 19:52:38 +01:00
/// async fn my_handler() -> Result<HttpResponse, Error> {
/// Ok(HttpResponse::Ok().into())
2019-03-26 20:50:51 +01:00
/// }
2019-01-27 19:59:07 +01:00
///
2019-11-26 06:25:50 +01:00
/// #[actix_rt::test]
/// async fn test_example() {
/// let mut srv = TestServer::start(
/// || HttpService::new(
/// App::new().service(
/// web::resource("/").to(my_handler))
/// )
/// );
2019-01-27 19:59:07 +01:00
///
2019-11-26 06:25:50 +01:00
/// let req = srv.get("/");
/// let response = req.send().await.unwrap();
/// assert!(response.status().is_success());
2019-03-26 20:50:51 +01:00
/// }
2019-01-27 19:59:07 +01:00
/// ```
2019-12-12 18:08:38 +01:00
pub fn test_server<F: ServiceFactory<TcpStream>>(factory: F) -> TestServer {
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()
.listen("test", tcp, factory)?
.workers(1)
.disable_signals()
.start();
tx.send((System::current(), local_addr)).unwrap();
sys.run()
});
let (system, addr) = rx.recv().unwrap();
let client = {
let connector = {
#[cfg(feature = "openssl")]
{
use open_ssl::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()
.conn_lifetime(time::Duration::from_secs(0))
2019-12-25 17:52:20 +01:00
.timeout(time::Duration::from_millis(30000))
2019-12-12 18:08:38 +01:00
.ssl(builder.build())
.finish()
}
#[cfg(not(feature = "openssl"))]
{
Connector::new()
.conn_lifetime(time::Duration::from_secs(0))
2019-12-25 17:52:20 +01:00
.timeout(time::Duration::from_millis(30000))
2019-12-12 18:08:38 +01:00
.finish()
}
};
Client::build().connector(connector).finish()
};
actix_connect::start_default_resolver();
TestServer {
addr,
client,
system,
}
}
/// Get first 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()
}
2019-01-27 19:59:07 +01:00
2019-03-13 22:41:40 +01:00
/// Test server controller
2019-12-12 18:08:38 +01:00
pub struct TestServer {
2019-01-27 19:59:07 +01:00
addr: net::SocketAddr,
client: Client,
2019-09-17 17:45:06 +02:00
system: System,
2019-01-27 19:59:07 +01:00
}
impl TestServer {
/// 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://localhost:{}{}", self.addr.port(), uri)
2019-01-27 19:59:07 +01:00
} else {
format!("http://localhost:{}/{}", self.addr.port(), uri)
2019-01-27 19:59:07 +01:00
}
}
2019-02-06 20:44:15 +01:00
/// Construct test https server url
pub fn surl(&self, uri: &str) -> String {
if uri.starts_with('/') {
format!("https://localhost:{}{}", self.addr.port(), uri)
2019-02-06 20:44:15 +01:00
} else {
format!("https://localhost:{}/{}", self.addr.port(), uri)
2019-02-06 20:44:15 +01:00
}
}
2019-01-27 19:59:07 +01: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 19:59:07 +01:00
}
2019-03-12 00:42:33 +01: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-12 00:42:33 +01:00
}
2019-01-27 19:59:07 +01: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 19:59:07 +01: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 19:59:07 +01: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 19:59:07 +01: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 19:59:07 +01:00
}
/// Create `PUT` request
pub fn put<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.put(self.url(path.as_ref()).as_str())
}
/// Create https `PUT` request
pub fn sput<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.put(self.surl(path.as_ref()).as_str())
}
/// Create `PATCH` request
pub fn patch<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.patch(self.url(path.as_ref()).as_str())
}
/// Create https `PATCH` request
pub fn spatch<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.patch(self.surl(path.as_ref()).as_str())
}
/// Create `DELETE` request
pub fn delete<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.delete(self.url(path.as_ref()).as_str())
}
/// Create https `DELETE` request
pub fn sdelete<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.delete(self.surl(path.as_ref()).as_str())
}
/// Create `OPTIONS` request
pub fn options<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.options(self.url(path.as_ref()).as_str())
}
/// Create https `OPTIONS` request
pub fn soptions<S: AsRef<str>>(&self, path: S) -> ClientRequest {
self.client.options(self.surl(path.as_ref()).as_str())
}
/// 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 19:59:07 +01:00
}
2019-11-19 13:54:19 +01:00
pub async fn load_body<S>(
2019-03-30 02:51:07 +01:00
&mut self,
2019-04-02 23:27:54 +02:00
mut response: ClientResponse<S>,
2019-03-30 02:51:07 +01:00
) -> Result<Bytes, PayloadError>
where
S: Stream<Item = Result<Bytes, PayloadError>> + Unpin + 'static,
2019-03-30 02:51:07 +01:00
{
2019-11-19 13:54:19 +01:00
response.body().limit(10_485_760).await
2019-01-27 19:59:07 +01:00
}
/// Connect to websocket server at a given path
2019-11-19 13:54:19 +01:00
pub async fn ws_at(
2019-01-27 19:59:07 +01:00
&mut self,
path: &str,
2019-03-28 02:53:19 +01:00
) -> Result<Framed<impl AsyncRead + AsyncWrite, ws::Codec>, awc::error::WsClientError>
{
2019-01-27 19:59:07 +01:00
let url = self.url(path);
2019-03-28 02:53:19 +01:00
let connect = self.client.ws(url).connect();
2019-11-19 13:54:19 +01:00
connect.await.map(|(_, framed)| framed)
2019-01-27 19:59:07 +01:00
}
/// Connect to a websocket server
2019-11-19 13:54:19 +01:00
pub async fn ws(
2019-01-27 19:59:07 +01:00
&mut self,
2019-03-28 02:53:19 +01:00
) -> Result<Framed<impl AsyncRead + AsyncWrite, ws::Codec>, awc::error::WsClientError>
{
2019-11-19 13:54:19 +01:00
self.ws_at("/").await
2019-01-27 19:59:07 +01:00
}
2019-03-30 02:51:07 +01:00
/// Stop http server
fn stop(&mut self) {
2019-09-17 17:45:06 +02:00
self.system.stop();
2019-03-30 02:51:07 +01:00
}
2019-01-27 19:59:07 +01:00
}
2019-12-12 18:08:38 +01:00
impl Drop for TestServer {
2019-01-27 19:59:07 +01:00
fn drop(&mut self) {
self.stop()
}
}