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
//! Definition of the `JoinAllThenTry` adapter, waiting for all of a list of
//! futures to finish with either success or error.
#[cfg(not(futures_no_atomic_cas))]
use crate::stream::{CollectThenTry, TryStreamExt};
use crate::support::assert_future;
use alloc::{boxed::Box, vec::Vec};
use core::{
fmt,
future::Future,
iter::FromIterator,
mem,
pin::Pin,
task::{Context, Poll},
};
use futures_core::future::TryFuture;
use futures_util::future::{IntoFuture, MaybeDone, TryFutureExt};
#[cfg(not(futures_no_atomic_cas))]
use futures_util::stream::FuturesOrdered;
#[cfg(not(futures_no_atomic_cas))]
pub(crate) const SMALL: usize = 30;
/// Future for the [`join_all_then_try`] function.
#[must_use = "futures do nothing unless you `.await` or poll them"]
pub struct JoinAllThenTry<F>
where
F: TryFuture,
{
kind: JoinAllKindThenTry<F>,
}
enum JoinAllKindThenTry<F>
where
F: TryFuture,
{
Small {
elems: Pin<Box<[MaybeDone<IntoFuture<F>>]>>,
},
#[cfg(not(futures_no_atomic_cas))]
Big {
// The use of FuturesOrdered here ensures that in case of errors, the first future listed in
// the iterator that errors out will be returned.
fut: CollectThenTry<FuturesOrdered<IntoFuture<F>>, Vec<F::Ok>>,
},
}
impl<F> fmt::Debug for JoinAllThenTry<F>
where
F: TryFuture + fmt::Debug,
F::Ok: fmt::Debug,
F::Error: fmt::Debug,
F::Output: fmt::Debug,
{
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self.kind {
JoinAllKindThenTry::Small { ref elems } => f
.debug_struct("JoinAllThenTry")
.field("elems", elems)
.finish(),
#[cfg(not(futures_no_atomic_cas))]
JoinAllKindThenTry::Big { ref fut, .. } => fmt::Debug::fmt(fut, f),
}
}
}
/// Creates a future which represents either a collection of the results of the futures given or an
/// error.
///
/// The returned future will drive execution for all of its underlying futures, collecting the
/// results into a destination `Vec<T>` in the same order as they were provided.
///
/// Unlike [`futures::future::try_join_all`], if any future returns an error then all other futures
/// will **not** be canceled. Instead, all other futures will be run to completion.
///
/// * If all futures complete successfully, then the returned future will succeed with a
/// `Vec` of all the successful results.
/// * If one or more futures fail, then the returned future will error out with the error
/// for the first future listed that failed.
///
/// This function is only available when the `std` or `alloc` feature of this library is activated,
/// and it is activated by default.
///
/// # Why use `join_all_then_try`?
///
/// See the documentation for [`join_then_try`](crate::join_then_try) for a discussion of why you might
/// want to use a `then_try` adapter.
///
/// # Notes
///
/// This adapter does not expose a way to gather and combine all returned errors. Implementing that
/// is a future goal, but it requires some design work for a generic way to combine errors. To
/// do that today, use [`futures::future::join_all`] and combine errors at the end.
///
/// # See Also
///
/// `join_all_then_try` will switch to the more powerful [`FuturesOrdered`] for performance reasons if
/// the number of futures is large. You may want to look into using it or its counterpart
/// [`FuturesUnordered`][futures::stream::FuturesUnordered] directly.
///
/// Some examples for additional functionality provided by these are:
///
/// * Adding new futures to the set even after it has been started.
///
/// * Only polling the specific futures that have been woken. In cases where you have a lot of
/// futures this will result in much more efficient polling.
///
/// # Examples
///
/// ```
/// # #[tokio::main(flavor = "current_thread")]
/// # async fn main() {
/// use futures_util::future;
/// use cancel_safe_futures::future::join_all_then_try;
///
/// let futures = vec![
/// future::ok::<u32, u32>(1),
/// future::ok::<u32, u32>(2),
/// future::ok::<u32, u32>(3),
/// ];
///
/// assert_eq!(join_all_then_try(futures).await, Ok(vec![1, 2, 3]));
///
/// let futures = vec![
/// future::ok::<u32, u32>(1),
/// future::err::<u32, u32>(2),
/// future::ok::<u32, u32>(3),
/// ];
///
/// assert_eq!(join_all_then_try(futures).await, Err(2));
/// # }
/// ```
pub fn join_all_then_try<I>(iter: I) -> JoinAllThenTry<I::Item>
where
I: IntoIterator,
I::Item: TryFuture,
{
let iter = iter.into_iter().map(TryFutureExt::into_future);
#[cfg(futures_no_atomic_cas)]
{
let kind = JoinAllKindThenTry::Small {
elems: iter.map(MaybeDone::Future).collect::<Box<[_]>>().into(),
};
assert_future::<Result<Vec<<I::Item as TryFuture>::Ok>, <I::Item as TryFuture>::Error>, _>(
JoinAllThenTry { kind },
)
}
#[cfg(not(futures_no_atomic_cas))]
{
let kind = match iter.size_hint().1 {
Some(max) if max <= SMALL => JoinAllKindThenTry::Small {
elems: iter.map(MaybeDone::Future).collect::<Box<[_]>>().into(),
},
_ => JoinAllKindThenTry::Big {
fut: iter.collect::<FuturesOrdered<_>>().collect_then_try(),
},
};
assert_future::<Result<Vec<<I::Item as TryFuture>::Ok>, <I::Item as TryFuture>::Error>, _>(
JoinAllThenTry { kind },
)
}
}
impl<F> Future for JoinAllThenTry<F>
where
F: TryFuture,
{
type Output = Result<Vec<F::Ok>, F::Error>;
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
enum FinalState {
Pending,
AllDone,
}
match &mut self.kind {
JoinAllKindThenTry::Small { elems } => {
let mut state = FinalState::AllDone;
for elem in iter_pin_mut(elems.as_mut()) {
match elem.poll(cx) {
Poll::Pending => state = FinalState::Pending,
Poll::Ready(()) => {}
}
}
match state {
FinalState::Pending => Poll::Pending,
FinalState::AllDone => {
let mut elems = mem::replace(elems, Box::pin([]));
let results: Result<Vec<_>, _> = iter_pin_mut(elems.as_mut())
.map(|e| e.take_output().unwrap())
.collect();
Poll::Ready(results)
}
}
}
#[cfg(not(futures_no_atomic_cas))]
JoinAllKindThenTry::Big { fut } => Pin::new(fut).poll(cx),
}
}
}
impl<F> FromIterator<F> for JoinAllThenTry<F>
where
F: TryFuture,
{
fn from_iter<T: IntoIterator<Item = F>>(iter: T) -> Self {
join_all_then_try(iter)
}
}
pub(crate) fn iter_pin_mut<T>(slice: Pin<&mut [T]>) -> impl Iterator<Item = Pin<&mut T>> {
// Safety: `std` _could_ make this unsound if it were to decide Pin's
// invariants aren't required to transmit through slices. Otherwise this has
// the same safety as a normal field pin projection.
unsafe { slice.get_unchecked_mut() }
.iter_mut()
.map(|t| unsafe { Pin::new_unchecked(t) })
}