1
0
mirror of https://github.com/actix/actix-extras.git synced 2024-11-24 16:02:59 +01:00
actix-extras/src/config.rs

371 lines
10 KiB
Rust
Raw Normal View History

2018-10-05 06:14:18 +02:00
use std::cell::UnsafeCell;
2018-03-18 19:05:44 +01:00
use std::fmt::Write;
2018-01-12 03:35:05 +01:00
use std::rc::Rc;
2018-09-27 05:43:54 +02:00
use std::time::{Duration, Instant};
2018-10-05 06:14:18 +02:00
use std::{fmt, net};
2018-06-17 19:51:20 +02:00
use bytes::BytesMut;
2018-09-08 18:20:18 +02:00
use futures::{future, Future};
2018-03-18 19:05:44 +01:00
use time;
2018-09-08 18:20:18 +02:00
use tokio_current_thread::spawn;
2018-09-27 05:43:54 +02:00
use tokio_timer::{sleep, Delay};
2018-01-12 03:35:05 +01:00
2018-03-18 19:05:44 +01:00
// "Sun, 06 Nov 1994 08:49:37 GMT".len()
const DATE_VALUE_LENGTH: usize = 29;
2018-01-12 03:35:05 +01:00
2018-10-05 17:00:36 +02:00
#[derive(Debug, PartialEq, Clone, Copy)]
/// Server keep-alive setting
pub enum KeepAlive {
/// Keep alive in seconds
Timeout(usize),
/// Relay on OS to shutdown tcp connection
Os,
/// Disabled
Disabled,
}
impl From<usize> for KeepAlive {
fn from(keepalive: usize) -> Self {
KeepAlive::Timeout(keepalive)
}
}
impl From<Option<usize>> for KeepAlive {
fn from(keepalive: Option<usize>) -> Self {
if let Some(keepalive) = keepalive {
KeepAlive::Timeout(keepalive)
} else {
KeepAlive::Disabled
}
}
}
/// Http service configuration
2018-10-05 02:00:27 +02:00
pub struct ServiceConfig(Rc<Inner>);
2018-09-08 18:20:18 +02:00
2018-10-05 02:00:27 +02:00
struct Inner {
2018-09-29 00:04:59 +02:00
keep_alive: Option<Duration>,
client_timeout: u64,
2018-10-05 08:39:11 +02:00
client_disconnect: u64,
ka_enabled: bool,
2018-09-08 18:20:18 +02:00
date: UnsafeCell<(bool, Date)>,
2018-08-09 20:52:32 +02:00
}
2018-10-05 02:00:27 +02:00
impl Clone for ServiceConfig {
2018-09-08 18:20:18 +02:00
fn clone(&self) -> Self {
ServiceConfig(self.0.clone())
2018-08-09 20:52:32 +02:00
}
2018-01-12 03:35:05 +01:00
}
2018-10-05 02:00:27 +02:00
impl ServiceConfig {
/// Create instance of `ServiceConfig`
2018-10-02 05:04:16 +02:00
pub(crate) fn new(
2018-10-05 08:39:11 +02:00
keep_alive: KeepAlive, client_timeout: u64, client_disconnect: u64,
2018-10-05 02:00:27 +02:00
) -> ServiceConfig {
let (keep_alive, ka_enabled) = match keep_alive {
KeepAlive::Timeout(val) => (val as u64, true),
2018-10-05 02:00:27 +02:00
KeepAlive::Os => (0, true),
KeepAlive::Disabled => (0, false),
};
2018-09-29 00:04:59 +02:00
let keep_alive = if ka_enabled && keep_alive > 0 {
Some(Duration::from_secs(keep_alive))
} else {
None
};
ServiceConfig(Rc::new(Inner {
2018-09-08 18:20:18 +02:00
keep_alive,
ka_enabled,
client_timeout,
2018-10-05 08:39:11 +02:00
client_disconnect,
2018-09-08 18:20:18 +02:00
date: UnsafeCell::new((false, Date::new())),
}))
2018-01-12 03:35:05 +01:00
}
2018-10-02 05:04:16 +02:00
/// Create worker settings builder.
2018-10-05 02:00:27 +02:00
pub fn build() -> ServiceConfigBuilder {
ServiceConfigBuilder::new()
2018-01-12 03:35:05 +01:00
}
#[inline]
/// Keep alive duration if configured.
2018-09-29 00:04:59 +02:00
pub fn keep_alive(&self) -> Option<Duration> {
2018-09-08 18:20:18 +02:00
self.0.keep_alive
2018-01-12 03:35:05 +01:00
}
#[inline]
/// Return state of connection keep-alive funcitonality
2018-01-12 03:35:05 +01:00
pub fn keep_alive_enabled(&self) -> bool {
2018-09-08 18:20:18 +02:00
self.0.ka_enabled
2018-01-12 03:35:05 +01:00
}
2018-08-09 20:52:32 +02:00
fn update_date(&self) {
// Unsafe: WorkerSetting is !Sync and !Send
2018-10-02 06:16:56 +02:00
unsafe { (*self.0.date.get()).0 = false };
2018-03-18 19:05:44 +01:00
}
2018-09-29 00:04:59 +02:00
#[inline]
/// Client timeout for first request.
2018-09-29 00:04:59 +02:00
pub fn client_timer(&self) -> Option<Delay> {
let delay = self.0.client_timeout;
if delay != 0 {
Some(Delay::new(self.now() + Duration::from_millis(delay)))
} else {
None
}
}
/// Client timeout for first request.
pub fn client_timer_expire(&self) -> Option<Instant> {
let delay = self.0.client_timeout;
if delay != 0 {
Some(self.now() + Duration::from_millis(delay))
} else {
None
}
}
2018-10-05 08:39:11 +02:00
/// Client disconnect timer
pub fn client_disconnect_timer(&self) -> Option<Instant> {
let delay = self.0.client_disconnect;
2018-10-02 05:04:16 +02:00
if delay != 0 {
Some(self.now() + Duration::from_millis(delay))
} else {
None
}
}
2018-09-29 00:04:59 +02:00
#[inline]
/// Return keep-alive timer delay is configured.
2018-09-29 00:04:59 +02:00
pub fn keep_alive_timer(&self) -> Option<Delay> {
if let Some(ka) = self.0.keep_alive {
Some(Delay::new(self.now() + ka))
} else {
None
}
}
/// Keep-alive expire time
pub fn keep_alive_expire(&self) -> Option<Instant> {
if let Some(ka) = self.0.keep_alive {
Some(self.now() + ka)
} else {
None
}
}
pub(crate) fn set_date(&self, dst: &mut BytesMut, full: bool) {
// Unsafe: WorkerSetting is !Sync and !Send
2018-09-08 18:20:18 +02:00
let date_bytes = unsafe {
let date = &mut (*self.0.date.get());
if !date.0 {
date.1.update();
date.0 = true;
// periodic date update
let s = self.clone();
2018-10-03 04:12:08 +02:00
spawn(sleep(Duration::from_millis(500)).then(move |_| {
2018-09-08 18:20:18 +02:00
s.update_date();
future::ok(())
}));
}
&date.1.bytes
};
2018-07-06 23:28:08 +02:00
if full {
let mut buf: [u8; 39] = [0; 39];
buf[..6].copy_from_slice(b"date: ");
buf[6..35].copy_from_slice(date_bytes);
buf[35..].copy_from_slice(b"\r\n\r\n");
dst.extend_from_slice(&buf);
} else {
dst.extend_from_slice(date_bytes);
2018-06-23 06:13:09 +02:00
}
2018-03-20 19:40:05 +01:00
}
2018-09-29 00:04:59 +02:00
#[inline]
pub(crate) fn now(&self) -> Instant {
unsafe {
let date = &mut (*self.0.date.get());
if !date.0 {
date.1.update();
date.0 = true;
// periodic date update
let s = self.clone();
2018-10-03 04:12:08 +02:00
spawn(sleep(Duration::from_millis(500)).then(move |_| {
2018-09-29 00:04:59 +02:00
s.update_date();
future::ok(())
}));
}
date.1.current
}
}
2018-03-18 19:05:44 +01:00
}
/// A service config builder
2018-10-02 05:04:16 +02:00
///
/// This type can be used to construct an instance of `ServiceConfig` through a
2018-10-02 05:04:16 +02:00
/// builder-like pattern.
2018-10-05 02:00:27 +02:00
pub struct ServiceConfigBuilder {
2018-10-02 05:04:16 +02:00
keep_alive: KeepAlive,
client_timeout: u64,
2018-10-05 08:39:11 +02:00
client_disconnect: u64,
2018-10-02 05:04:16 +02:00
host: String,
addr: net::SocketAddr,
secure: bool,
}
2018-10-05 02:00:27 +02:00
impl ServiceConfigBuilder {
/// Create instance of `ServiceConfigBuilder`
2018-10-05 02:00:27 +02:00
pub fn new() -> ServiceConfigBuilder {
ServiceConfigBuilder {
2018-10-02 05:04:16 +02:00
keep_alive: KeepAlive::Timeout(5),
client_timeout: 5000,
2018-10-05 08:39:11 +02:00
client_disconnect: 0,
2018-10-02 05:04:16 +02:00
secure: false,
host: "localhost".to_owned(),
addr: "127.0.0.1:8080".parse().unwrap(),
}
}
/// Enable secure flag for current server.
2018-10-05 08:39:11 +02:00
/// This flags also enables `client disconnect timeout`.
2018-10-02 05:04:16 +02:00
///
/// By default this flag is set to false.
pub fn secure(mut self) -> Self {
self.secure = true;
2018-10-05 08:39:11 +02:00
if self.client_disconnect == 0 {
self.client_disconnect = 3000;
}
2018-10-02 05:04:16 +02:00
self
}
/// Set server keep-alive setting.
///
/// By default keep alive is set to a 5 seconds.
pub fn keep_alive<T: Into<KeepAlive>>(mut self, val: T) -> Self {
self.keep_alive = val.into();
self
}
/// Set server client timeout in milliseconds for first request.
///
/// Defines a timeout for reading client request header. If a client does not transmit
/// the entire set headers within this time, the request is terminated with
/// the 408 (Request Time-out) error.
///
/// To disable timeout set value to 0.
///
/// By default client timeout is set to 5000 milliseconds.
pub fn client_timeout(mut self, val: u64) -> Self {
self.client_timeout = val;
self
}
2018-10-05 08:39:11 +02:00
/// Set server connection disconnect timeout in milliseconds.
2018-10-02 05:04:16 +02:00
///
2018-10-05 08:39:11 +02:00
/// Defines a timeout for disconnect connection. If a disconnect procedure does not complete
/// within this time, the request get dropped. This timeout affects secure connections.
2018-10-02 05:04:16 +02:00
///
/// To disable timeout set value to 0.
///
2018-10-05 08:39:11 +02:00
/// By default disconnect timeout is set to 3000 milliseconds.
pub fn client_disconnect(mut self, val: u64) -> Self {
self.client_disconnect = val;
2018-10-02 05:04:16 +02:00
self
}
/// Set server host name.
///
/// Host name is used by application router aa a hostname for url
/// generation. Check [ConnectionInfo](./dev/struct.ConnectionInfo.
/// html#method.host) documentation for more information.
///
/// By default host name is set to a "localhost" value.
pub fn server_hostname(mut self, val: &str) -> Self {
self.host = val.to_owned();
self
}
/// Set server ip address.
///
/// Host name is used by application router aa a hostname for url
/// generation. Check [ConnectionInfo](./dev/struct.ConnectionInfo.
/// html#method.host) documentation for more information.
///
/// By default server address is set to a "127.0.0.1:8080"
pub fn server_address<S: net::ToSocketAddrs>(mut self, addr: S) -> Self {
match addr.to_socket_addrs() {
Err(err) => error!("Can not convert to SocketAddr: {}", err),
Ok(mut addrs) => if let Some(addr) = addrs.next() {
self.addr = addr;
},
}
self
}
/// Finish service configuration and create `ServiceConfig` object.
2018-10-05 02:00:27 +02:00
pub fn finish(self) -> ServiceConfig {
2018-10-05 08:39:11 +02:00
ServiceConfig::new(self.keep_alive, self.client_timeout, self.client_disconnect)
2018-10-02 05:04:16 +02:00
}
}
2018-03-18 19:05:44 +01:00
struct Date {
2018-09-29 00:04:59 +02:00
current: Instant,
2018-03-18 19:05:44 +01:00
bytes: [u8; DATE_VALUE_LENGTH],
pos: usize,
}
impl Date {
fn new() -> Date {
2018-04-14 01:02:01 +02:00
let mut date = Date {
2018-09-29 00:04:59 +02:00
current: Instant::now(),
2018-04-14 01:02:01 +02:00
bytes: [0; DATE_VALUE_LENGTH],
pos: 0,
};
2018-03-18 19:05:44 +01:00
date.update();
date
}
fn update(&mut self) {
self.pos = 0;
2018-09-29 00:04:59 +02:00
self.current = Instant::now();
2018-03-18 19:05:44 +01:00
write!(self, "{}", time::at_utc(time::get_time()).rfc822()).unwrap();
}
}
impl fmt::Write for Date {
fn write_str(&mut self, s: &str) -> fmt::Result {
let len = s.len();
self.bytes[self.pos..self.pos + len].copy_from_slice(s.as_bytes());
self.pos += len;
Ok(())
}
}
#[cfg(test)]
mod tests {
use super::*;
2018-09-08 23:55:39 +02:00
use futures::future;
use tokio::runtime::current_thread;
2018-03-18 19:05:44 +01:00
#[test]
fn test_date_len() {
2018-05-17 21:20:20 +02:00
assert_eq!(DATE_VALUE_LENGTH, "Sun, 06 Nov 1994 08:49:37 GMT".len());
2018-03-18 19:05:44 +01:00
}
#[test]
fn test_date() {
2018-09-08 23:55:39 +02:00
let mut rt = current_thread::Runtime::new().unwrap();
let _ = rt.block_on(future::lazy(|| {
2018-10-05 06:14:18 +02:00
let settings = ServiceConfig::new(KeepAlive::Os, 0, 0);
2018-09-08 23:55:39 +02:00
let mut buf1 = BytesMut::with_capacity(DATE_VALUE_LENGTH + 10);
settings.set_date(&mut buf1, true);
let mut buf2 = BytesMut::with_capacity(DATE_VALUE_LENGTH + 10);
settings.set_date(&mut buf2, true);
assert_eq!(buf1, buf2);
future::ok::<_, ()>(())
}));
2018-03-18 19:05:44 +01:00
}
2018-01-12 03:35:05 +01:00
}