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
//! This library provides a timer driver for scheduling and executing timed operations. The driver
//! allows you to create handles for sleeping for a specific duration or until a specified timeout.
//! It operates in a concurrent environment and uses a binary heap for efficient scheduling of
//! events.
//!
//! # Example
//!
//! ```rust
//! use async_spin_sleep::Builder;
//! use std::time::Duration;
//!
//! // Create a handle for sleeping for 1 second
//! let (handle, driver) = Builder::default().build();
//!
//! // Spawn the driver on a separate thread.
//! // The timer will be dropped when all handles are dropped.
//! std::thread::spawn(driver);
//!
//! let sleep_future = handle.sleep_for(Duration::from_secs(1));
//!
//! // Wait for the sleep future to complete
//! let result = futures::executor::block_on(sleep_future);
//! if let Ok(overly) = result {
//! println!("Slept {overly:?} more than requested");
//! } else {
//! println!("Sleep error: {:?}", result.err());
//! }
//! ```
use std::{
pin::Pin,
sync::atomic::AtomicUsize,
task::{Context, Poll},
time::{Duration, Instant},
};
use crossbeam::channel;
/* -------------------------------------------- Init -------------------------------------------- */
#[cfg(windows)]
const DEFAULT_SCHEDULE_RESOLUTION: Duration = Duration::from_millis(33);
#[cfg(unix)]
const DEFAULT_SCHEDULE_RESOLUTION: Duration = Duration::from_millis(3);
#[derive(Debug)]
pub struct Builder {
/// Default scheduling resolution for this driver. Setting this to a lower value may decrease
/// CPU usage of the driver, but may also dangerously increase the chance of missing a wakeup
/// event due to the OS scheduler.
pub schedule_resolution: Duration,
/// Aborted nodes that are too far from execution may remain in the driver's memory for a long
/// time. This value specifies the maximum number of aborted nodes that can be stored in the
/// driver's memory. If this value is exceeded, the driver will collect garbage.
pub collect_garbage_at: usize,
/// Set channel capacity. This value is used to initialize the channel that connects the driver
/// and its handles. If the channel is full, the driver will block until the channel is
/// available.
///
/// When [`None`] is specified, an unbounded channel will be used.
pub channel_capacity: Option<usize>,
// Force 'default' only
_0: (),
}
impl Default for Builder {
fn default() -> Self {
Self {
schedule_resolution: DEFAULT_SCHEDULE_RESOLUTION,
collect_garbage_at: 128,
channel_capacity: None,
_0: (),
}
}
}
impl Builder {
pub fn build(self) -> (Handle, impl FnOnce()) {
let (tx, rx) = if let Some(cap) = self.channel_capacity {
channel::bounded(cap)
} else {
channel::unbounded()
};
let handle = Handle { tx: tx.clone() };
let driver = move || driver::execute(self, rx);
(handle, driver)
}
}
pub fn create() -> (Handle, impl FnOnce()) {
Builder::default().build()
}
/* ------------------------------------------- Driver ------------------------------------------- */
mod driver {
use std::{
collections::{BTreeSet, BinaryHeap},
task::Waker,
time::Instant,
};
use crossbeam::channel::{self, TryRecvError};
use educe::Educe;
use crate::Builder;
#[derive(Debug)]
pub(crate) enum Event {
SleepUntil(NodeDesc, Waker),
Abort(NodeDesc),
}
/// ```plain
/// if exists foremost-node
/// if node is far from execution
/// condvar-sleep until safety limit
/// continue
/// else
/// while until foremost-node is executed
/// else
/// wait condvar
/// ```
pub(crate) fn execute(this: Builder, rx: channel::Receiver<Event>) {
let mut nodes = BinaryHeap::<Node>::new();
let mut aborts = BTreeSet::<usize>::new();
let mut n_garbage = 0usize;
let mut cursor_timeout = Instant::now(); // prevents expired node abortion
'outer: loop {
let now = Instant::now();
let mut event = if let Some(node) = nodes.peek() {
let remain = node.desc.timeout.saturating_duration_since(now);
if remain > this.schedule_resolution {
let system_sleep_for = remain - this.schedule_resolution;
let Ok(x) = rx.recv_timeout(system_sleep_for) else { continue };
x
} else {
loop {
let now = Instant::now();
if now >= node.desc.timeout {
// This is the only point where a node is executed.
let node = nodes.pop().unwrap();
if let Some(_) = aborts.take(&node.desc.id) {
n_garbage -= 1;
} else {
node.waker.wake();
}
cursor_timeout = node.desc.timeout;
continue 'outer;
} else {
match rx.try_recv() {
Ok(x) => break x,
Err(TryRecvError::Empty) => std::thread::yield_now(),
Err(TryRecvError::Disconnected) => break 'outer,
}
}
}
}
} else {
let Ok(x) = rx.recv() else { break };
x
};
loop {
match event {
Event::SleepUntil(desc, waker) => nodes.push(Node { waker, desc }),
Event::Abort(node) if node.timeout > cursor_timeout => {
aborts.insert(node.id);
n_garbage += 1;
if n_garbage > this.collect_garbage_at {
let fn_retain = |x: &Node| {
if let Some(_) = aborts.take(&x.desc.id) {
n_garbage -= 1;
false
} else {
true
}
};
#[rustversion::since(1.70)]
fn retain(
this: &mut BinaryHeap<Node>,
fn_retain: impl FnMut(&Node) -> bool,
) {
this.retain(fn_retain);
}
#[rustversion::before(1.70)]
fn retain(
this: &mut BinaryHeap<Node>,
fn_retain: impl FnMut(&Node) -> bool,
) {
let nodes = std::mem::take(this);
let mut vec = nodes.into_vec();
vec.retain(fn_retain);
*this = BinaryHeap::from(vec);
}
retain(&mut nodes, fn_retain);
debug_assert_eq!(
n_garbage,
0,
"grabages: {:?}, nodes: {:?}",
aborts.len(),
nodes.len()
);
debug_assert!(aborts.is_empty());
}
}
Event::Abort(_) => (), // It is safe to ignore.
};
// Consume all events in the channel.
match rx.try_recv() {
Ok(x) => event = x,
Err(TryRecvError::Empty) => break,
Err(TryRecvError::Disconnected) => break 'outer,
}
}
}
}
#[derive(Debug, Eq, PartialEq, Clone, Copy, Educe)]
#[educe(PartialOrd, Ord)]
pub(crate) struct NodeDesc {
#[educe(PartialOrd(method = "cmp_rev_partial"), Ord(method = "cmp_rev"))]
pub timeout: Instant,
pub id: usize,
}
fn cmp_rev(a: &Instant, b: &Instant) -> std::cmp::Ordering {
b.cmp(a)
}
fn cmp_rev_partial(a: &Instant, b: &Instant) -> Option<std::cmp::Ordering> {
b.partial_cmp(a)
}
#[derive(Debug, Educe)]
#[educe(PartialEq, Eq, PartialOrd, Ord)]
struct Node {
#[educe(PartialEq(ignore), Eq(ignore), PartialOrd(ignore), Ord(ignore))]
waker: Waker,
desc: NodeDesc,
}
}
/* ------------------------------------------- Handle ------------------------------------------- */
#[derive(Debug, Clone)]
pub struct Handle {
tx: channel::Sender<driver::Event>,
}
impl Handle {
/// Returns a future that sleeps for the specified duration.
///
/// [`SleepFuture`] returns the duration that overly passed the specified duration.
pub fn sleep_for(&self, duration: Duration) -> SleepFuture {
self.sleep_until(Instant::now() + duration)
}
/// Returns a future that sleeps until the specified instant.
///
/// [`SleepFuture`] returns the duration that overly passed the specified instant.
pub fn sleep_until(&self, timeout: Instant) -> SleepFuture {
static COUNTER: AtomicUsize = AtomicUsize::new(0);
SleepFuture {
tx: self.tx.clone(),
state: SleepState::Pending,
desc: driver::NodeDesc {
timeout,
id: COUNTER.fetch_add(1, std::sync::atomic::Ordering::Relaxed),
},
}
}
}
/* ------------------------------------------- Future ------------------------------------------- */
#[derive(Debug)]
pub struct SleepFuture {
tx: channel::Sender<driver::Event>,
desc: driver::NodeDesc,
state: SleepState,
}
#[cfg(test)]
static_assertions::assert_impl_all!(SleepFuture: Send, Sync, Unpin);
#[derive(Debug, thiserror::Error)]
pub enum SleepError {
#[error("driver shutdown")]
Shutdown,
}
#[derive(Debug)]
enum SleepState {
Pending,
Sleeping,
Woken,
}
impl std::future::Future for SleepFuture {
type Output = Result<Duration, SleepError>;
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let now = Instant::now();
if let Some(over) = now.checked_duration_since(self.desc.timeout) {
self.state = SleepState::Woken;
return Poll::Ready(Ok(over));
}
if matches!(self.state, SleepState::Pending) {
let event = driver::Event::SleepUntil(self.desc, cx.waker().clone());
if let Err(_) = self.tx.send(event) {
return Poll::Ready(Err(SleepError::Shutdown));
}
self.state = SleepState::Sleeping;
}
Poll::Pending
}
}
impl Drop for SleepFuture {
fn drop(&mut self) {
if matches!(self.state, SleepState::Sleeping) {
let _ = self.tx.send(driver::Event::Abort(self.desc));
}
}
}