scuffle_bootstrap/global.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
//! Global state for the application.
//!
//! # [`Global`] vs. [`GlobalWithoutConfig`]
//!
//! [`Global`] has a set of functions that are called at different stages of the
//! application lifecycle. To use [`Global`], your application is expected to
//! have a config type implementing [`ConfigParser`]. If your application does
//! not have a config, consider using the [`GlobalWithoutConfig`] trait which is
//! a simplified version of [`Global`].
use std::sync::Arc;
use crate::config::{ConfigParser, EmptyConfig};
fn default_runtime_builder() -> tokio::runtime::Builder {
let worker_threads = std::env::var("TOKIO_WORKER_THREADS")
.unwrap_or_default()
.parse::<usize>()
.ok()
.or_else(|| std::thread::available_parallelism().ok().map(|p| p.get()));
let mut builder = if let Some(1) = worker_threads {
tokio::runtime::Builder::new_current_thread()
} else {
tokio::runtime::Builder::new_multi_thread()
};
if let Some(worker_threads) = worker_threads {
builder.worker_threads(worker_threads);
}
if let Ok(max_blocking_threads) = std::env::var("TOKIO_MAX_BLOCKING_THREADS")
.unwrap_or_default()
.parse::<usize>()
{
builder.max_blocking_threads(max_blocking_threads);
}
if !std::env::var("TOKIO_DISABLE_TIME")
.unwrap_or_default()
.parse::<bool>()
.ok()
.unwrap_or(false)
{
builder.enable_time();
}
if !std::env::var("TOKIO_DISABLE_IO")
.unwrap_or_default()
.parse::<bool>()
.ok()
.unwrap_or(false)
{
builder.enable_io();
}
if let Ok(thread_stack_size) = std::env::var("TOKIO_THREAD_STACK_SIZE").unwrap_or_default().parse::<usize>() {
builder.thread_stack_size(thread_stack_size);
}
if let Ok(global_queue_interval) = std::env::var("TOKIO_GLOBAL_QUEUE_INTERVAL")
.unwrap_or_default()
.parse::<u32>()
{
builder.global_queue_interval(global_queue_interval);
}
if let Ok(event_interval) = std::env::var("TOKIO_EVENT_INTERVAL").unwrap_or_default().parse::<u32>() {
builder.event_interval(event_interval);
}
if let Ok(max_io_events_per_tick) = std::env::var("TOKIO_MAX_IO_EVENTS_PER_TICK")
.unwrap_or_default()
.parse::<usize>()
{
builder.max_io_events_per_tick(max_io_events_per_tick);
}
builder
}
/// This trait is implemented for the global type of your application.
/// It is intended to be used to store any global state of your application.
/// When using the [`main!`](crate::main) macro, one instance of this type will
/// be made available to all services.
///
/// Using this trait requires a config type implementing [`ConfigParser`].
/// If your application does not have a config, consider using the
/// [`GlobalWithoutConfig`] trait.
///
/// # See Also
///
/// - [`GlobalWithoutConfig`]
/// - [`Service`](crate::Service)
/// - [`main`](crate::main)
pub trait Global: Send + Sync + 'static {
type Config: ConfigParser + Send + 'static;
/// Pre-initialization.
///
/// Called before initializing the tokio runtime and loading the config.
/// Returning an error from this function will cause the process to
/// immediately exit without calling [`on_exit`](Global::on_exit) first.
#[inline(always)]
fn pre_init() -> anyhow::Result<()> {
Ok(())
}
/// Builds the tokio runtime for the process.
///
/// If not overridden, a default runtime builder is used to build the
/// runtime. It uses the following environment variables:
/// - `TOKIO_WORKER_THREADS`: Number of worker threads to use. If 1, a
/// current thread runtime is used.
///
/// See [`tokio::runtime::Builder::worker_threads`] for details.
/// - `TOKIO_MAX_BLOCKING_THREADS`: Maximum number of blocking threads.
///
/// See [`tokio::runtime::Builder::max_blocking_threads`] for details.
/// - `TOKIO_DISABLE_TIME`: If `true` disables time.
///
/// See [`tokio::runtime::Builder::enable_time`] for details.
/// - `TOKIO_DISABLE_IO`: If `true` disables IO.
///
/// See [`tokio::runtime::Builder::enable_io`] for details.
/// - `TOKIO_THREAD_STACK_SIZE`: Thread stack size.
///
/// See [`tokio::runtime::Builder::thread_stack_size`] for details.
/// - `TOKIO_GLOBAL_QUEUE_INTERVAL`: Global queue interval.
///
/// See [`tokio::runtime::Builder::global_queue_interval`] for details.
/// - `TOKIO_EVENT_INTERVAL`: Event interval.
///
/// See [`tokio::runtime::Builder::event_interval`] for details.
/// - `TOKIO_MAX_IO_EVENTS_PER_TICK`: Maximum IO events per tick.
///
/// See [`tokio::runtime::Builder::max_io_events_per_tick`] for details.
#[inline(always)]
fn tokio_runtime() -> tokio::runtime::Runtime {
default_runtime_builder().build().expect("runtime build")
}
/// Initialize the global.
///
/// Called to initialize the global.
/// Returning an error from this function will cause the process to
/// immediately exit without calling [`on_exit`](Global::on_exit) first.
fn init(config: Self::Config) -> impl std::future::Future<Output = anyhow::Result<Arc<Self>>> + Send;
/// Called right before all services start.
///
/// Returning an error from this function will prevent any service from
/// starting and [`on_exit`](Global::on_exit) will be called with the result
/// of this function.
#[inline(always)]
fn on_services_start(self: &Arc<Self>) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
std::future::ready(Ok(()))
}
/// Called after a service exits.
///
/// `name` is the name of the service that exited and `result` is the result
/// the service exited with. Returning an error from this function will
/// stop all currently running services and [`on_exit`](Global::on_exit)
/// will be called with the result of this function.
#[inline(always)]
fn on_service_exit(
self: &Arc<Self>,
name: &'static str,
result: anyhow::Result<()>,
) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
let _ = name;
std::future::ready(result)
}
/// Called after the shutdown is complete, right before exiting the
/// process.
///
/// `result` is [`Err`](anyhow::Result) when the process exits due to an
/// error in one of the services or handler functions, otherwise `Ok(())`.
#[inline(always)]
fn on_exit(
self: &Arc<Self>,
result: anyhow::Result<()>,
) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
std::future::ready(result)
}
}
/// Simplified version of [`Global`].
///
/// Implementing this trait will automatically implement [`Global`] for your
/// type. This trait is intended to be used when you don't need a config for
/// your global.
///
/// Refer to [`Global`] for details.
pub trait GlobalWithoutConfig: Send + Sync + 'static {
/// Builds the tokio runtime for the process.
///
/// If not overridden, a default runtime builder is used to build the
/// runtime. It uses the following environment variables:
/// - `TOKIO_WORKER_THREADS`: Number of worker threads to use. If 1, a
/// current thread runtime is used.
///
/// See [`tokio::runtime::Builder::worker_threads`] for details.
/// - `TOKIO_MAX_BLOCKING_THREADS`: Maximum number of blocking threads.
///
/// See [`tokio::runtime::Builder::max_blocking_threads`] for details.
/// - `TOKIO_DISABLE_TIME`: If `true` disables time.
///
/// See [`tokio::runtime::Builder::enable_time`] for details.
/// - `TOKIO_DISABLE_IO`: If `true` disables IO.
///
/// See [`tokio::runtime::Builder::enable_io`] for details.
/// - `TOKIO_THREAD_STACK_SIZE`: Thread stack size.
///
/// See [`tokio::runtime::Builder::thread_stack_size`] for details.
/// - `TOKIO_GLOBAL_QUEUE_INTERVAL`: Global queue interval.
///
/// See [`tokio::runtime::Builder::global_queue_interval`] for details.
/// - `TOKIO_EVENT_INTERVAL`: Event interval.
///
/// See [`tokio::runtime::Builder::event_interval`] for details.
/// - `TOKIO_MAX_IO_EVENTS_PER_TICK`: Maximum IO events per tick.
///
/// See [`tokio::runtime::Builder::max_io_events_per_tick`] for details.
#[inline(always)]
fn tokio_runtime() -> tokio::runtime::Runtime {
default_runtime_builder().build().expect("runtime build")
}
/// Initialize the global.
///
/// Called to initialize the global.
/// Returning an error from this function will cause the process to
/// immediately exit without calling [`on_exit`](Global::on_exit) first.
fn init() -> impl std::future::Future<Output = anyhow::Result<Arc<Self>>> + Send;
/// Called right before all services start.
///
/// Returning an error from this function will prevent any service from
/// starting and [`on_exit`](Global::on_exit) will be called with the result
/// of this function.
#[inline(always)]
fn on_services_start(self: &Arc<Self>) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
std::future::ready(Ok(()))
}
/// Called after a service exits.
///
/// `name` is the name of the service that exited and `result` is the result
/// the service exited with. Returning an error from this function will
/// stop all currently running services and [`on_exit`](Global::on_exit)
/// will be called with the result of this function.
#[inline(always)]
fn on_service_exit(
self: &Arc<Self>,
name: &'static str,
result: anyhow::Result<()>,
) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
let _ = name;
std::future::ready(result)
}
/// Called after the shutdown is complete, right before exiting the
/// process.
///
/// `result` is [`Err`](anyhow::Result) when the process exits due to an
/// error in one of the services or handler functions, otherwise `Ok(())`.
#[inline(always)]
fn on_exit(
self: &Arc<Self>,
result: anyhow::Result<()>,
) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
std::future::ready(result)
}
}
impl<T: GlobalWithoutConfig> Global for T {
type Config = EmptyConfig;
#[inline(always)]
fn tokio_runtime() -> tokio::runtime::Runtime {
<T as GlobalWithoutConfig>::tokio_runtime()
}
#[inline(always)]
fn init(_: Self::Config) -> impl std::future::Future<Output = anyhow::Result<Arc<Self>>> + Send {
<T as GlobalWithoutConfig>::init()
}
#[inline(always)]
fn on_services_start(self: &Arc<Self>) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
<T as GlobalWithoutConfig>::on_services_start(self)
}
#[inline(always)]
fn on_service_exit(
self: &Arc<Self>,
name: &'static str,
result: anyhow::Result<()>,
) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
<T as GlobalWithoutConfig>::on_service_exit(self, name, result)
}
#[inline(always)]
fn on_exit(
self: &Arc<Self>,
result: anyhow::Result<()>,
) -> impl std::future::Future<Output = anyhow::Result<()>> + Send {
<T as GlobalWithoutConfig>::on_exit(self, result)
}
}
#[cfg(test)]
#[cfg_attr(all(test, coverage_nightly), coverage(off))]
mod tests {
use std::sync::Arc;
use std::thread;
use super::{Global, GlobalWithoutConfig};
use crate::EmptyConfig;
struct TestGlobal;
impl Global for TestGlobal {
type Config = ();
async fn init(_config: Self::Config) -> anyhow::Result<std::sync::Arc<Self>> {
Ok(Arc::new(Self))
}
}
#[tokio::test]
async fn default_global() {
thread::spawn(|| {
// To get the coverage
TestGlobal::tokio_runtime();
});
assert!(matches!(TestGlobal::pre_init(), Ok(())));
let global = TestGlobal::init(()).await.unwrap();
assert!(matches!(global.on_services_start().await, Ok(())));
assert!(matches!(global.on_exit(Ok(())).await, Ok(())));
assert!(global.on_exit(Err(anyhow::anyhow!("error"))).await.is_err());
assert!(matches!(global.on_service_exit("test", Ok(())).await, Ok(())));
assert!(global.on_service_exit("test", Err(anyhow::anyhow!("error"))).await.is_err());
}
struct TestGlobalWithoutConfig;
impl GlobalWithoutConfig for TestGlobalWithoutConfig {
async fn init() -> anyhow::Result<std::sync::Arc<Self>> {
Ok(Arc::new(Self))
}
}
#[tokio::test]
async fn default_global_no_config() {
thread::spawn(|| {
// To get the coverage
<TestGlobalWithoutConfig as Global>::tokio_runtime();
});
assert!(matches!(TestGlobalWithoutConfig::pre_init(), Ok(())));
<TestGlobalWithoutConfig as Global>::init(EmptyConfig).await.unwrap();
let global = <TestGlobalWithoutConfig as GlobalWithoutConfig>::init().await.unwrap();
assert!(matches!(Global::on_services_start(&global).await, Ok(())));
assert!(matches!(Global::on_exit(&global, Ok(())).await, Ok(())));
assert!(Global::on_exit(&global, Err(anyhow::anyhow!("error"))).await.is_err());
assert!(matches!(Global::on_service_exit(&global, "test", Ok(())).await, Ok(())));
assert!(Global::on_service_exit(&global, "test", Err(anyhow::anyhow!("error")))
.await
.is_err());
}
}