ureq/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 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459
use std::fmt;
use std::time::Duration;
use hoot::client::flow::RedirectAuthHeaders;
use http::Uri;
use crate::middleware::MiddlewareChain;
use crate::resolver::IpFamily;
use crate::{Agent, Proxy};
#[cfg(feature = "_tls")]
use crate::tls::TlsConfig;
/// Config primarily for the [`Agent`], but also per-request.
///
/// Config objects are cheap to clone and should not incur any heap allocations.
///
/// # Agent level config
///
/// When creating config instances, the prefered way is to use the `..Default::default()` pattern.
///
/// ## Example
///
/// ```
/// use ureq::{Agent, Config, Timeouts};
/// use std::time::Duration;
///
/// let config = Config {
/// timeouts: Timeouts {
/// global: Some(Duration::from_secs(10)),
/// ..Default::default()
/// },
/// https_only: true,
/// ..Default::default()
/// };
///
/// let agent = Agent::new_with_config(config);
/// ```
///
/// And alternative way is to set properties on an already created config
///
/// ```
/// use ureq::{Agent, Config};
/// use std::time::Duration;
///
/// let mut config = Config::new();
/// config.timeouts.global = Some(Duration::from_secs(10));
/// config.https_only = true;
///
/// let agent: Agent = config.into();
/// ```
///
/// # Request level config
///
/// The config can also be change per-request. Since every request ultimately executes
/// using an [`Agent`] (also the root-level `ureq::get(...)` have an implicit agent),
/// a request level config clones the agent level config.
///
/// There are two ways of getting a request level config.
///
/// ## Request builder example
///
/// The first way is via [`RequestBuilder::config()`][crate::RequestBuilder::config].
///
/// ```
/// use ureq::{Agent, Config};
///
/// let agent: Agent = Config {
/// https_only: false,
/// ..Default::default()
/// }.into();
///
/// let mut builder = agent.get("http://httpbin.org/get");
///
/// let config = builder.config();
/// config.https_only = true;
/// ```
///
/// ## HTTP request example
///
/// The second way is via [`Agent::configure_request()`][crate::Agent::configure_request].
/// This is used when working with the http crate [`http::Request`] type directly.
///
/// ```
/// use ureq::{Agent, Config};
///
/// let agent: Agent = Config {
/// https_only: false,
/// ..Default::default()
/// }.into();
///
/// let mut request = http::Request::get("http://httpbin.org/get")
/// .body(()).unwrap();
///
/// let config = agent.configure_request(&mut request);
/// config.https_only = true;
/// ```
///
/// # Correct usage
///
/// Note: For a struct with pub fields, Rust dosn't have a way to force the use of
/// `..Default::default()`. `Config` must be instantiated in one two ways:
///
/// 1. `Config::default()` or `Config::new()`.
/// 2. `Config { <override defaults>, ..Default::default() }`
///
/// Any other way to construct the config is not valid, and breaking changes arising
/// from doing that are not considered breaking. Specifically it is not correct to use
/// `Config { ... }` without a `..Default::default()`.
///
#[derive(Clone)]
pub struct Config {
/// Whether to treat 4xx and 5xx HTTP status codes as
/// [`Err(Error::StatusCode))`](crate::Error::StatusCode).
///
/// Defaults to `true`.
pub http_status_as_error: bool,
/// Whether to limit requests (including redirects) to https only
///
/// Defaults to `false`.
pub https_only: bool,
/// Configuration of IPv4/IPv6.
///
/// This affects the resolver.
///
/// Defaults to `IpFamily::Any`.
pub ip_family: IpFamily,
/// Config for TLS.
///
/// This config is generic for all TLS connectors.
#[cfg(feature = "_tls")]
pub tls_config: TlsConfig,
/// Proxy configuration.
///
/// Picked up from environment when using [`Config::default()`] or
/// [`Agent::new_with_defaults()`][crate::Agent::new_with_defaults].
pub proxy: Option<Proxy>,
/// Disable Nagle's algorithm
///
/// Set TCP_NODELAY. It's up to the transport whether this flag is honored.
///
/// Defaults to `true`.
pub no_delay: bool,
/// The max number of redirects to follow before giving up
///
/// Defaults to 10
pub max_redirects: u32,
/// How to handle `Authorization` headers when following redirects
///
/// * `Never` (the default) means the authorization header is never attached to a redirected call.
/// * `SameHost` will keep the header when the redirect is to the same host and under https.
///
/// Defaults to `None`.
pub redirect_auth_headers: RedirectAuthHeaders,
/// Value to use for the `User-Agent` field.
///
/// `None` means the default value which is `ureq/<version>`.
///
/// This can be overridden by setting a `user-agent` header on the request
/// object. The one difference is that a connection to a HTTP proxy server
/// will receive this value, not the request-level one.
///
/// Defaults to `ureq/<version>`
pub user_agent: Option<String>,
/// The timeout settings on agent level.
///
/// This can be overridden per request.
pub timeouts: Timeouts,
/// Max size of the HTTP response header.
///
/// From the status, including all headers up until the body.
///
/// Defaults to 64kb.
pub max_response_header_size: usize,
/// Default size of the input buffer
///
/// The default connectors use this setting.
///
/// Defaults to 128kb.
pub input_buffer_size: usize,
/// Default size of the output buffer.
///
/// The default connectors use this setting.
///
/// Defaults to 128kb.
pub output_buffer_size: usize,
/// Max number of idle pooled connections overall.
///
/// This setting has no effect when used per-request.
///
/// Defaults to 10
pub max_idle_connections: usize,
/// Max number of idle pooled connections per host/port combo.
///
/// This setting has no effect when used per-request.
///
/// Defaults to 3
pub max_idle_connections_per_host: usize,
/// Max duration to keep an idle connection in the pool
///
/// This can also be configured per-request to be shorter than the pool.
/// For example: if the pool is configured to 15 seconds and we have a
/// connection with an age of 10 seconds, a request setting this config
/// property to 3 seconds, would ignore the pooled connection (but still
/// leave it in the pool).
///
/// Defaults to 15 seconds
pub max_idle_age: Duration,
/// Middleware used for this agent.
///
/// Defaults to no middleware.
pub middleware: MiddlewareChain,
// This is here to force users of ureq to use the ..Default::default() pattern
// as part of creating `Config`. That way we can introduce new settings without
// it becoming a breaking changes.
#[doc(hidden)]
pub _must_use_default: private::Private,
}
impl Config {
/// Creates a new Config with defaults values.
///
/// This is the same as `Config::default()`.
pub fn new() -> Self {
Self::default()
}
}
/// Request timeout configuration.
///
/// This can be configured both on Agent level as well as per request.
#[derive(Clone, Copy)]
pub struct Timeouts {
/// Timeout for the entire call
///
/// This is end-to-end, from DNS lookup to finishing reading the response body.
/// Thus it covers all other timeouts.
///
/// Defaults to `None`.
pub global: Option<Duration>,
/// Timeout for call-by-call when following redirects
///
/// This covers a single call and the timeout is reset when
/// ureq follows a redirections.
///
/// Defaults to `None`.
pub per_call: Option<Duration>,
/// Max duration for doing the DNS lookup when establishing the connection
///
/// Because most platforms do not have an async syscall for looking up
/// a host name, setting this might force str0m to spawn a thread to handle
/// the timeout.
///
/// Defaults to `None`.
pub resolve: Option<Duration>,
/// Max duration for establishing the connection
///
/// For a TLS connection this includes opening the socket and doing the TLS handshake.
///
/// Defaults to `None`.
pub connect: Option<Duration>,
/// Max duration for sending the request, but not the request body.
///
/// Defaults to `None`.
pub send_request: Option<Duration>,
/// Max duration for awaiting a 100-continue response.
///
/// Only used if there is a request body and we sent the `Expect: 100-continue`
/// header to indicate we want the server to respond with 100.
///
/// This defaults to 1 second.
pub await_100: Option<Duration>,
/// Max duration for sending a request body (if there is one)
///
/// Defaults to `None`.
pub send_body: Option<Duration>,
/// Max duration for receiving the response headers, but not the body
///
/// Defaults to `None`.
pub recv_response: Option<Duration>,
/// Max duration for receving the response body.
///
/// Defaults to `None`.
pub recv_body: Option<Duration>,
// This is here to force users of ureq to use the ..Default::default() pattern
// as part of creating `Config`. That way we can introduce new settings without
// it becoming a breaking changes.
#[doc(hidden)]
pub _must_use_default: private::Private,
}
#[derive(Debug, Clone)]
pub(crate) struct RequestLevelConfig(pub Config);
// Deliberately not publicly visible.
mod private {
#[derive(Debug, Clone, Copy)]
pub struct Private;
}
impl Config {
/// Creates a new agent by cloning this config.
///
/// * Cloning the config does not incur heap allocations.
/// * The created [`Agent`] will not be affected by further changes to this config.
pub fn new_agent(&self) -> Agent {
self.clone().into()
}
pub(crate) fn user_agent(&self) -> &str {
self.user_agent.as_deref().unwrap_or(DEFAULT_USER_AGENT)
}
pub(crate) fn connect_proxy_uri(&self) -> Option<&Uri> {
let proxy = self.proxy.as_ref()?;
if !proxy.proto().is_connect() {
return None;
}
Some(proxy.uri())
}
}
pub static DEFAULT_USER_AGENT: &str =
concat!(env!("CARGO_PKG_NAME"), "/", env!("CARGO_PKG_VERSION"));
impl Default for Config {
fn default() -> Self {
Self {
http_status_as_error: true,
https_only: false,
ip_family: IpFamily::Any,
#[cfg(feature = "_tls")]
tls_config: TlsConfig::default(),
proxy: Proxy::try_from_env(),
no_delay: true,
max_redirects: 10,
redirect_auth_headers: RedirectAuthHeaders::Never,
user_agent: None,
timeouts: Timeouts::default(),
max_response_header_size: 64 * 1024,
input_buffer_size: 128 * 1024,
output_buffer_size: 128 * 1024,
max_idle_connections: 10,
max_idle_connections_per_host: 3,
max_idle_age: Duration::from_secs(15),
middleware: MiddlewareChain::default(),
_must_use_default: private::Private,
}
}
}
impl Default for Timeouts {
fn default() -> Self {
Self {
global: None,
per_call: None,
resolve: None,
connect: None,
send_request: None,
await_100: Some(Duration::from_secs(1)),
send_body: None,
recv_response: None,
recv_body: None,
_must_use_default: private::Private,
}
}
}
impl fmt::Debug for Config {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let mut dbg = f.debug_struct("Config");
dbg.field("http_status_as_error", &self.http_status_as_error)
.field("https_only", &self.https_only)
.field("ip_family", &self.ip_family)
.field("tls_config", &self.tls_config)
.field("proxy", &self.proxy)
.field("no_delay", &self.no_delay)
.field("max_redirects", &self.max_redirects)
.field("redirect_auth_headers", &self.redirect_auth_headers)
.field("user_agent", &self.user_agent)
.field("timeouts", &self.timeouts)
.field("max_response_header_size", &self.max_response_header_size)
.field("input_buffer_size", &self.input_buffer_size)
.field("output_buffer_size", &self.output_buffer_size)
.field("max_idle_connections", &self.max_idle_connections)
.field(
"max_idle_connections_per_host",
&self.max_idle_connections_per_host,
)
.field("max_idle_age", &self.max_idle_age)
.field("middleware", &self.middleware);
#[cfg(feature = "_tls")]
{
dbg.field("tls_config", &self.tls_config);
}
dbg.finish()
}
}
impl fmt::Debug for Timeouts {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Timeouts")
.field("global", &self.global)
.field("per_call", &self.per_call)
.field("resolve", &self.resolve)
.field("connect", &self.connect)
.field("send_request", &self.send_request)
.field("await_100", &self.await_100)
.field("send_body", &self.send_body)
.field("recv_response", &self.recv_response)
.field("recv_body", &self.recv_body)
.finish()
}
}
#[cfg(test)]
mod test {
use super::*;
use assert_no_alloc::*;
#[test]
fn default_config_clone_does_not_allocate() {
let c = Config::new();
assert_no_alloc(|| c.clone());
}
}