#![forbid(unsafe_code)]
#![warn(missing_docs, missing_debug_implementations, rust_2018_idioms)]
#![no_std]
extern crate alloc;
use alloc::boxed::Box;
use async_trait::async_trait;
use core::{fmt, future::Future, ops::Deref, pin::Pin};
pub struct LocalExecutorError(pub Pin<Box<dyn Future<Output = ()>>>);
impl fmt::Debug for LocalExecutorError {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_tuple("LocalExecutorError")
.field(&"Future")
.finish()
}
}
pub trait FullExecutor: Executor + BlockingExecutor {}
pub trait Executor {
fn block_on(&self, f: Pin<Box<dyn Future<Output = ()>>>);
fn spawn(&self, f: Pin<Box<dyn Future<Output = ()> + Send>>) -> Box<dyn Task>;
fn spawn_local(
&self,
f: Pin<Box<dyn Future<Output = ()>>>,
) -> Result<Box<dyn Task>, LocalExecutorError> {
Err(LocalExecutorError(f))
}
}
#[async_trait]
pub trait BlockingExecutor {
async fn spawn_blocking(&self, f: Box<dyn FnOnce() + Send + 'static>);
}
impl<E: Deref + Sync> FullExecutor for E where E::Target: FullExecutor + Sync {}
impl<E: Deref + Sync> Executor for E
where
E::Target: Executor + Sync,
{
fn block_on(&self, f: Pin<Box<dyn Future<Output = ()>>>) {
self.deref().block_on(f)
}
fn spawn(&self, f: Pin<Box<dyn Future<Output = ()> + Send>>) -> Box<dyn Task> {
self.deref().spawn(f)
}
fn spawn_local(
&self,
f: Pin<Box<dyn Future<Output = ()>>>,
) -> Result<Box<dyn Task>, LocalExecutorError> {
self.deref().spawn_local(f)
}
}
#[async_trait]
impl<E: Deref + Sync> BlockingExecutor for E
where
E::Target: BlockingExecutor + Sync,
{
async fn spawn_blocking(&self, f: Box<dyn FnOnce() + Send + 'static>) {
self.deref().spawn_blocking(f).await
}
}
#[async_trait(?Send)]
pub trait Task: Future<Output = ()> {
async fn cancel(self: Box<Self>) -> Option<()>;
}