Skip to main content

trillium_server_common/
config.rs

1use crate::{
2    Acceptor, ArcHandler, QuicConfig, RuntimeTrait, Server, ServerHandle,
3    running_config::RunningConfig,
4};
5use async_cell::sync::AsyncCell;
6use futures_lite::StreamExt;
7use std::{cell::OnceCell, net::SocketAddr, pin::pin, sync::Arc};
8use trillium::{Handler, Headers, HttpConfig, Info, KnownHeaderName, SERVER, Swansong, TypeSet};
9use trillium_http::ServerConfig;
10use url::Url;
11
12/// # Primary entrypoint for configuring and running a trillium server
13///
14/// The associated methods on this struct are intended to be chained.
15///
16/// ## Example
17/// ```rust,no_run
18/// trillium_smol::config() // or trillium_async_std, trillium_tokio
19///     .with_port(8080) // the default
20///     .with_host("localhost") // the default
21///     .with_nodelay()
22///     .with_max_connections(Some(10000))
23///     .without_signals()
24///     .run(|conn: trillium::Conn| async move { conn.ok("hello") });
25/// ```
26///
27/// # Socket binding
28///
29/// The socket binding logic is as follows:
30///
31/// If a LISTEN_FD environment variable is available on `cfg(unix)`
32/// systems, that will be used, overriding host and port settings
33/// Otherwise:
34/// Host will be selected from explicit configuration using
35/// [`Config::with_host`] or else the `HOST` environment variable,
36/// or else a default of "localhost".
37/// On `cfg(unix)` systems only: If the host string (as set by env var
38/// or direct config) begins with `.`, `/`, or `~`, it is
39/// interpreted to be a path, and trillium will bind to it as a unix
40/// domain socket. Port will be ignored. The socket will be deleted
41/// on clean shutdown.
42/// Port will be selected from explicit configuration using
43/// [`Config::with_port`] or else the `PORT` environment variable,
44/// or else a default of 8080.
45///
46/// ## Signals
47///
48/// On `cfg(unix)` systems, `SIGTERM`, `SIGINT`, and `SIGQUIT` are all
49/// registered to perform a graceful shutdown on the first signal and an
50/// immediate shutdown on a subsequent signal. This behavior may change as
51/// trillium matures. To disable this behavior, use
52/// [`Config::without_signals`].
53#[derive(Debug)]
54pub struct Config<ServerType: Server, AcceptorType, QuicType: QuicConfig<ServerType> = ()> {
55    pub(crate) acceptor: AcceptorType,
56    pub(crate) quic: QuicType,
57    pub(crate) binding: Option<ServerType>,
58    pub(crate) host: Option<String>,
59    pub(crate) server_config_cell: Arc<AsyncCell<Arc<ServerConfig>>>,
60    pub(crate) max_connections: Option<usize>,
61    pub(crate) nodelay: bool,
62    pub(crate) port: Option<u16>,
63    pub(crate) register_signals: bool,
64    pub(crate) runtime: ServerType::Runtime,
65    pub(crate) server_config: ServerConfig,
66}
67
68impl<ServerType, AcceptorType, QuicType> Config<ServerType, AcceptorType, QuicType>
69where
70    ServerType: Server,
71    AcceptorType: Acceptor<ServerType::Transport>,
72    QuicType: QuicConfig<ServerType>,
73{
74    /// Starts an async runtime and runs the provided handler with
75    /// this config in that runtime. This is the appropriate
76    /// entrypoint for applications that do not need to spawn tasks
77    /// outside of trillium's web server. For applications that embed a
78    /// trillium server inside of an already-running async runtime, use
79    /// [`Config::run_async`]
80    pub fn run(self, handler: impl Handler) {
81        self.runtime.clone().block_on(self.run_async(handler));
82    }
83
84    /// Runs the provided handler with this config, in an
85    /// already-running runtime. This is the appropriate entrypoint
86    /// for an application that needs to spawn async tasks that are
87    /// unrelated to the trillium application. If you do not need to spawn
88    /// other tasks, [`Config::run`] is the preferred entrypoint
89    pub async fn run_async(self, mut handler: impl Handler) {
90        let Self {
91            runtime,
92            acceptor,
93            quic,
94            mut max_connections,
95            nodelay,
96            binding,
97            host,
98            port,
99            register_signals,
100            server_config,
101            server_config_cell,
102        } = self;
103
104        #[cfg(unix)]
105        if max_connections.is_none() {
106            max_connections = rlimit::getrlimit(rlimit::Resource::NOFILE)
107                .ok()
108                .and_then(|(soft, _hard)| soft.try_into().ok())
109                .map(|limit: usize| ((limit as f32) * 0.75) as usize);
110        };
111
112        log::debug!("using max connections of {:?}", max_connections);
113
114        let host = host
115            .or_else(|| std::env::var("HOST").ok())
116            .unwrap_or_else(|| "localhost".into());
117        let port = port
118            .or_else(|| {
119                std::env::var("PORT")
120                    .ok()
121                    .map(|x| x.parse().expect("PORT must be an unsigned integer"))
122            })
123            .unwrap_or(8080);
124
125        let listener = binding
126            .inspect(|_| log::debug!("taking prebound listener"))
127            .unwrap_or_else(|| ServerType::from_host_and_port(&host, port));
128
129        let swansong = server_config.swansong().clone();
130
131        let mut info = Info::from(server_config)
132            .with_state(runtime.clone().into())
133            .with_state(runtime.clone());
134
135        info.state_entry::<Headers>()
136            .or_default()
137            .try_insert(KnownHeaderName::Server, SERVER);
138
139        listener.init(&mut info);
140
141        let quic_binding = if let Some(socket_addr) = info.tcp_socket_addr().copied() {
142            let quic_binding = quic
143                .bind(socket_addr, runtime.clone(), &mut info)
144                .map(|r| r.expect("failed to bind QUIC endpoint"));
145
146            if quic_binding.is_some() {
147                info.state_entry::<Headers>()
148                    .or_default()
149                    .try_insert_with(KnownHeaderName::AltSvc, || {
150                        format!("h3=\":{}\"", socket_addr.port())
151                    });
152            }
153
154            quic_binding
155        } else {
156            None
157        };
158
159        insert_url(info.as_mut(), acceptor.is_secure());
160
161        handler.init(&mut info).await;
162
163        let server_config = Arc::new(ServerConfig::from(info));
164
165        server_config_cell.set(server_config.clone());
166
167        if register_signals {
168            let runtime = runtime.clone();
169            runtime.clone().spawn(async move {
170                let mut signals = pin!(runtime.hook_signals([2, 3, 15]));
171                while signals.next().await.is_some() {
172                    let guard_count = swansong.guard_count();
173                    if swansong.state().is_shutting_down() {
174                        eprintln!(
175                            "\nSecond interrupt, shutting down harshly (dropping {guard_count} \
176                             guards)"
177                        );
178                        std::process::exit(1);
179                    } else {
180                        println!(
181                            "\nShutting down gracefully. Waiting for {guard_count} shutdown \
182                             guards to drop.\nControl-c again to force."
183                        );
184                        swansong.shut_down();
185                    }
186                }
187            });
188        }
189
190        let handler = ArcHandler::new(handler);
191
192        if let Some(quic_binding) = quic_binding {
193            let server_config = server_config.clone();
194            let handler = handler.clone();
195            let runtime: crate::Runtime = runtime.clone().into();
196            runtime.clone().spawn(crate::h3::run_h3(
197                quic_binding,
198                server_config,
199                handler,
200                runtime,
201            ));
202        }
203
204        let running_config = Arc::new(RunningConfig {
205            acceptor,
206            max_connections,
207            server_config,
208            runtime,
209            nodelay,
210        });
211
212        running_config.run_async(listener, handler).await;
213    }
214
215    /// Spawns the server onto the async runtime, returning a
216    /// ServerHandle that can be awaited directly to return an
217    /// [`Info`] or used with [`ServerHandle::info`] and
218    /// [`ServerHandle::shut_down`]
219    pub fn spawn(self, handler: impl Handler) -> ServerHandle {
220        let server_handle = self.handle();
221        self.runtime.clone().spawn(self.run_async(handler));
222        server_handle
223    }
224
225    /// Returns a [`ServerHandle`] for this Config. This is useful
226    /// when spawning the server onto a runtime.
227    pub fn handle(&self) -> ServerHandle {
228        ServerHandle {
229            swansong: self.server_config.swansong().clone(),
230            server_config: self.server_config_cell.clone(),
231            received_server_config: OnceCell::new(),
232            runtime: self.runtime().into(),
233        }
234    }
235
236    /// Configures the server to listen on this port. The default is
237    /// the PORT environment variable or 8080
238    pub fn with_port(mut self, port: u16) -> Self {
239        if self.has_binding() {
240            eprintln!(
241                "constructing a config with both a port and a pre-bound listener will ignore the \
242                 port. this may be a panic in the future"
243            );
244        }
245        self.port = Some(port);
246        self
247    }
248
249    /// Configures the server to listen on this host or ip
250    /// address. The default is the HOST environment variable or
251    /// "localhost"
252    pub fn with_host(mut self, host: &str) -> Self {
253        if self.has_binding() {
254            eprintln!(
255                "constructing a config with both a host and a pre-bound listener will ignore the \
256                 host. this may be a panic in the future"
257            );
258        }
259        self.host = Some(host.into());
260        self
261    }
262
263    /// Configures the server to NOT register for graceful-shutdown
264    /// signals with the operating system. Default behavior is for the
265    /// server to listen for SIGINT and SIGTERM and perform a graceful
266    /// shutdown.
267    pub fn without_signals(mut self) -> Self {
268        self.register_signals = false;
269        self
270    }
271
272    /// Configures the tcp listener to use TCP_NODELAY. See
273    /// <https://en.wikipedia.org/wiki/Nagle%27s_algorithm> for more
274    /// information on this setting.
275    pub fn with_nodelay(mut self) -> Self {
276        self.nodelay = true;
277        self
278    }
279
280    /// Configures the server to listen on the ip and port specified
281    /// by the provided socketaddr. This is identical to
282    /// `self.with_host(&socketaddr.ip().to_string()).with_port(socketaddr.port())`
283    pub fn with_socketaddr(self, socketaddr: SocketAddr) -> Self {
284        self.with_host(&socketaddr.ip().to_string())
285            .with_port(socketaddr.port())
286    }
287
288    /// Configures the tls acceptor for this server
289    pub fn with_acceptor<A: Acceptor<ServerType::Transport>>(
290        self,
291        acceptor: A,
292    ) -> Config<ServerType, A, QuicType> {
293        Config {
294            acceptor,
295            quic: self.quic,
296            host: self.host,
297            port: self.port,
298            nodelay: self.nodelay,
299            register_signals: self.register_signals,
300            max_connections: self.max_connections,
301            server_config_cell: self.server_config_cell,
302            server_config: self.server_config,
303            binding: self.binding,
304            runtime: self.runtime,
305        }
306    }
307
308    /// Configures QUIC/HTTP3 for this server
309    pub fn with_quic<Q: QuicConfig<ServerType>>(
310        self,
311        quic: Q,
312    ) -> Config<ServerType, AcceptorType, Q> {
313        Config {
314            acceptor: self.acceptor,
315            quic,
316            host: self.host,
317            port: self.port,
318            nodelay: self.nodelay,
319            register_signals: self.register_signals,
320            max_connections: self.max_connections,
321            server_config_cell: self.server_config_cell,
322            server_config: self.server_config,
323            binding: self.binding,
324            runtime: self.runtime,
325        }
326    }
327
328    /// use the specific [`Swansong`] provided
329    pub fn with_swansong(mut self, swansong: Swansong) -> Self {
330        self.server_config.set_swansong(swansong);
331        self
332    }
333
334    /// Configures the maximum number of connections to accept. The
335    /// default is 75% of the soft rlimit_nofile (`ulimit -n`) on unix
336    /// systems, and None on other sytems.
337    pub fn with_max_connections(mut self, max_connections: Option<usize>) -> Self {
338        self.max_connections = max_connections;
339        self
340    }
341
342    /// configures trillium-http performance and security tuning parameters.
343    ///
344    /// See [`HttpConfig`] for documentation
345    pub fn with_http_config(mut self, http_config: HttpConfig) -> Self {
346        *self.server_config.http_config_mut() = http_config;
347        self
348    }
349
350    /// Use a pre-bound transport stream as server.
351    ///
352    /// The argument to this varies for different servers, but usually
353    /// accepts the runtime's TcpListener and, on unix platforms, the UnixListener.
354    ///
355    /// ## Note well
356    ///
357    /// Many of the other options on this config will be ignored if you provide a listener. In
358    /// particular, `host` and `port` will be ignored. All of the other options will be used.
359    ///
360    /// Additionally, cloning this config will not clone the listener.
361    pub fn with_prebound_server(mut self, server: impl Into<ServerType>) -> Self {
362        if self.host.is_some() {
363            eprintln!(
364                "constructing a config with both a host and a pre-bound listener will ignore the \
365                 host. this may be a panic in the future"
366            );
367        }
368
369        if self.port.is_some() {
370            eprintln!(
371                "constructing a config with both a port and a pre-bound listener will ignore the \
372                 port. this may be a panic in the future"
373            );
374        }
375
376        self.binding = Some(server.into());
377        self
378    }
379
380    fn has_binding(&self) -> bool {
381        self.binding.is_some()
382    }
383
384    /// retrieve the runtime
385    pub fn runtime(&self) -> ServerType::Runtime {
386        self.runtime.clone()
387    }
388
389    /// return the configured port
390    pub fn port(&self) -> Option<u16> {
391        self.port
392    }
393
394    /// return the configured host
395    pub fn host(&self) -> Option<&str> {
396        self.host.as_deref()
397    }
398}
399
400impl<ServerType: Server> Config<ServerType, ()> {
401    /// build a new config with default acceptor
402    pub fn new() -> Self {
403        Self::default()
404    }
405}
406
407impl<ServerType: Server> Default for Config<ServerType, ()> {
408    fn default() -> Self {
409        Self {
410            acceptor: (),
411            quic: (),
412            port: None,
413            host: None,
414            nodelay: false,
415            register_signals: cfg!(unix),
416            max_connections: None,
417            server_config_cell: AsyncCell::shared(),
418            binding: None,
419            runtime: ServerType::runtime(),
420            server_config: Default::default(),
421        }
422    }
423}
424
425fn insert_url(state: &mut TypeSet, secure: bool) -> Option<()> {
426    let socket_addr = state.get::<SocketAddr>().copied()?;
427    let vacant_entry = state.entry::<Url>().into_vacant()?;
428
429    let host = if socket_addr.ip().is_loopback() {
430        "localhost".to_string()
431    } else {
432        socket_addr.ip().to_string()
433    };
434
435    let url = match (secure, socket_addr.port()) {
436        (true, 443) => format!("https://{host}"),
437        (false, 80) => format!("http://{host}"),
438        (true, port) => format!("https://{host}:{port}/"),
439        (false, port) => format!("http://{host}:{port}/"),
440    };
441
442    let url = Url::parse(&url).ok()?;
443
444    vacant_entry.insert(url);
445    Some(())
446}