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
use tokio::sync::watch;
/// Handle to a worker. Once all handles have been dropped, the worker
/// will stop waiting for new requests.
#[derive(Debug, Clone)]
pub(crate) struct WorkerHandle {
_receiver: watch::Receiver<()>,
}
impl WorkerHandle {
#[cfg(test)]
pub(crate) fn new_mocked() -> Self {
let (s, _) = WorkerHandleListener::channel();
s
}
}
/// Listener used to determine when all handles have been dropped.
#[derive(Debug)]
pub(crate) struct WorkerHandleListener {
sender: watch::Sender<()>,
}
impl WorkerHandleListener {
/// Listen until all handles are dropped.
/// This will not return until all handles are dropped, so make sure to only poll this via
/// select or with a timeout.
pub(crate) async fn wait_for_all_handle_drops(&self) {
self.sender.closed().await
}
/// Returns whether there are handles that have not been dropped yet.
pub(crate) fn is_alive(&self) -> bool {
!self.sender.is_closed()
}
/// Constructs a new channel for for monitoring whether this worker still has references
/// to it.
pub(crate) fn channel() -> (WorkerHandle, WorkerHandleListener) {
let (sender, receiver) = watch::channel(());
(
WorkerHandle {
_receiver: receiver,
},
WorkerHandleListener { sender },
)
}
}