n0_watcher/lib.rs
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 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123
//! Watchable values.
//!
//! A [`Watchable`] exists to keep track of a value which may change over time. It allows
//! observers to be notified of changes to the value. The aim is to always be aware of the
//! **last** value, not to observe *every* value change.
//!
//! The reason for this is ergonomics and predictable resource usage: Requiring every
//! intermediate value to be observable would mean that either the side that sets new values
//! using [`Watchable::set`] would need to wait for all "receivers" of these intermediate
//! values to catch up and thus be an async operation, or it would require the receivers
//! to buffer intermediate values until they've been "received" on the [`Watcher`]s with
//! an unlimited buffer size and thus potentially unlimited memory growth.
//!
//! # Example
//!
//! ```
//! use n0_future::StreamExt;
//! use n0_watcher::{Watchable, Watcher as _};
//!
//! #[tokio::main(flavor = "current_thread", start_paused = true)]
//! async fn main() {
//! let watchable = Watchable::new(None);
//!
//! // A task that waits for the watcher to be initialized to Some(value) before printing it
//! let mut watcher = watchable.watch();
//! tokio::spawn(async move {
//! let initialized_value = watcher.initialized().await;
//! println!("initialized: {initialized_value}");
//! });
//!
//! // A task that prints every update to the watcher since the initial one:
//! let mut updates = watchable.watch().stream_updates_only();
//! tokio::spawn(async move {
//! while let Some(update) = updates.next().await {
//! println!("update: {update:?}");
//! }
//! });
//!
//! // A task that prints the current value and then every update it can catch,
//! // but it also does something else which makes it very slow to pick up new
//! // values, so it'll skip some:
//! let mut current_and_updates = watchable.watch().stream();
//! tokio::spawn(async move {
//! while let Some(update) = current_and_updates.next().await {
//! println!("update2: {update:?}");
//! tokio::time::sleep(tokio::time::Duration::from_secs(1)).await;
//! }
//! });
//!
//! for i in 0..20 {
//! println!("Setting watchable to {i}");
//! watchable.set(Some(i)).ok();
//! tokio::time::sleep(tokio::time::Duration::from_millis(250)).await;
//! }
//! }
//! ```
//!
//! # Similar but different
//!
//! - `async_channel`: This is a multi-producer, multi-consumer channel implementation.
//! Only at most one consumer will receive each "produced" value.
//! What we want is to have every "produced" value to be "broadcast" to every receiver.
//! - `tokio::broadcast`: Also a multi-producer, multi-consumer channel implementation.
//! This is very similar to this crate (`tokio::broadcast::Sender` is like [`Watchable`]
//! and `tokio::broadcast::Receiver` is like [`Watcher`]), but you can't get the latest
//! value without `.await`ing on the receiver, and it'll internally store a queue of
//! intermediate values.
//! - `tokio::watch`: Also a MPSC channel, and unlike `tokio::broadcast` only retains the
//! latest value. That module has pretty much the same purpose as this crate, but doesn't
//! implement a poll-based method of getting updates and doesn't implement combinators.
//! - [`std::sync::RwLock`]: (wrapped in an [`std::sync::Arc`]) This allows you access
//! to the latest values, but might block while it's being set (but that could be short
//! enough not to matter for async rust purposes).
//! This doesn't allow you to be notified whenever a new value is written.
//! - The `watchable` crate: We used to use this crate at n0, but we wanted to experiment
//! with different APIs and needed Wasm support.
#[cfg(not(watcher_loom))]
use std::sync;
use std::{
collections::VecDeque,
future::Future,
pin::Pin,
sync::{Arc, Weak},
task::{self, ready, Poll, Waker},
};
#[cfg(watcher_loom)]
use loom::sync;
use snafu::Snafu;
use sync::{Mutex, RwLock};
/// A wrapper around a value that notifies [`Watcher`]s when the value is modified.
///
/// Only the most recent value is available to any observer, but the observer is guaranteed
/// to be notified of the most recent value.
#[derive(Debug, Default)]
pub struct Watchable<T> {
shared: Arc<Shared<T>>,
}
impl<T> Clone for Watchable<T> {
fn clone(&self) -> Self {
Self {
shared: self.shared.clone(),
}
}
}
/// Abstracts over `Option<T>` and `Vec<T>`
pub trait Nullable<T> {
/// Converts this value into an `Option`.
fn into_option(self) -> Option<T>;
}
impl<T> Nullable<T> for Option<T> {
fn into_option(self) -> Option<T> {
self
}
}
impl<T> Nullable<T> for Vec<T> {
fn into_option(mut self) -> Option<T> {
self.pop()
}
}
impl<T: Clone + Eq> Watchable<T> {
/// Creates a [`Watchable`] initialized to given value.
pub fn new(value: T) -> Self {
Self {
shared: Arc::new(Shared {
state: RwLock::new(State {
value,
epoch: INITIAL_EPOCH,
}),
watchers: Default::default(),
}),
}
}
/// Sets a new value.
///
/// Returns `Ok(previous_value)` if the value was different from the one set, or
/// returns the provided value back as `Err(value)` if the value didn't change.
///
/// Watchers are only notified if the value changed.
pub fn set(&self, value: T) -> Result<T, T> {
// We don't actually write when the value didn't change, but there's unfortunately
// no way to upgrade a read guard to a write guard, and locking as read first, then
// dropping and locking as write introduces a possible race condition.
let mut state = self.shared.state.write().expect("poisoned");
// Find out if the value changed
let changed = state.value != value;
let ret = if changed {
let old = std::mem::replace(&mut state.value, value);
state.epoch += 1;
Ok(old)
} else {
Err(value)
};
drop(state); // No need to write anymore
// Notify watchers
if changed {
for watcher in self.shared.watchers.lock().expect("poisoned").drain(..) {
watcher.wake();
}
}
ret
}
/// Creates a [`Direct`] [`Watcher`], allowing the value to be observed, but not modified.
pub fn watch(&self) -> Direct<T> {
Direct {
state: self.shared.state(),
shared: Arc::downgrade(&self.shared),
}
}
/// Returns the currently stored value.
pub fn get(&self) -> T {
self.shared.get()
}
/// Returns true when there are any watchers actively listening on changes,
/// or false when all watchers have been dropped or none have been created yet.
pub fn has_watchers(&self) -> bool {
// `Watchable`s will increase the strong count
// `Direct`s watchers (which all watchers descend from) will increase the weak count
Arc::weak_count(&self.shared) != 0
}
}
impl<T> Drop for Watchable<T> {
fn drop(&mut self) {
let Ok(mut watchers) = self.shared.watchers.lock() else {
return; // Poisoned waking?
};
// Wake all watchers every time we drop.
// This allows us to notify `NextFut::poll`s that the underlying
// watchable might be dropped.
for watcher in watchers.drain(..) {
watcher.wake();
}
}
}
/// A handle to a value that's represented by one or more underlying [`Watchable`]s.
///
/// A [`Watcher`] can get the current value, and will be notified when the value changes.
/// Only the most recent value is accessible, and if the threads with the underlying [`Watchable`]s
/// change the value faster than the threads with the [`Watcher`] can keep up with, then
/// it'll miss in-between values.
/// When the thread changing the [`Watchable`] pauses updating, the [`Watcher`] will always
/// end up reporting the most recent state eventually.
///
/// Watchers can be modified via [`Watcher::map`] to observe a value derived from the original
/// value via a function.
///
/// Watchers can be combined via [`Watcher::or`] to allow observing multiple values at once and
/// getting an update in case any of the values updates.
///
/// One of the underlying [`Watchable`]s might already be dropped. In that case,
/// the watcher will be "disconnected" and return [`Err(Disconnected)`](Disconnected)
/// on some function calls or, when turned into a stream, that stream will end.
/// This property can also be checked with [`Watcher::is_connected`].
pub trait Watcher: Clone {
/// The type of value that can change.
///
/// We require `Clone`, because we need to be able to make
/// the values have a lifetime that's detached from the original [`Watchable`]'s
/// lifetime.
///
/// We require `Eq`, to be able to check whether the value actually changed or
/// not, so we can notify or not notify accordingly.
type Value: Clone + Eq;
/// Returns the current state of the underlying value.
///
/// If any of the underlying [`Watchable`] values has been dropped, then this
/// might return an outdated value for that watchable, specifically, the latest
/// value that was fetched for that watchable, as opposed to the latest value
/// that was set on the watchable before it was dropped.
fn get(&mut self) -> Self::Value;
/// Whether this watcher is still connected to all of its underlying [`Watchable`]s.
///
/// Returns false when any of the underlying watchables has been dropped.
fn is_connected(&self) -> bool;
/// Polls for the next value, or returns [`Disconnected`] if one of the underlying
/// [`Watchable`]s has been dropped.
fn poll_updated(
&mut self,
cx: &mut task::Context<'_>,
) -> Poll<Result<Self::Value, Disconnected>>;
/// Returns a future completing with `Ok(value)` once a new value is set, or with
/// [`Err(Disconnected)`](Disconnected) if the connected [`Watchable`] was dropped.
///
/// # Cancel Safety
///
/// The returned future is cancel-safe.
fn updated(&mut self) -> NextFut<'_, Self> {
NextFut { watcher: self }
}
/// Returns a future completing once the value is set to [`Some`] value.
///
/// If the current value is [`Some`] value, this future will resolve immediately.
///
/// This is a utility for the common case of storing an [`Option`] inside a
/// [`Watchable`].
///
/// # Cancel Safety
///
/// The returned future is cancel-safe.
fn initialized<T, W>(&mut self) -> InitializedFut<'_, T, W, Self>
where
W: Nullable<T>,
Self: Watcher<Value = W>,
{
InitializedFut {
initial: self.get().into_option(),
watcher: self,
}
}
/// Returns a stream which will yield the most recent values as items.
///
/// The first item of the stream is the current value, so that this stream can be easily
/// used to operate on the most recent value.
///
/// Note however, that only the last item is stored. If the stream is not polled when an
/// item is available it can be replaced with another item by the time it is polled.
///
/// This stream ends once the original [`Watchable`] has been dropped.
///
/// # Cancel Safety
///
/// The returned stream is cancel-safe.
fn stream(mut self) -> Stream<Self>
where
Self: Unpin,
{
Stream {
initial: Some(self.get()),
watcher: self,
}
}
/// Returns a stream which will yield the most recent values as items, starting from
/// the next unobserved future value.
///
/// This means this stream will only yield values when the watched value changes,
/// the value stored at the time the stream is created is not yielded.
///
/// Note however, that only the last item is stored. If the stream is not polled when an
/// item is available it can be replaced with another item by the time it is polled.
///
/// This stream ends once the original [`Watchable`] has been dropped.
///
/// # Cancel Safety
///
/// The returned stream is cancel-safe.
fn stream_updates_only(self) -> Stream<Self>
where
Self: Unpin,
{
Stream {
initial: None,
watcher: self,
}
}
/// Maps this watcher with a function that transforms the observed values.
///
/// The returned watcher will only register updates, when the *mapped* value
/// observably changes.
fn map<T: Clone + Eq>(
mut self,
map: impl Fn(Self::Value) -> T + Send + Sync + 'static,
) -> Map<Self, T> {
Map {
current: (map)(self.get()),
map: Arc::new(map),
watcher: self,
}
}
fn filter<T>(mut self, filter: impl Fn(&T) -> bool + Send + Sync + 'static) -> Filter<Self, T>
where
T: Clone + Eq,
Self: Watcher<Value = T>,
{
let current = self.get();
let current = if filter(¤t) {
Some(current)
} else {
None
};
Filter {
current,
filter: Arc::new(filter),
watcher: self,
}
}
/// Returns a watcher that updates every time this or the other watcher
/// updates, and yields both watcher's items together when that happens.
fn or<W: Watcher>(self, other: W) -> (Self, W) {
(self, other)
}
}
/// The immediate, direct observer of a [`Watchable`] value.
///
/// This type is mainly used via the [`Watcher`] interface.
#[derive(Debug, Clone)]
pub struct Direct<T> {
state: State<T>,
shared: Weak<Shared<T>>,
}
impl<T: Clone + Eq> Watcher for Direct<T> {
type Value = T;
fn get(&mut self) -> Self::Value {
if let Some(shared) = self.shared.upgrade() {
self.state = shared.state();
}
self.state.value.clone()
}
fn is_connected(&self) -> bool {
self.shared.upgrade().is_some()
}
fn poll_updated(
&mut self,
cx: &mut task::Context<'_>,
) -> Poll<Result<Self::Value, Disconnected>> {
let Some(shared) = self.shared.upgrade() else {
return Poll::Ready(Err(Disconnected));
};
self.state = ready!(shared.poll_updated(cx, self.state.epoch));
Poll::Ready(Ok(self.state.value.clone()))
}
}
impl<S: Watcher, T: Watcher> Watcher for (S, T) {
type Value = (S::Value, T::Value);
fn get(&mut self) -> Self::Value {
(self.0.get(), self.1.get())
}
fn is_connected(&self) -> bool {
self.0.is_connected() && self.1.is_connected()
}
fn poll_updated(
&mut self,
cx: &mut task::Context<'_>,
) -> Poll<Result<Self::Value, Disconnected>> {
let poll_0 = self.0.poll_updated(cx)?;
let poll_1 = self.1.poll_updated(cx)?;
match (poll_0, poll_1) {
(Poll::Ready(s), Poll::Ready(t)) => Poll::Ready(Ok((s, t))),
(Poll::Ready(s), Poll::Pending) => Poll::Ready(Ok((s, self.1.get()))),
(Poll::Pending, Poll::Ready(t)) => Poll::Ready(Ok((self.0.get(), t))),
(Poll::Pending, Poll::Pending) => Poll::Pending,
}
}
}
/// Combinator to join two watchers
#[derive(Debug, Clone)]
pub struct Join<T: Clone + Eq, W: Watcher<Value = T>> {
watchers: Vec<W>,
}
impl<T: Clone + Eq, W: Watcher<Value = T>> Join<T, W> {
/// Joins a set of watchers into a single watcher
pub fn new(watchers: impl Iterator<Item = W>) -> Self {
let watchers: Vec<W> = watchers.into_iter().collect();
Self { watchers }
}
}
impl<T: Clone + Eq, W: Watcher<Value = T>> Watcher for Join<T, W> {
type Value = Vec<T>;
fn get(&mut self) -> Self::Value {
let mut out = Vec::with_capacity(self.watchers.len());
for watcher in &mut self.watchers {
out.push(watcher.get());
}
out
}
fn is_connected(&self) -> bool {
self.watchers.iter().all(|w| w.is_connected())
}
fn poll_updated(
&mut self,
cx: &mut task::Context<'_>,
) -> Poll<Result<Self::Value, Disconnected>> {
let mut new_value = None;
for (i, watcher) in self.watchers.iter_mut().enumerate() {
match watcher.poll_updated(cx) {
Poll::Pending => {}
Poll::Ready(Ok(value)) => {
new_value.replace((i, value));
break;
}
Poll::Ready(Err(err)) => return Poll::Ready(Err(err)),
}
}
if let Some((j, new_value)) = new_value {
let mut new = Vec::with_capacity(self.watchers.len());
for (i, watcher) in self.watchers.iter_mut().enumerate() {
if i != j {
new.push(watcher.get());
} else {
new.push(new_value.clone());
}
}
Poll::Ready(Ok(new))
} else {
Poll::Pending
}
}
}
/// Wraps a [`Watcher`] to allow observing a derived value.
///
/// See [`Watcher::map`].
#[derive(derive_more::Debug, Clone)]
pub struct Map<W: Watcher, T: Clone + Eq> {
#[debug("Arc<dyn Fn(W::Value) -> T + 'static>")]
map: Arc<dyn Fn(W::Value) -> T + Send + Sync + 'static>,
watcher: W,
current: T,
}
impl<W: Watcher, T: Clone + Eq> Watcher for Map<W, T> {
type Value = T;
fn get(&mut self) -> Self::Value {
(self.map)(self.watcher.get())
}
fn is_connected(&self) -> bool {
self.watcher.is_connected()
}
fn poll_updated(
&mut self,
cx: &mut task::Context<'_>,
) -> Poll<Result<Self::Value, Disconnected>> {
loop {
let value = ready!(self.watcher.poll_updated(cx)?);
let mapped = (self.map)(value);
if mapped != self.current {
self.current = mapped.clone();
return Poll::Ready(Ok(mapped));
} else {
self.current = mapped;
}
}
}
}
/// Wraps a [`Watcher`] to allow observing a derived value.
///
/// See [`Watcher::map`].
#[derive(derive_more::Debug, Clone)]
pub struct Filter<W, T>
where
T: Clone + Eq,
W: Watcher<Value = T>,
{
#[debug("Arc<dyn Fn(&T) -> bool + 'static>")]
filter: Arc<dyn Fn(&T) -> bool + Send + Sync + 'static>,
watcher: W,
current: Option<T>,
}
impl<W, T> Watcher for Filter<W, T>
where
T: Clone + Eq,
W: Watcher<Value = T>,
{
type Value = Option<T>;
fn get(&mut self) -> Self::Value {
self.current.clone()
}
fn is_connected(&self) -> bool {
self.watcher.is_connected()
}
fn poll_updated(
&mut self,
cx: &mut task::Context<'_>,
) -> Poll<Result<Self::Value, Disconnected>> {
loop {
let value = ready!(self.watcher.poll_updated(cx)?);
let filtered = if (self.filter)(&value) {
Some(value)
} else {
None
};
if filtered != self.current {
self.current = filtered.clone();
return Poll::Ready(Ok(filtered));
} else {
self.current = filtered;
}
}
}
}
/// Future returning the next item after the current one in a [`Watcher`].
///
/// See [`Watcher::updated`].
///
/// # Cancel Safety
///
/// This future is cancel-safe.
#[derive(Debug)]
pub struct NextFut<'a, W: Watcher> {
watcher: &'a mut W,
}
impl<W: Watcher> Future for NextFut<'_, W> {
type Output = Result<W::Value, Disconnected>;
fn poll(mut self: Pin<&mut Self>, cx: &mut task::Context<'_>) -> Poll<Self::Output> {
self.watcher.poll_updated(cx)
}
}
/// Future returning the current or next value that's [`Some`] value.
/// in a [`Watcher`].
///
/// See [`Watcher::initialized`].
///
/// # Cancel Safety
///
/// This Future is cancel-safe.
#[derive(Debug)]
pub struct InitializedFut<'a, T, V: Nullable<T>, W: Watcher<Value = V>> {
initial: Option<T>,
watcher: &'a mut W,
}
impl<T: Clone + Eq + Unpin, V: Nullable<T>, W: Watcher<Value = V> + Unpin> Future
for InitializedFut<'_, T, V, W>
{
type Output = T;
fn poll(mut self: Pin<&mut Self>, cx: &mut task::Context<'_>) -> Poll<Self::Output> {
if let Some(value) = self.as_mut().initial.take() {
return Poll::Ready(value);
}
loop {
let Ok(value) = ready!(self.as_mut().watcher.poll_updated(cx)) else {
// The value will never be initialized
return Poll::Pending;
};
if let Some(value) = value.into_option() {
return Poll::Ready(value);
}
}
}
}
/// A stream for a [`Watcher`]'s next values.
///
/// See [`Watcher::stream`] and [`Watcher::stream_updates_only`].
///
/// # Cancel Safety
///
/// This stream is cancel-safe.
#[derive(Debug, Clone)]
pub struct Stream<W: Watcher + Unpin> {
initial: Option<W::Value>,
watcher: W,
}
impl<W: Watcher + Unpin> n0_future::Stream for Stream<W>
where
W::Value: Unpin,
{
type Item = W::Value;
fn poll_next(mut self: Pin<&mut Self>, cx: &mut task::Context<'_>) -> Poll<Option<Self::Item>> {
if let Some(value) = self.as_mut().initial.take() {
return Poll::Ready(Some(value));
}
match self.as_mut().watcher.poll_updated(cx) {
Poll::Ready(Ok(value)) => Poll::Ready(Some(value)),
Poll::Ready(Err(Disconnected)) => Poll::Ready(None),
Poll::Pending => Poll::Pending,
}
}
}
/// The error for when a [`Watcher`] is disconnected from its underlying
/// [`Watchable`] value, because of that watchable having been dropped.
#[derive(Snafu, Debug)]
#[snafu(display("Watcher lost connection to underlying Watchable, it was dropped"))]
pub struct Disconnected;
// Private:
const INITIAL_EPOCH: u64 = 1;
/// The shared state for a [`Watchable`].
#[derive(Debug, Default)]
struct Shared<T> {
/// The value to be watched and its current epoch.
state: RwLock<State<T>>,
watchers: Mutex<VecDeque<Waker>>,
}
#[derive(Debug, Clone)]
struct State<T> {
value: T,
epoch: u64,
}
impl<T: Default> Default for State<T> {
fn default() -> Self {
Self {
value: Default::default(),
epoch: INITIAL_EPOCH,
}
}
}
impl<T: Clone> Shared<T> {
/// Returns the value, initialized or not.
fn get(&self) -> T {
self.state.read().expect("poisoned").value.clone()
}
fn state(&self) -> State<T> {
self.state.read().expect("poisoned").clone()
}
fn poll_updated(&self, cx: &mut task::Context<'_>, last_epoch: u64) -> Poll<State<T>> {
{
let state = self.state.read().expect("poisoned");
// We might get spurious wakeups due to e.g. a second-to-last Watchable being dropped.
// This makes sure we don't accidentally return an update that's not actually an update.
if last_epoch < state.epoch {
return Poll::Ready(state.clone());
}
}
self.watchers
.lock()
.expect("poisoned")
.push_back(cx.waker().to_owned());
#[cfg(watcher_loom)]
loom::thread::yield_now();
// We check for an update again to prevent races between putting in wakers and looking for updates.
{
let state = self.state.read().expect("poisoned");
if last_epoch < state.epoch {
return Poll::Ready(state.clone());
}
}
Poll::Pending
}
}
#[cfg(test)]
mod tests {
use n0_future::{future::poll_once, StreamExt};
use rand::{thread_rng, Rng};
use tokio::{
task::JoinSet,
time::{Duration, Instant},
};
use tokio_util::sync::CancellationToken;
use super::*;
#[tokio::test]
async fn test_watcher() {
let cancel = CancellationToken::new();
let watchable = Watchable::new(17);
assert_eq!(watchable.watch().stream().next().await.unwrap(), 17);
let start = Instant::now();
// spawn watchers
let mut tasks = JoinSet::new();
for i in 0..3 {
let mut watch = watchable.watch().stream();
let cancel = cancel.clone();
tasks.spawn(async move {
println!("[{i}] spawn");
let mut expected_value = 17;
loop {
tokio::select! {
biased;
Some(value) = &mut watch.next() => {
println!("{:?} [{i}] update: {value}", start.elapsed());
assert_eq!(value, expected_value);
if expected_value == 17 {
expected_value = 0;
} else {
expected_value += 1;
}
},
_ = cancel.cancelled() => {
println!("{:?} [{i}] cancel", start.elapsed());
assert_eq!(expected_value, 10);
break;
}
}
}
});
}
for i in 0..3 {
let mut watch = watchable.watch().stream_updates_only();
let cancel = cancel.clone();
tasks.spawn(async move {
println!("[{i}] spawn");
let mut expected_value = 0;
loop {
tokio::select! {
biased;
Some(value) = watch.next() => {
println!("{:?} [{i}] stream update: {value}", start.elapsed());
assert_eq!(value, expected_value);
expected_value += 1;
},
_ = cancel.cancelled() => {
println!("{:?} [{i}] cancel", start.elapsed());
assert_eq!(expected_value, 10);
break;
}
else => {
panic!("stream died");
}
}
}
});
}
// set value
for next_value in 0..10 {
let sleep = Duration::from_nanos(thread_rng().gen_range(0..100_000_000));
println!("{:?} sleep {sleep:?}", start.elapsed());
tokio::time::sleep(sleep).await;
let changed = watchable.set(next_value);
println!("{:?} set {next_value} changed={changed:?}", start.elapsed());
}
println!("cancel");
cancel.cancel();
while let Some(res) = tasks.join_next().await {
res.expect("task failed");
}
}
#[test]
fn test_get() {
let watchable = Watchable::new(None);
assert!(watchable.get().is_none());
watchable.set(Some(1u8)).ok();
assert_eq!(watchable.get(), Some(1u8));
}
#[tokio::test]
async fn test_initialize() {
let watchable = Watchable::new(None);
let mut watcher = watchable.watch();
let mut initialized = watcher.initialized();
let poll = poll_once(&mut initialized).await;
assert!(poll.is_none());
watchable.set(Some(1u8)).ok();
let poll = poll_once(&mut initialized).await;
assert_eq!(poll.unwrap(), 1u8);
}
#[tokio::test]
async fn test_initialize_already_init() {
let watchable = Watchable::new(Some(1u8));
let mut watcher = watchable.watch();
let mut initialized = watcher.initialized();
let poll = poll_once(&mut initialized).await;
assert_eq!(poll.unwrap(), 1u8);
}
#[test]
fn test_initialized_always_resolves() {
#[cfg(not(watcher_loom))]
use std::thread;
#[cfg(watcher_loom)]
use loom::thread;
let test_case = || {
let watchable = Watchable::<Option<u8>>::new(None);
let mut watch = watchable.watch();
let thread = thread::spawn(move || n0_future::future::block_on(watch.initialized()));
watchable.set(Some(42)).ok();
thread::yield_now();
let value: u8 = thread.join().unwrap();
assert_eq!(value, 42);
};
#[cfg(watcher_loom)]
loom::model(test_case);
#[cfg(not(watcher_loom))]
test_case();
}
#[tokio::test(flavor = "multi_thread")]
async fn test_update_cancel_safety() {
let watchable = Watchable::new(0);
let mut watch = watchable.watch();
const MAX: usize = 100_000;
let handle = tokio::spawn(async move {
let mut last_observed = 0;
while last_observed != MAX {
tokio::select! {
val = watch.updated() => {
let Ok(val) = val else {
return;
};
assert_ne!(val, last_observed, "never observe the same value twice, even with cancellation");
last_observed = val;
}
_ = tokio::time::sleep(Duration::from_micros(thread_rng().gen_range(0..10_000))) => {
// We cancel the other future and start over again
continue;
}
}
}
});
for i in 1..=MAX {
watchable.set(i).ok();
if thread_rng().gen_bool(0.2) {
tokio::task::yield_now().await;
}
}
tokio::time::timeout(Duration::from_secs(10), handle)
.await
.unwrap()
.unwrap()
}
#[tokio::test]
async fn test_join_simple() {
let a = Watchable::new(1u8);
let b = Watchable::new(1u8);
let mut ab = Join::new([a.watch(), b.watch()].into_iter());
let stream = ab.clone().stream();
let handle = tokio::task::spawn(async move { stream.take(5).collect::<Vec<_>>().await });
// get
assert_eq!(ab.get(), vec![1, 1]);
// set a
a.set(2u8).unwrap();
tokio::task::yield_now().await;
assert_eq!(ab.get(), vec![2, 1]);
// set b
b.set(3u8).unwrap();
tokio::task::yield_now().await;
assert_eq!(ab.get(), vec![2, 3]);
a.set(3u8).unwrap();
tokio::task::yield_now().await;
b.set(4u8).unwrap();
tokio::task::yield_now().await;
let values = tokio::time::timeout(Duration::from_secs(5), handle)
.await
.unwrap()
.unwrap();
assert_eq!(
values,
vec![vec![1, 1], vec![2, 1], vec![2, 3], vec![3, 3], vec![3, 4]]
);
}
#[tokio::test]
async fn test_updated_then_disconnect_then_get() {
let watchable = Watchable::new(10);
let mut watcher = watchable.watch();
assert_eq!(watchable.get(), 10);
watchable.set(42).ok();
assert_eq!(watcher.updated().await.unwrap(), 42);
drop(watchable);
assert_eq!(watcher.get(), 42);
}
#[tokio::test(start_paused = true)]
async fn test_update_wakeup_on_watchable_drop() {
let watchable = Watchable::new(10);
let mut watcher = watchable.watch();
let start = Instant::now();
let (_, result) = tokio::time::timeout(Duration::from_secs(2), async move {
tokio::join!(
async move {
tokio::time::sleep(Duration::from_secs(1)).await;
drop(watchable);
},
async move { watcher.updated().await }
)
})
.await
.expect("watcher never updated");
// We should've updated 1s after start, since that's when the watchable was dropped.
// If this is 2s, then the watchable dropping didn't wake up the `Watcher::updated` future.
assert_eq!(start.elapsed(), Duration::from_secs(1));
assert!(result.is_err());
}
#[tokio::test(start_paused = true)]
async fn test_update_wakeup_always_a_change() {
let watchable = Watchable::new(10);
let mut watcher = watchable.watch();
let task = tokio::spawn(async move {
let mut last_value = watcher.get();
let mut values = Vec::new();
while let Ok(value) = watcher.updated().await {
values.push(value);
if last_value == value {
return Err("value duplicated");
}
last_value = value;
}
Ok(values)
});
// wait for the task to get set up and polled till pending for once
tokio::time::sleep(Duration::from_millis(100)).await;
watchable.set(11).ok();
tokio::time::sleep(Duration::from_millis(100)).await;
let clone = watchable.clone();
drop(clone); // this shouldn't trigger an update
tokio::time::sleep(Duration::from_millis(100)).await;
for i in 1..=10 {
watchable.set(i + 11).ok();
tokio::time::sleep(Duration::from_millis(100)).await;
}
drop(watchable);
let values = task
.await
.expect("task panicked")
.expect("value duplicated");
assert_eq!(values, vec![11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21]);
}
#[test]
fn test_has_watchers() {
let a = Watchable::new(1u8);
assert!(!a.has_watchers());
let b = a.clone();
assert!(!a.has_watchers());
assert!(!b.has_watchers());
let watcher = a.watch();
assert!(a.has_watchers());
assert!(b.has_watchers());
drop(watcher);
assert!(!a.has_watchers());
assert!(!b.has_watchers());
}
#[tokio::test]
async fn test_filter_basic() {
let a = Watchable::new(1u8);
let mut filtered = a.watch().filter(|x| *x > 2 && *x < 6);
assert_eq!(filtered.get(), None);
let handle = tokio::task::spawn(async move { filtered.stream().collect::<Vec<_>>().await });
for i in 2u8..10 {
a.set(i).unwrap();
tokio::task::yield_now().await;
}
drop(a);
let values = tokio::time::timeout(Duration::from_secs(5), handle)
.await
.unwrap()
.unwrap();
assert_eq!(values, vec![None, Some(3u8), Some(4), Some(5), None]);
}
#[tokio::test]
async fn test_filter_init() {
let a = Watchable::new(1u8);
let mut filtered = a.watch().filter(|x| *x > 2 && *x < 6);
assert_eq!(filtered.get(), None);
let handle = tokio::task::spawn(async move { filtered.initialized().await });
for i in 2u8..10 {
a.set(i).unwrap();
tokio::task::yield_now().await;
}
drop(a);
let value = tokio::time::timeout(Duration::from_secs(5), handle)
.await
.unwrap()
.unwrap();
assert_eq!(value, 3);
}
}