mirror of
https://github.com/cargo-bins/cargo-binstall.git
synced 2025-05-05 19:50:02 +00:00

`leon_macros::template!` can parse template at compile-time. It accepts a utf-8 string literal and uses `leon` internally to parse it, then generate code that evaluates to `Template<'static>`. - Exclude fuzz from crate leon when publishing - Impl fn-like proc-macro `leon_macros::template!` - Add dep `leon-macros` to binstalk - Use `leon_macros::template!` in `binstalk::fetchers::gh_crate_meta::hosting` - Add doc for `leon-macros` in `leon` - Improve `std::fmt::Display` impl for `leon::ParseError` - Fixed broken infra link in leon Signed-off-by: Jiahao XU <Jiahao_XU@outlook.com>
76 lines
2.2 KiB
Rust
76 lines
2.2 KiB
Rust
use std::{future::Future, pin::Pin};
|
|
use tokio::sync::mpsc;
|
|
|
|
/// Given multiple futures with output = `Result<Option<T>, E>`,
|
|
/// returns the the first one that returns either `Err(_)` or
|
|
/// `Ok(Some(_))`.
|
|
pub struct FuturesResolver<T, E> {
|
|
rx: mpsc::Receiver<Result<T, E>>,
|
|
tx: mpsc::Sender<Result<T, E>>,
|
|
}
|
|
|
|
impl<T, E> Default for FuturesResolver<T, E> {
|
|
fn default() -> Self {
|
|
// We only need the first one, so the channel is of size 1.
|
|
let (tx, rx) = mpsc::channel(1);
|
|
Self { tx, rx }
|
|
}
|
|
}
|
|
|
|
impl<T: Send + 'static, E: Send + 'static> FuturesResolver<T, E> {
|
|
/// Insert new future into this resolver, they will start running
|
|
/// right away.
|
|
pub fn push<Fut>(&self, fut: Fut)
|
|
where
|
|
Fut: Future<Output = Result<Option<T>, E>> + Send + 'static,
|
|
{
|
|
let tx = self.tx.clone();
|
|
|
|
tokio::spawn(async move {
|
|
tokio::pin!(fut);
|
|
|
|
Self::spawn_inner(fut, tx).await;
|
|
});
|
|
}
|
|
|
|
async fn spawn_inner(
|
|
fut: Pin<&mut (dyn Future<Output = Result<Option<T>, E>> + Send)>,
|
|
tx: mpsc::Sender<Result<T, E>>,
|
|
) {
|
|
let res = tokio::select! {
|
|
biased;
|
|
|
|
_ = tx.closed() => return,
|
|
res = fut => res,
|
|
};
|
|
|
|
if let Some(res) = res.transpose() {
|
|
// try_send can only fail due to being full or being closed.
|
|
//
|
|
// In both cases, this could means some other future has
|
|
// completed first.
|
|
//
|
|
// For closed, it could additionally means that the task
|
|
// is cancelled.
|
|
tx.try_send(res).ok();
|
|
}
|
|
}
|
|
|
|
/// Insert multiple futures into this resolver, they will start running
|
|
/// right away.
|
|
pub fn extend<Fut, Iter>(&self, iter: Iter)
|
|
where
|
|
Fut: Future<Output = Result<Option<T>, E>> + Send + 'static,
|
|
Iter: IntoIterator<Item = Fut>,
|
|
{
|
|
iter.into_iter().for_each(|fut| self.push(fut));
|
|
}
|
|
|
|
/// Return the resolution.
|
|
pub fn resolve(self) -> impl Future<Output = Result<Option<T>, E>> {
|
|
let mut rx = self.rx;
|
|
drop(self.tx);
|
|
|
|
async move { rx.recv().await.transpose() }
|
|
}
|
|
}
|