axum_test/test_server_config.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181
use anyhow::Result;
use crate::transport_layer::IntoTransportLayer;
use crate::TestServer;
use crate::TestServerBuilder;
use crate::Transport;
/// This is for customising the [`TestServer`](crate::TestServer) on construction.
/// It implements [`Default`] to ease building.
///
/// ```rust
/// use axum_test::TestServerConfig;
///
/// let config = TestServerConfig {
/// save_cookies: true,
/// ..TestServerConfig::default()
/// };
/// ```
///
/// These can be passed to `TestServer::new_with_config`:
///
/// ```rust
/// # async fn test() -> Result<(), Box<dyn ::std::error::Error>> {
/// #
/// use axum::Router;
/// use axum_test::TestServer;
/// use axum_test::TestServerConfig;
///
/// let my_app = Router::new();
///
/// let config = TestServerConfig {
/// save_cookies: true,
/// ..TestServerConfig::default()
/// };
///
/// // Build the Test Server
/// let server = TestServer::new_with_config(my_app, config)?;
/// #
/// # Ok(())
/// # }
/// ```
///
#[derive(Debug, Clone, Eq, PartialEq)]
pub struct TestServerConfig {
/// Which transport mode to use to process requests.
/// For setting if the server should use mocked http (which uses [`tower::util::Oneshot`](tower::util::Oneshot)),
/// or if it should run on a named or random IP address.
///
/// The default is to use mocking, apart from services built using [`axum::extract::connect_info::IntoMakeServiceWithConnectInfo`](axum::extract::connect_info::IntoMakeServiceWithConnectInfo)
/// (this is because it needs a real TCP stream).
pub transport: Option<Transport>,
/// Set for the server to save cookies that are returned,
/// for use in future requests.
///
/// This is useful for automatically saving session cookies (and similar)
/// like a browser would do.
///
/// **Defaults** to false (being turned off).
pub save_cookies: bool,
/// Asserts that requests made to the test server,
/// will by default,
/// return a status code in the 2xx range.
///
/// This can be overridden on a per request basis using
/// [`TestRequest::expect_failure()`](crate::TestRequest::expect_failure()).
///
/// This is useful when making multiple requests at a start of test
/// which you presume should always work.
///
/// **Defaults** to false (being turned off).
pub expect_success_by_default: bool,
/// If you make a request with a 'http://' schema,
/// then it will ignore the Test Server's address.
///
/// For example if the test server is running at `http://localhost:1234`,
/// and you make a request to `http://google.com`.
/// Then the request will go to `http://google.com`.
/// Ignoring the `localhost:1234` part.
///
/// Turning this setting on will change this behaviour.
///
/// After turning this on, the same request will go to
/// `http://localhost:1234/http://google.com`.
///
/// **Defaults** to false (being turned off).
pub restrict_requests_with_http_schema: bool,
/// Set the default content type for all requests created by the `TestServer`.
///
/// This overrides the default 'best efforts' approach of requests.
pub default_content_type: Option<String>,
/// Set the default scheme to use for all requests created by the `TestServer`.
///
/// This overrides the default 'http'.
pub default_scheme: Option<String>,
}
impl TestServerConfig {
/// Creates a default `TestServerConfig`.
pub fn new() -> Self {
Default::default()
}
/// This is shorthand for calling [`crate::TestServer::new_with_config`],
/// and passing this config.
///
/// ```rust
/// # async fn test() -> Result<(), Box<dyn ::std::error::Error>> {
/// #
/// use axum::Router;
/// use axum_test::TestServer;
/// use axum_test::TestServerConfig;
///
/// let app = Router::new();
/// let config = TestServerConfig {
/// save_cookies: true,
/// default_content_type: Some("application/json".to_string()),
/// ..Default::default()
/// };
/// let server = TestServer::new_with_config(app, config)?;
/// #
/// # Ok(())
/// # }
/// ```
pub fn build<A>(self, app: A) -> Result<TestServer>
where
A: IntoTransportLayer,
{
TestServer::new_with_config(app, self)
}
}
impl Default for TestServerConfig {
fn default() -> Self {
Self {
transport: None,
save_cookies: false,
expect_success_by_default: false,
restrict_requests_with_http_schema: false,
default_content_type: None,
default_scheme: None,
}
}
}
impl From<TestServerBuilder> for TestServerConfig {
fn from(builder: TestServerBuilder) -> Self {
builder.into_config()
}
}
#[cfg(test)]
mod test_scheme {
use axum::extract::Request;
use axum::routing::get;
use axum::Router;
use crate::TestServer;
use crate::TestServerConfig;
async fn route_get_scheme(request: Request) -> String {
request.uri().scheme_str().unwrap().to_string()
}
#[tokio::test]
async fn it_should_set_scheme_when_present_in_config() {
let router = Router::new().route("/scheme", get(route_get_scheme));
let config = TestServerConfig {
default_scheme: Some("https".to_string()),
..Default::default()
};
let server = TestServer::new_with_config(router, config).unwrap();
server.get("/scheme").await.assert_text("https");
}
}