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
use crate::callback::must_call;
use futures::channel::mpsc;
use futures::channel::oneshot as futures_oneshot;
use futures::future::{self, BoxFuture, Future, FutureExt, TryFutureExt};
use futures::stream::{Stream, StreamExt};
use futures::task::{self, ArcWake, Context, Poll};
use std::sync::{Arc, Mutex};
pub fn paired_future_callback<T>() -> (Box<dyn FnOnce(T) + Send>, futures_oneshot::Receiver<T>)
where
T: Send + 'static,
{
let (tx, future) = futures_oneshot::channel::<T>();
let callback = Box::new(move |result| {
let r = tx.send(result);
if r.is_err() {
warn!("paired_future_callback: Failed to send result to the future rx, discarded.");
}
});
(callback, future)
}
pub fn paired_must_called_future_callback<T>(
arg_on_drop: impl FnOnce() -> T + Send + 'static,
) -> (Box<dyn FnOnce(T) + Send>, futures_oneshot::Receiver<T>)
where
T: Send + 'static,
{
let (tx, future) = futures_oneshot::channel::<T>();
let callback = must_call(
move |result| {
let r = tx.send(result);
if r.is_err() {
warn!("paired_future_callback: Failed to send result to the future rx, discarded.");
}
},
arg_on_drop,
);
(callback, future)
}
pub fn create_stream_with_buffer<T, S>(
s: S,
size: usize,
) -> (
impl Stream<Item = T> + Send + 'static,
impl Future<Output = ()> + Send + 'static,
)
where
S: Stream<Item = T> + Send + 'static,
T: Send + 'static,
{
let (tx, rx) = mpsc::channel::<T>(size);
let driver = s
.then(future::ok::<T, mpsc::SendError>)
.forward(tx)
.map_err(|e| warn!("stream with buffer send error"; "error" => %e))
.map(|_| ());
(rx, driver)
}
pub fn poll_future_notify<F: Future<Output = ()> + Send + 'static>(f: F) {
let f: BoxFuture<'static, ()> = Box::pin(f);
let waker = Arc::new(BatchCommandsWaker(Mutex::new(Some(f))));
waker.wake();
}
struct BatchCommandsWaker(Mutex<Option<BoxFuture<'static, ()>>>);
impl ArcWake for BatchCommandsWaker {
fn wake_by_ref(arc_self: &Arc<Self>) {
let mut future_slot = arc_self.0.lock().unwrap();
if let Some(mut future) = future_slot.take() {
let waker = task::waker_ref(&arc_self);
let cx = &mut Context::from_waker(&*waker);
match future.as_mut().poll(cx) {
Poll::Pending => {
*future_slot = Some(future);
}
Poll::Ready(()) => {}
}
}
}
}