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
//! # Server
//!
//! This module contains everything related to servers. The server
//! runs the timer, accepts connections from clients and sends
//! responses. It accepts connections using server binders. A server
//! should have at least one binder, otherwise it stops by itself.
//!
//!
#[cfg(feature = "tcp-binder")]
pub mod tcp;
use async_trait::async_trait;
use log::{debug, trace};
use std::{
future::Future,
io::{Error, ErrorKind, Result},
ops::{Deref, DerefMut},
sync::Arc,
time::Duration,
};
use tokio::{sync::Mutex, task, time};
use crate::{
handler::{self, Handler},
request::{Request, RequestReader},
response::{Response, ResponseWriter},
timer::{ThreadSafeTimer, TimerConfig, TimerCycle, TimerEvent, TimerLoop},
};
/// The server state enum.
///
/// Enumeration of all the possible states of a server.
#[derive(Clone, Debug, Default, Eq, PartialEq)]
pub enum ServerState {
/// The server is in running mode, which blocks the main process.
Running,
/// The server received the order to stop.
Stopping,
/// The server is stopped and will free the main process.
#[default]
Stopped,
}
/// The server configuration.
pub struct ServerConfig {
/// The server state changed handler.
handler: Arc<Handler<ServerEvent>>,
/// The binders list the server should use when starting up.
binders: Vec<Box<dyn ServerBind>>,
}
impl Default for ServerConfig {
fn default() -> Self {
Self {
handler: handler::default(),
binders: Vec::new(),
}
}
}
/// The server state changed event.
#[derive(Clone, Debug, Eq, PartialEq)]
pub enum ServerEvent {
/// The server just started.
Started,
/// The server is stopping.
Stopping,
/// The server has stopped.
Stopped,
}
/// Thread safe version of the server state.
#[derive(Clone, Debug, Default)]
pub struct ThreadSafeState(Arc<Mutex<ServerState>>);
impl ThreadSafeState {
/// Create a new server thread safe state using defaults.
pub fn new() -> Self {
Self::default()
}
/// Change the inner server state with the given one.
async fn set(&self, next_state: ServerState) {
let mut state = self.lock().await;
*state = next_state;
}
/// Change the inner server state to running.
pub async fn set_running(&self) {
self.set(ServerState::Running).await
}
/// Change the inner server state to stopping.
pub async fn set_stopping(&self) {
self.set(ServerState::Stopping).await
}
/// Change the inner server state to stopped.
pub async fn set_stopped(&self) {
self.set(ServerState::Stopped).await
}
}
impl Deref for ThreadSafeState {
type Target = Arc<Mutex<ServerState>>;
fn deref(&self) -> &Self::Target {
&self.0
}
}
impl DerefMut for ThreadSafeState {
fn deref_mut(&mut self) -> &mut Self::Target {
&mut self.0
}
}
/// The server bind trait.
///
/// Server binders must implement this trait.
#[async_trait]
pub trait ServerBind: Send + Sync {
/// Describe how the server should bind to accept connections from
/// clients.
async fn bind(&self, timer: ThreadSafeTimer) -> Result<()>;
}
/// The server stream trait.
///
/// Describes how a request should be parsed and handled.
#[async_trait]
pub trait ServerStream: RequestReader + ResponseWriter {
/// Read the request, process it then write the response.
async fn handle(&mut self, timer: ThreadSafeTimer) -> Result<()> {
let req = self.read().await?;
let res = match req {
Request::Start => {
debug!("starting timer");
timer.start().await?;
Response::Ok
}
Request::Get => {
debug!("getting timer");
let timer = timer.get().await;
trace!("{timer:#?}");
Response::Timer(timer)
}
Request::Set(duration) => {
debug!("setting timer");
timer.set(duration).await?;
Response::Ok
}
Request::Pause => {
debug!("pausing timer");
timer.pause().await?;
Response::Ok
}
Request::Resume => {
debug!("resuming timer");
timer.resume().await?;
Response::Ok
}
Request::Stop => {
debug!("stopping timer");
timer.stop().await?;
Response::Ok
}
};
self.write(res).await?;
Ok(())
}
}
impl<T: RequestReader + ResponseWriter> ServerStream for T {}
/// The server struct.
#[derive(Default)]
pub struct Server {
/// The server configuration.
config: ServerConfig,
/// The current server state.
state: ThreadSafeState,
/// The current server timer.
timer: ThreadSafeTimer,
}
impl Server {
/// Start the server by running the timer in a dedicated thread as
/// well as all the binders in dedicated threads.
///
/// The main thread is then blocked by the given `wait` closure.
pub async fn bind_with<F: Future<Output = Result<()>>>(
self,
wait: impl FnOnce() -> F + Send + Sync + 'static,
) -> Result<()> {
debug!("starting server");
let handler = &self.config.handler;
let fire_event = |event: ServerEvent| async move {
if let Err(err) = handler(event.clone()).await {
debug!("cannot fire event {event:?}: {err}");
debug!("{err:?}");
}
};
self.state.set_running().await;
fire_event(ServerEvent::Started).await;
// the tick represents the timer running in a separated thread
let state = self.state.clone();
let timer = self.timer.clone();
let tick = task::spawn(async move {
loop {
let mut state = state.lock().await;
match *state {
ServerState::Stopping => {
*state = ServerState::Stopped;
break;
}
ServerState::Stopped => {
break;
}
ServerState::Running => {
timer.update().await;
}
};
drop(state);
trace!("timer tick: {timer:#?}");
time::sleep(Duration::from_secs(1)).await;
}
});
// start all binders in dedicated threads in order not to
// block the main thread
for binder in self.config.binders {
let timer = self.timer.clone();
task::spawn(async move {
if let Err(err) = binder.bind(timer).await {
debug!("cannot bind, exiting: {err}");
debug!("{err:?}");
}
});
}
wait().await?;
self.state.set_stopping().await;
fire_event(ServerEvent::Stopping).await;
// wait for the timer thread to stop before exiting
tick.await
.map_err(|_| Error::new(ErrorKind::Other, "cannot wait for timer thread"))?;
fire_event(ServerEvent::Stopped).await;
Ok(())
}
/// Wrapper around [`Server::bind_with`] where the `wait` closure
/// sleeps every second in an infinite loop.
pub async fn bind(self) -> Result<()> {
self.bind_with(|| async {
loop {
time::sleep(Duration::from_secs(1)).await;
}
})
.await
}
}
/// The server builder.
///
/// Convenient builder to help building a final [`Server`].
#[derive(Default)]
pub struct ServerBuilder {
/// The server configuration.
server_config: ServerConfig,
/// The timer configuration.
timer_config: TimerConfig,
}
impl ServerBuilder {
/// Create a new server builder using defaults.
pub fn new() -> Self {
Self::default()
}
/// Set the server configuration.
pub fn with_server_config(mut self, config: ServerConfig) -> Self {
self.server_config = config;
self
}
/// Set the timer configuration.
pub fn with_timer_config(mut self, config: TimerConfig) -> Self {
self.timer_config = config;
self
}
/// Configure the timer to follow the Pomodoro time management
/// method, which alternates 25 min of work and 5 min of breaks 4
/// times, then ends with a long break of 15 min.
///
/// See <https://en.wikipedia.org/wiki/Pomodoro_Technique>.
pub fn with_pomodoro_config(mut self) -> Self {
let work = TimerCycle::new("Work", 25 * 60);
let short_break = TimerCycle::new("Short break", 5 * 60);
let long_break = TimerCycle::new("Long break", 15 * 60);
*self.timer_config.cycles = vec![
work.clone(),
short_break.clone(),
work.clone(),
short_break.clone(),
work.clone(),
short_break.clone(),
work.clone(),
short_break.clone(),
long_break,
];
self
}
/// Configure the timer to follow the 52/17 time management
/// method, which alternates 52 min of work and 17 min of resting.
///
/// See <https://en.wikipedia.org/wiki/52/17_rule>.
pub fn with_52_17_config(mut self) -> Self {
let work = TimerCycle::new("Work", 52 * 60);
let rest = TimerCycle::new("Rest", 17 * 60);
*self.timer_config.cycles = vec![work, rest];
self
}
/// Set the server handler.
pub fn with_server_handler<F: Future<Output = Result<()>> + Send + 'static>(
mut self,
handler: impl Fn(ServerEvent) -> F + Send + Sync + 'static,
) -> Self {
self.server_config.handler = Arc::new(move |evt| Box::pin(handler(evt)));
self
}
/// Push the given server binder.
pub fn with_binder(mut self, binder: Box<dyn ServerBind>) -> Self {
self.server_config.binders.push(binder);
self
}
/// Set the timer handler.
pub fn with_timer_handler<F: Future<Output = Result<()>> + Send + 'static>(
mut self,
handler: impl Fn(TimerEvent) -> F + Sync + Send + 'static,
) -> Self {
self.timer_config.handler = Arc::new(move |evt| Box::pin(handler(evt)));
self
}
/// Push the given timer cycle.
pub fn with_cycle<C>(mut self, cycle: C) -> Self
where
C: Into<TimerCycle>,
{
self.timer_config.cycles.push(cycle.into());
self
}
/// Set the timer cycles.
pub fn with_cycles<C, I>(mut self, cycles: I) -> Self
where
C: Into<TimerCycle>,
I: IntoIterator<Item = C>,
{
for cycle in cycles {
self.timer_config.cycles.push(cycle.into());
}
self
}
/// Set the timer cycles count.
pub fn with_cycles_count(mut self, count: impl Into<TimerLoop>) -> Self {
self.timer_config.cycles_count = count.into();
self
}
/// Build the final server.
pub fn build(self) -> Result<Server> {
Ok(Server {
config: self.server_config,
state: ThreadSafeState::new(),
timer: ThreadSafeTimer::new(self.timer_config)?,
})
}
}