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
pub use core::future::Future;
use core::{
marker::PhantomData,
pin::Pin,
task::{Context, Poll},
};
use crate::waker::ProviderWaker;
fn request_ref_from_context<'c, T: 'static + ?Sized>(cx: &Context<'c>) -> Option<&'c T> {
ProviderWaker::from_waker_ref(cx.waker()).and_then(|cx| core::any::request_ref(cx))
}
fn request_value_from_context<T: 'static>(cx: &Context<'_>) -> Option<T> {
ProviderWaker::from_waker_ref(cx.waker()).and_then(|cx| core::any::request_value(cx))
}
pub fn get_value<T: 'static + Clone>() -> impl Future<Output = Option<T>> {
GetValueFut(core::marker::PhantomData::<T>)
}
struct GetValueFut<T>(core::marker::PhantomData<T>);
impl<T> Unpin for GetValueFut<T> {}
impl<T: Clone + 'static> Future for GetValueFut<T> {
type Output = Option<T>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
Poll::Ready(request_ref_from_context(cx).cloned())
}
}
pub fn take_value<T: 'static>() -> impl Future<Output = Option<T>> {
TakeValueFut(core::marker::PhantomData::<T>)
}
struct TakeValueFut<T>(core::marker::PhantomData<T>);
impl<T> Unpin for TakeValueFut<T> {}
impl<T: 'static> Future for TakeValueFut<T> {
type Output = Option<T>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
Poll::Ready(request_value_from_context(cx))
}
}
pub fn with_ref<T: 'static + ?Sized, F: for<'c> FnOnce(&'c T) -> R, R>(
f: F,
) -> impl Future<Output = Option<R>> {
WithRefFut(Some(f), core::marker::PhantomData::<(&'static T, R)>)
}
struct WithRefFut<T: 'static + ?Sized, F: for<'c> FnOnce(&'c T) -> R, R>(
Option<F>,
PhantomData<(&'static T, R)>,
);
impl<T: 'static + ?Sized, F: for<'c> FnOnce(&'c T) -> R, R> Unpin for WithRefFut<T, F, R> {}
impl<T: 'static + ?Sized, F: for<'c> FnOnce(&'c T) -> R, R> Future for WithRefFut<T, F, R> {
type Output = Option<R>;
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let f = self
.0
.take()
.expect("futures should not be polled after completion");
Poll::Ready(request_ref_from_context(cx).map(f))
}
}