Allow to send clonable value via Condition (#396)

This commit is contained in:
Nikolay Kim 2024-08-19 15:02:13 +05:00 committed by GitHub
parent f748b6efa5
commit 7445f7b45a
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
4 changed files with 211 additions and 46 deletions

View file

@ -1,5 +1,9 @@
# Changes
## [2.3.0] - 2024-08-19
* Allow to send clonable value via `Condition`
## [2.2.0] - 2024-07-30
* Add LocalWaker::with() helper

View file

@ -1,6 +1,6 @@
[package]
name = "ntex-util"
version = "2.2.0"
version = "2.3.0"
authors = ["ntex contributors <team@ntex.rs>"]
description = "Utilities for ntex framework"
keywords = ["network", "framework", "async", "futures"]

View file

@ -1,49 +1,88 @@
use std::{
cell, fmt, future::poll_fn, future::Future, pin::Pin, task::Context, task::Poll,
};
use slab::Slab;
use std::{future::poll_fn, future::Future, pin::Pin, task::Context, task::Poll};
use super::cell::Cell;
use crate::task::LocalWaker;
/// Condition allows to notify multiple waiters at the same time
#[derive(Clone, Debug)]
pub struct Condition(Cell<Inner>);
pub struct Condition<T = ()>
where
T: Default,
{
inner: Cell<Inner<T>>,
}
#[derive(Debug)]
struct Inner {
data: Slab<Option<LocalWaker>>,
struct Inner<T> {
data: Slab<Option<Item<T>>>,
ready: bool,
count: usize,
}
impl Default for Condition {
struct Item<T> {
val: cell::Cell<T>,
waker: LocalWaker,
}
impl<T: Default> Default for Condition<T> {
fn default() -> Self {
Self::new()
Condition {
inner: Cell::new(Inner {
data: Slab::new(),
ready: false,
count: 1,
}),
}
}
}
impl Condition {
/// Coonstruct new condition instance
pub fn new() -> Condition {
Condition(Cell::new(Inner {
data: Slab::new(),
ready: false,
}))
impl<T: Default> Clone for Condition<T> {
fn clone(&self) -> Self {
let inner = self.inner.clone();
inner.get_mut().count += 1;
Self { inner }
}
}
impl<T: Default> fmt::Debug for Condition<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Condition")
.field("ready", &self.inner.get_ref().ready)
.finish()
}
}
impl Condition<()> {
/// Coonstruct new condition instance
pub fn new() -> Condition<()> {
Condition {
inner: Cell::new(Inner {
data: Slab::new(),
ready: false,
count: 1,
}),
}
}
}
impl<T: Default> Condition<T> {
/// Get condition waiter
pub fn wait(&self) -> Waiter {
let token = self.0.get_mut().data.insert(None);
pub fn wait(&self) -> Waiter<T> {
let token = self.inner.get_mut().data.insert(None);
Waiter {
token,
inner: self.0.clone(),
inner: self.inner.clone(),
}
}
/// Notify all waiters
pub fn notify(&self) {
let inner = self.0.get_ref();
for item in inner.data.iter() {
if let Some(waker) = item.1 {
waker.wake();
let inner = self.inner.get_ref();
for (_, item) in inner.data.iter() {
if let Some(item) = item {
item.waker.wake();
}
}
}
@ -53,51 +92,83 @@ impl Condition {
///
/// All subsequent waiter readiness checks always returns `ready`
pub fn notify_and_lock_readiness(&self) {
self.0.get_mut().ready = true;
self.inner.get_mut().ready = true;
self.notify();
}
}
impl Drop for Condition {
fn drop(&mut self) {
self.notify()
impl<T: Clone + Default> Condition<T> {
/// Notify all waiters
pub fn notify_with(&self, val: T) {
let inner = self.inner.get_ref();
for (_, item) in inner.data.iter() {
if let Some(item) = item {
if item.waker.wake_checked() {
item.val.set(val.clone());
}
}
}
}
#[doc(hidden)]
/// Notify all waiters.
///
/// All subsequent waiter readiness checks always returns `ready`
pub fn notify_with_and_lock_readiness(&self, val: T) {
self.inner.get_mut().ready = true;
self.notify_with(val);
}
}
#[derive(Debug)]
#[must_use = "Waiter do nothing unless polled"]
pub struct Waiter {
token: usize,
inner: Cell<Inner>,
impl<T: Default> Drop for Condition<T> {
fn drop(&mut self) {
let inner = self.inner.get_mut();
inner.count -= 1;
if inner.count == 0 {
self.notify_and_lock_readiness()
}
}
}
impl Waiter {
#[must_use = "Waiter do nothing unless polled"]
pub struct Waiter<T = ()> {
token: usize,
inner: Cell<Inner<T>>,
}
impl<T: Default> Waiter<T> {
/// Returns readiness state of the condition.
pub async fn ready(&self) {
pub async fn ready(&self) -> T {
poll_fn(|cx| self.poll_ready(cx)).await
}
/// Returns readiness state of the condition.
pub fn poll_ready(&self, cx: &mut Context<'_>) -> Poll<()> {
pub fn poll_ready(&self, cx: &mut Context<'_>) -> Poll<T> {
let parent = self.inner.get_mut();
let inner = unsafe { parent.data.get_unchecked_mut(self.token) };
if inner.is_none() {
let waker = LocalWaker::default();
waker.register(cx.waker());
*inner = Some(waker);
} else if !inner.as_mut().unwrap().register(cx.waker()) {
return Poll::Ready(());
*inner = Some(Item {
waker,
val: cell::Cell::new(Default::default()),
});
} else {
let item = inner.as_mut().unwrap();
if !item.waker.register(cx.waker()) {
return Poll::Ready(item.val.replace(Default::default()));
}
}
if parent.ready {
Poll::Ready(())
Poll::Ready(Default::default())
} else {
Poll::Pending
}
}
}
impl Clone for Waiter {
impl<T> Clone for Waiter<T> {
fn clone(&self) -> Self {
let token = self.inner.get_mut().data.insert(None);
Waiter {
@ -107,15 +178,21 @@ impl Clone for Waiter {
}
}
impl Future for Waiter {
type Output = ();
impl<T: Default> Future for Waiter<T> {
type Output = T;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
self.get_mut().poll_ready(cx)
}
}
impl Drop for Waiter {
impl<T: Default> fmt::Debug for Waiter<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Waiter").finish()
}
}
impl<T> Drop for Waiter<T> {
fn drop(&mut self) {
self.inner.get_mut().data.remove(self.token);
}
@ -172,13 +249,46 @@ mod tests {
drop(cond);
assert_eq!(lazy(|cx| waiter.poll_ready(cx)).await, Poll::Ready(()));
assert_eq!(lazy(|cx| waiter.poll_ready(cx)).await, Poll::Pending);
assert_eq!(lazy(|cx| waiter.poll_ready(cx)).await, Poll::Ready(()));
assert_eq!(lazy(|cx| waiter2.poll_ready(cx)).await, Poll::Ready(()));
assert_eq!(lazy(|cx| waiter2.poll_ready(cx)).await, Poll::Ready(()));
assert_eq!(lazy(|cx| waiter2.poll_ready(cx)).await, Poll::Pending);
}
#[ntex_macros::rt_test2]
async fn test_condition_notify_ready() {
async fn test_condition_with() {
let cond = Condition::<String>::default();
let waiter = cond.wait();
assert_eq!(lazy(|cx| waiter.poll_ready(cx)).await, Poll::Pending);
cond.notify_with("TEST".into());
assert_eq!(waiter.ready().await, "TEST".to_string());
let waiter2 = waiter.clone();
assert_eq!(lazy(|cx| waiter.poll_ready(cx)).await, Poll::Pending);
assert_eq!(lazy(|cx| waiter.poll_ready(cx)).await, Poll::Pending);
assert_eq!(lazy(|cx| waiter2.poll_ready(cx)).await, Poll::Pending);
assert_eq!(lazy(|cx| waiter2.poll_ready(cx)).await, Poll::Pending);
drop(cond);
assert_eq!(
lazy(|cx| waiter.poll_ready(cx)).await,
Poll::Ready("".into())
);
assert_eq!(
lazy(|cx| waiter.poll_ready(cx)).await,
Poll::Ready("".into())
);
assert_eq!(
lazy(|cx| waiter2.poll_ready(cx)).await,
Poll::Ready("".into())
);
assert_eq!(
lazy(|cx| waiter2.poll_ready(cx)).await,
Poll::Ready("".into())
);
}
#[ntex_macros::rt_test2]
async fn notify_ready() {
let cond = Condition::default().clone();
let waiter = cond.wait();
assert_eq!(lazy(|cx| waiter.poll_ready(cx)).await, Poll::Pending);
@ -191,4 +301,42 @@ mod tests {
let waiter2 = cond.wait();
assert_eq!(lazy(|cx| waiter2.poll_ready(cx)).await, Poll::Ready(()));
}
#[ntex_macros::rt_test2]
async fn notify_with_and_lock_ready() {
// with
let cond = Condition::<String>::default();
let waiter = cond.wait();
let waiter2 = cond.wait();
assert_eq!(lazy(|cx| waiter.poll_ready(cx)).await, Poll::Pending);
assert_eq!(lazy(|cx| waiter2.poll_ready(cx)).await, Poll::Pending);
cond.notify_with_and_lock_readiness("TEST".into());
assert_eq!(
lazy(|cx| waiter.poll_ready(cx)).await,
Poll::Ready("TEST".into())
);
assert_eq!(
lazy(|cx| waiter.poll_ready(cx)).await,
Poll::Ready("".into())
);
assert_eq!(
lazy(|cx| waiter.poll_ready(cx)).await,
Poll::Ready("".into())
);
assert_eq!(
lazy(|cx| waiter2.poll_ready(cx)).await,
Poll::Ready("TEST".into())
);
assert_eq!(
lazy(|cx| waiter2.poll_ready(cx)).await,
Poll::Ready("".into())
);
let waiter2 = cond.wait();
assert_eq!(
lazy(|cx| waiter2.poll_ready(cx)).await,
Poll::Ready("".into())
);
}
}

View file

@ -58,6 +58,19 @@ impl LocalWaker {
}
}
#[inline]
/// Calls `wake` on the last `Waker` passed to `register`.
///
/// If `register` has not been called yet, then this returns `false`.
pub fn wake_checked(&self) -> bool {
if let Some(waker) = self.take() {
waker.wake();
true
} else {
false
}
}
/// Returns the last `Waker` passed to `register`, so that the user can wake it.
///
/// If a waker has not been registered, this returns `None`.