1 // This file is Copyright its original authors, visible in version control
4 // This file is licensed under the Apache License, Version 2.0 <LICENSE-APACHE
5 // or http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
6 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your option.
7 // You may not use this file except in accordance with one or both of these
10 //! Utilities which allow users to block on some future notification from LDK. These are
11 //! specifically used by [`ChannelManager`] to allow waiting until the [`ChannelManager`] needs to
14 //! [`ChannelManager`]: crate::ln::channelmanager::ChannelManager
18 use crate::sync::{Condvar, Mutex, MutexGuard};
20 use crate::prelude::*;
22 #[cfg(any(test, feature = "std"))]
23 use std::time::{Duration, Instant};
25 use core::future::Future as StdFuture;
26 use core::task::{Context, Poll};
30 /// Used to signal to one of many waiters that the condition they're waiting on has happened.
31 pub(crate) struct Notifier {
32 notify_pending: Mutex<(bool, Option<Arc<Mutex<FutureState>>>)>,
36 macro_rules! check_woken {
37 ($guard: expr, $retval: expr) => { {
40 if $guard.1.as_ref().map(|l| l.lock().unwrap().complete).unwrap_or(false) {
41 // If we're about to return as woken, and the future state is marked complete, wipe
42 // the future state and let the next future wait until we get a new notify.
51 pub(crate) fn new() -> Self {
53 notify_pending: Mutex::new((false, None)),
54 condvar: Condvar::new(),
58 fn propagate_future_state_to_notify_flag(&self) -> MutexGuard<(bool, Option<Arc<Mutex<FutureState>>>)> {
59 let mut lock = self.notify_pending.lock().unwrap();
60 if let Some(existing_state) = &lock.1 {
61 if existing_state.lock().unwrap().callbacks_made {
62 // If the existing `FutureState` has completed and actually made callbacks,
63 // consider the notification flag to have been cleared and reset the future state.
71 pub(crate) fn wait(&self) {
73 let mut guard = self.propagate_future_state_to_notify_flag();
74 check_woken!(guard, ());
75 guard = self.condvar.wait(guard).unwrap();
76 check_woken!(guard, ());
80 #[cfg(any(test, feature = "std"))]
81 pub(crate) fn wait_timeout(&self, max_wait: Duration) -> bool {
82 let current_time = Instant::now();
84 let mut guard = self.propagate_future_state_to_notify_flag();
85 check_woken!(guard, true);
86 guard = self.condvar.wait_timeout(guard, max_wait).unwrap().0;
87 check_woken!(guard, true);
88 // Due to spurious wakeups that can happen on `wait_timeout`, here we need to check if the
89 // desired wait time has actually passed, and if not then restart the loop with a reduced wait
90 // time. Note that this logic can be highly simplified through the use of
91 // `Condvar::wait_while` and `Condvar::wait_timeout_while`, if and when our MSRV is raised to
93 let elapsed = current_time.elapsed();
94 if elapsed >= max_wait {
97 match max_wait.checked_sub(elapsed) {
104 /// Wake waiters, tracking that wake needs to occur even if there are currently no waiters.
105 pub(crate) fn notify(&self) {
106 let mut lock = self.notify_pending.lock().unwrap();
107 if let Some(future_state) = &lock.1 {
108 future_state.lock().unwrap().complete();
112 self.condvar.notify_all();
115 /// Gets a [`Future`] that will get woken up with any waiters
116 pub(crate) fn get_future(&self) -> Future {
117 let mut lock = self.propagate_future_state_to_notify_flag();
118 if let Some(existing_state) = &lock.1 {
119 Future { state: Arc::clone(&existing_state) }
121 let state = Arc::new(Mutex::new(FutureState {
122 callbacks: Vec::new(),
124 callbacks_made: false,
126 lock.1 = Some(Arc::clone(&state));
131 #[cfg(any(test, feature = "_test_utils"))]
132 pub fn notify_pending(&self) -> bool {
133 self.notify_pending.lock().unwrap().0
137 /// A callback which is called when a [`Future`] completes.
139 /// Note that this MUST NOT call back into LDK directly, it must instead schedule actions to be
140 /// taken later. Rust users should use the [`std::future::Future`] implementation for [`Future`]
143 /// Note that the [`std::future::Future`] implementation may only work for runtimes which schedule
144 /// futures when they receive a wake, rather than immediately executing them.
145 pub trait FutureCallback : Send {
146 /// The method which is called.
150 impl<F: Fn() + Send> FutureCallback for F {
151 fn call(&self) { (self)(); }
154 pub(crate) struct FutureState {
155 // When we're tracking whether a callback counts as having woken the user's code, we check the
156 // first bool - set to false if we're just calling a Waker, and true if we're calling an actual
157 // user-provided function.
158 callbacks: Vec<(bool, Box<dyn FutureCallback>)>,
160 callbacks_made: bool,
164 fn complete(&mut self) {
165 for (counts_as_call, callback) in self.callbacks.drain(..) {
167 self.callbacks_made |= counts_as_call;
169 self.complete = true;
173 /// A simple future which can complete once, and calls some callback(s) when it does so.
175 state: Arc<Mutex<FutureState>>,
179 /// Registers a callback to be called upon completion of this future. If the future has already
180 /// completed, the callback will be called immediately.
182 /// (C-not exported) use the bindings-only `register_callback_fn` instead
183 pub fn register_callback(&self, callback: Box<dyn FutureCallback>) {
184 let mut state = self.state.lock().unwrap();
186 state.callbacks_made = true;
190 state.callbacks.push((true, callback));
194 // C bindings don't (currently) know how to map `Box<dyn Trait>`, and while it could add the
195 // following wrapper, doing it in the bindings is currently much more work than simply doing it
197 /// Registers a callback to be called upon completion of this future. If the future has already
198 /// completed, the callback will be called immediately.
200 pub fn register_callback_fn<F: 'static + FutureCallback>(&self, callback: F) {
201 self.register_callback(Box::new(callback));
205 use core::task::Waker;
206 struct StdWaker(pub Waker);
207 impl FutureCallback for StdWaker {
208 fn call(&self) { self.0.wake_by_ref() }
211 /// (C-not exported) as Rust Futures aren't usable in language bindings.
212 impl<'a> StdFuture for Future {
215 fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
216 let mut state = self.state.lock().unwrap();
218 state.callbacks_made = true;
221 let waker = cx.waker().clone();
222 state.callbacks.push((false, Box::new(StdWaker(waker))));
231 use core::sync::atomic::{AtomicBool, Ordering};
232 use core::future::Future as FutureTrait;
233 use core::task::{Context, Poll, RawWaker, RawWakerVTable, Waker};
236 fn notifier_pre_notified_future() {
237 // Previously, if we generated a future after a `Notifier` had been notified, the future
238 // would never complete. This tests this behavior, ensuring the future instead completes
240 let notifier = Notifier::new();
243 let callback = Arc::new(AtomicBool::new(false));
244 let callback_ref = Arc::clone(&callback);
245 notifier.get_future().register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
246 assert!(callback.load(Ordering::SeqCst));
250 fn notifier_future_completes_wake() {
251 // Previously, if we were only using the `Future` interface to learn when a `Notifier` has
252 // been notified, we'd never mark the notifier as not-awaiting-notify. This caused the
253 // `lightning-background-processor` to persist in a tight loop.
254 let notifier = Notifier::new();
256 // First check the simple case, ensuring if we get notified a new future isn't woken until
257 // a second `notify`.
258 let callback = Arc::new(AtomicBool::new(false));
259 let callback_ref = Arc::clone(&callback);
260 notifier.get_future().register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
261 assert!(!callback.load(Ordering::SeqCst));
264 assert!(callback.load(Ordering::SeqCst));
266 let callback = Arc::new(AtomicBool::new(false));
267 let callback_ref = Arc::clone(&callback);
268 notifier.get_future().register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
269 assert!(!callback.load(Ordering::SeqCst));
272 assert!(callback.load(Ordering::SeqCst));
274 // Then check the case where the future is fetched before the notification, but a callback
275 // is only registered after the `notify`, ensuring that it is still sufficient to ensure we
276 // don't get an instant-wake when we get a new future.
277 let future = notifier.get_future();
280 let callback = Arc::new(AtomicBool::new(false));
281 let callback_ref = Arc::clone(&callback);
282 future.register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
283 assert!(callback.load(Ordering::SeqCst));
285 let callback = Arc::new(AtomicBool::new(false));
286 let callback_ref = Arc::clone(&callback);
287 notifier.get_future().register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
288 assert!(!callback.load(Ordering::SeqCst));
292 fn new_future_wipes_notify_bit() {
293 // Previously, if we were only using the `Future` interface to learn when a `Notifier` has
294 // been notified, we'd never mark the notifier as not-awaiting-notify if a `Future` is
295 // fetched after the notify bit has been set.
296 let notifier = Notifier::new();
299 let callback = Arc::new(AtomicBool::new(false));
300 let callback_ref = Arc::clone(&callback);
301 notifier.get_future().register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
302 assert!(callback.load(Ordering::SeqCst));
304 let callback = Arc::new(AtomicBool::new(false));
305 let callback_ref = Arc::clone(&callback);
306 notifier.get_future().register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
307 assert!(!callback.load(Ordering::SeqCst));
310 assert!(callback.load(Ordering::SeqCst));
313 #[cfg(feature = "std")]
315 fn test_wait_timeout() {
316 use crate::sync::Arc;
319 let persistence_notifier = Arc::new(Notifier::new());
320 let thread_notifier = Arc::clone(&persistence_notifier);
322 let exit_thread = Arc::new(AtomicBool::new(false));
323 let exit_thread_clone = exit_thread.clone();
324 thread::spawn(move || {
326 let mut lock = thread_notifier.notify_pending.lock().unwrap();
328 thread_notifier.condvar.notify_all();
330 if exit_thread_clone.load(Ordering::SeqCst) {
336 // Check that we can block indefinitely until updates are available.
337 let _ = persistence_notifier.wait();
339 // Check that the Notifier will return after the given duration if updates are
342 if persistence_notifier.wait_timeout(Duration::from_millis(100)) {
347 exit_thread.store(true, Ordering::SeqCst);
349 // Check that the Notifier will return after the given duration even if no updates
352 if !persistence_notifier.wait_timeout(Duration::from_millis(100)) {
359 fn test_future_callbacks() {
360 let future = Future {
361 state: Arc::new(Mutex::new(FutureState {
362 callbacks: Vec::new(),
364 callbacks_made: false,
367 let callback = Arc::new(AtomicBool::new(false));
368 let callback_ref = Arc::clone(&callback);
369 future.register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
371 assert!(!callback.load(Ordering::SeqCst));
372 future.state.lock().unwrap().complete();
373 assert!(callback.load(Ordering::SeqCst));
374 future.state.lock().unwrap().complete();
378 fn test_pre_completed_future_callbacks() {
379 let future = Future {
380 state: Arc::new(Mutex::new(FutureState {
381 callbacks: Vec::new(),
383 callbacks_made: false,
386 future.state.lock().unwrap().complete();
388 let callback = Arc::new(AtomicBool::new(false));
389 let callback_ref = Arc::clone(&callback);
390 future.register_callback(Box::new(move || assert!(!callback_ref.fetch_or(true, Ordering::SeqCst))));
392 assert!(callback.load(Ordering::SeqCst));
393 assert!(future.state.lock().unwrap().callbacks.is_empty());
396 // Rather annoyingly, there's no safe way in Rust std to construct a Waker despite it being
397 // totally possible to construct from a trait implementation (though somewhat less effecient
398 // compared to a raw VTable). Instead, we have to write out a lot of boilerplate to build a
399 // waker, which we do here with a trivial Arc<AtomicBool> data element to track woke-ness.
400 const WAKER_V_TABLE: RawWakerVTable = RawWakerVTable::new(waker_clone, wake, wake_by_ref, drop);
401 unsafe fn wake_by_ref(ptr: *const ()) { let p = ptr as *const Arc<AtomicBool>; assert!(!(*p).fetch_or(true, Ordering::SeqCst)); }
402 unsafe fn drop(ptr: *const ()) { let p = ptr as *mut Arc<AtomicBool>; let _freed = Box::from_raw(p); }
403 unsafe fn wake(ptr: *const ()) { wake_by_ref(ptr); drop(ptr); }
404 unsafe fn waker_clone(ptr: *const ()) -> RawWaker {
405 let p = ptr as *const Arc<AtomicBool>;
406 RawWaker::new(Box::into_raw(Box::new(Arc::clone(&*p))) as *const (), &WAKER_V_TABLE)
409 fn create_waker() -> (Arc<AtomicBool>, Waker) {
410 let a = Arc::new(AtomicBool::new(false));
411 let waker = unsafe { Waker::from_raw(waker_clone((&a as *const Arc<AtomicBool>) as *const ())) };
417 let mut future = Future {
418 state: Arc::new(Mutex::new(FutureState {
419 callbacks: Vec::new(),
421 callbacks_made: false,
424 let mut second_future = Future { state: Arc::clone(&future.state) };
426 let (woken, waker) = create_waker();
427 assert_eq!(Pin::new(&mut future).poll(&mut Context::from_waker(&waker)), Poll::Pending);
428 assert!(!woken.load(Ordering::SeqCst));
430 let (second_woken, second_waker) = create_waker();
431 assert_eq!(Pin::new(&mut second_future).poll(&mut Context::from_waker(&second_waker)), Poll::Pending);
432 assert!(!second_woken.load(Ordering::SeqCst));
434 future.state.lock().unwrap().complete();
435 assert!(woken.load(Ordering::SeqCst));
436 assert!(second_woken.load(Ordering::SeqCst));
437 assert_eq!(Pin::new(&mut future).poll(&mut Context::from_waker(&waker)), Poll::Ready(()));
438 assert_eq!(Pin::new(&mut second_future).poll(&mut Context::from_waker(&second_waker)), Poll::Ready(()));
442 fn test_dropped_future_doesnt_count() {
443 // Tests that if a Future gets drop'd before it is poll()ed `Ready` it doesn't count as
444 // having been woken, leaving the notify-required flag set.
445 let notifier = Notifier::new();
448 // If we get a future and don't touch it we're definitely still notify-required.
449 notifier.get_future();
450 assert!(notifier.wait_timeout(Duration::from_millis(1)));
451 assert!(!notifier.wait_timeout(Duration::from_millis(1)));
453 // Even if we poll'd once but didn't observe a `Ready`, we should be notify-required.
454 let mut future = notifier.get_future();
455 let (woken, waker) = create_waker();
456 assert_eq!(Pin::new(&mut future).poll(&mut Context::from_waker(&waker)), Poll::Pending);
459 assert!(woken.load(Ordering::SeqCst));
460 assert!(notifier.wait_timeout(Duration::from_millis(1)));
462 // However, once we do poll `Ready` it should wipe the notify-required flag.
463 let mut future = notifier.get_future();
464 let (woken, waker) = create_waker();
465 assert_eq!(Pin::new(&mut future).poll(&mut Context::from_waker(&waker)), Poll::Pending);
468 assert!(woken.load(Ordering::SeqCst));
469 assert_eq!(Pin::new(&mut future).poll(&mut Context::from_waker(&waker)), Poll::Ready(()));
470 assert!(!notifier.wait_timeout(Duration::from_millis(1)));