Skip to content

Commit 9168be4

Browse files
committed
rust: sync: introduce CondVar
This is the traditional condition variable or monitor synchronisation primitive. It is implemented with C's `wait_queue_head_t`. It allows users to release a lock and go to sleep while guaranteeing that notifications won't be missed. This is achieved by enqueuing a wait entry before releasing the lock. Cc: Peter Zijlstra <[email protected]> Cc: Ingo Molnar <[email protected]> Cc: Will Deacon <[email protected]> Cc: Waiman Long <[email protected]> Signed-off-by: Wedson Almeida Filho <[email protected]>
1 parent 38fa2fd commit 9168be4

File tree

5 files changed

+187
-2
lines changed

5 files changed

+187
-2
lines changed

rust/bindings/bindings_helper.h

+1
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@
88

99
#include <linux/slab.h>
1010
#include <linux/refcount.h>
11+
#include <linux/wait.h>
1112
#include <linux/sched.h>
1213

1314
/* `bindgen` gets confused at certain things. */

rust/helpers.c

+7
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,7 @@
2424
#include <linux/mutex.h>
2525
#include <linux/spinlock.h>
2626
#include <linux/sched/signal.h>
27+
#include <linux/wait.h>
2728

2829
__noreturn void rust_helper_BUG(void)
2930
{
@@ -76,6 +77,12 @@ void rust_helper_spin_unlock_irqrestore(spinlock_t *lock, unsigned long flags)
7677
}
7778
EXPORT_SYMBOL_GPL(rust_helper_spin_unlock_irqrestore);
7879

80+
void rust_helper_init_wait(struct wait_queue_entry *wq_entry)
81+
{
82+
init_wait(wq_entry);
83+
}
84+
EXPORT_SYMBOL_GPL(rust_helper_init_wait);
85+
7986
int rust_helper_signal_pending(struct task_struct *t)
8087
{
8188
return signal_pending(t);

rust/kernel/sync.rs

+3-1
Original file line numberDiff line numberDiff line change
@@ -8,10 +8,12 @@
88
use crate::types::Opaque;
99

1010
mod arc;
11+
mod condvar;
1112
mod lock;
1213

1314
pub use arc::{Arc, ArcBorrow, UniqueArc};
14-
pub use lock::{mutex::Mutex, spinlock::SpinLock};
15+
pub use condvar::CondVar;
16+
pub use lock::{mutex::Mutex, spinlock::SpinLock, Guard};
1517

1618
/// Represents a lockdep class. It's a wrapper around C's `lock_class_key`.
1719
#[repr(transparent)]

rust/kernel/sync/condvar.rs

+176
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,176 @@
1+
// SPDX-License-Identifier: GPL-2.0
2+
3+
//! A condition variable.
4+
//!
5+
//! This module allows Rust code to use the kernel's [`struct wait_queue_head`] as a condition
6+
//! variable.
7+
8+
use super::{lock::Backend, Guard, LockClassKey};
9+
use crate::{bindings, init::PinInit, pin_init, str::CStr, task::Task, types::Opaque};
10+
use core::marker::PhantomPinned;
11+
use macros::pin_data;
12+
13+
/// Creates a [`CondVar`] initialiser with the given name and a newly-created lock class.
14+
#[macro_export]
15+
macro_rules! new_condvar {
16+
($name:literal) => {{
17+
let name = $crate::c_str!($name);
18+
$crate::sync::CondVar::new(name, $crate::static_lock_class!())
19+
}};
20+
}
21+
22+
/// A conditional variable.
23+
///
24+
/// Exposes the kernel's [`struct wait_queue_head`] as a condition variable. It allows the caller to
25+
/// atomically release the given lock and go to sleep. It reacquires the lock when it wakes up. And
26+
/// it wakes up when notified by another thread (via [`CondVar::notify_one`] or
27+
/// [`CondVar::notify_all`]) or because the thread received a signal. It may also wake up
28+
/// spuriously.
29+
///
30+
/// # Examples
31+
///
32+
/// The following is an example of using a condvar with a mutex:
33+
///
34+
/// ```
35+
/// use kernel::sync::{CondVar, Mutex};
36+
/// use kernel::{new_condvar, new_mutex};
37+
///
38+
/// #[pin_data]
39+
/// pub struct Example {
40+
/// #[pin]
41+
/// value: Mutex<u32>,
42+
///
43+
/// #[pin]
44+
/// value_changed: CondVar,
45+
/// }
46+
///
47+
/// /// Waits for `e.value` to become `v`.
48+
/// fn wait_for_vaue(e: &Example, v: u32) {
49+
/// let mut guard = e.value.lock();
50+
/// while *guard != v {
51+
/// e.value_changed.wait_uninterruptible(&mut guard);
52+
/// }
53+
/// }
54+
///
55+
/// /// Increments `e.value` and notifies all potential waiters.
56+
/// fn increment(e: &Example) {
57+
/// *e.value.lock() += 1;
58+
/// e.value_changed.notify_all();
59+
/// }
60+
///
61+
/// /// Allocates a new boxed `Example`.
62+
/// fn new_example() -> Result<Pin<Box<Example>>> {
63+
/// Box::pin_init(pin_init!(Example {
64+
/// value <- new_mutex!(0, "Example::vlaue"),
65+
/// value_changed <- new_condvar!("Example::value_changed"),
66+
/// }))
67+
/// }
68+
/// ```
69+
///
70+
/// [`struct wait_queue_head`]: ../../../include/linux/wait.h
71+
#[pin_data]
72+
pub struct CondVar {
73+
#[pin]
74+
pub(crate) wait_list: Opaque<bindings::wait_queue_head>,
75+
76+
/// A condvar needs to be pinned because it contains a [`struct list_head`] that is
77+
/// self-referential, so it cannot be safely moved once it is initialised.
78+
#[pin]
79+
_pin: PhantomPinned,
80+
}
81+
82+
// SAFETY: `CondVar` only uses a `struct wait_queue_head`, which is safe to use on any thread.
83+
#[allow(clippy::non_send_fields_in_send_ty)]
84+
unsafe impl Send for CondVar {}
85+
86+
// SAFETY: `CondVar` only uses a `struct wait_queue_head`, which is safe to use on multiple threads
87+
// concurrently.
88+
unsafe impl Sync for CondVar {}
89+
90+
impl CondVar {
91+
/// Constructs a new condvar initialiser.
92+
#[allow(clippy::new_ret_no_self)]
93+
pub fn new(name: &'static CStr, key: &'static LockClassKey) -> impl PinInit<Self> {
94+
pin_init!(Self {
95+
_pin: PhantomPinned,
96+
// SAFETY: `__init_waitqueue_head` initialises the waitqueue head, and both `name` and
97+
// `key` have static lifetimes so they live indefinitely.
98+
wait_list <- unsafe {
99+
Opaque::ffi_init2(
100+
bindings::__init_waitqueue_head,
101+
name.as_char_ptr(),
102+
key.as_ptr(),
103+
)
104+
},
105+
})
106+
}
107+
108+
fn wait_internal<T: ?Sized, B: Backend>(&self, wait_state: u32, guard: &mut Guard<'_, T, B>) {
109+
let wait = Opaque::<bindings::wait_queue_entry>::uninit();
110+
111+
// SAFETY: `wait` points to valid memory.
112+
unsafe { bindings::init_wait(wait.get()) };
113+
114+
// SAFETY: Both `wait` and `wait_list` point to valid memory.
115+
unsafe {
116+
bindings::prepare_to_wait_exclusive(self.wait_list.get(), wait.get(), wait_state as _)
117+
};
118+
119+
// SAFETY: No arguments, switches to another thread.
120+
guard.do_unlocked(|| unsafe { bindings::schedule() });
121+
122+
// SAFETY: Both `wait` and `wait_list` point to valid memory.
123+
unsafe { bindings::finish_wait(self.wait_list.get(), wait.get()) };
124+
}
125+
126+
/// Releases the lock and waits for a notification in interruptible mode.
127+
///
128+
/// Atomically releases the given lock (whose ownership is proven by the guard) and puts the
129+
/// thread to sleep, reacquiring the lock on wake up. It wakes up when notified by
130+
/// [`CondVar::notify_one`] or [`CondVar::notify_all`], or when the thread receives a signal.
131+
/// It may also wake up spuriously.
132+
///
133+
/// Returns whether there is a signal pending.
134+
#[must_use = "wait returns if a signal is pending, so the caller must check the return value"]
135+
pub fn wait<T: ?Sized, B: Backend>(&self, guard: &mut Guard<'_, T, B>) -> bool {
136+
self.wait_internal(bindings::TASK_INTERRUPTIBLE, guard);
137+
Task::current().signal_pending()
138+
}
139+
140+
/// Releases the lock and waits for a notification in uninterruptible mode.
141+
///
142+
/// Similar to [`CondVar::wait`], except that the wait is not interruptible. That is, the
143+
/// thread won't wake up due to signals. It may, however, wake up supirously.
144+
pub fn wait_uninterruptible<T: ?Sized, B: Backend>(&self, guard: &mut Guard<'_, T, B>) {
145+
self.wait_internal(bindings::TASK_UNINTERRUPTIBLE, guard)
146+
}
147+
148+
/// Calls the kernel function to notify the appropriate number of threads with the given flags.
149+
fn notify(&self, count: i32, flags: u32) {
150+
// SAFETY: `wait_list` points to valid memory.
151+
unsafe {
152+
bindings::__wake_up(
153+
self.wait_list.get(),
154+
bindings::TASK_NORMAL,
155+
count,
156+
flags as _,
157+
)
158+
};
159+
}
160+
161+
/// Wakes a single waiter up, if any.
162+
///
163+
/// This is not 'sticky' in the sense that if no thread is waiting, the notification is lost
164+
/// completely (as opposed to automatically waking up the next waiter).
165+
pub fn notify_one(&self) {
166+
self.notify(1, 0);
167+
}
168+
169+
/// Wakes all waiters up, if any.
170+
///
171+
/// This is not 'sticky' in the sense that if no thread is waiting, the notification is lost
172+
/// completely (as opposed to automatically waking up the next waiter).
173+
pub fn notify_all(&self) {
174+
self.notify(0, 0);
175+
}
176+
}

rust/kernel/sync/lock.rs

-1
Original file line numberDiff line numberDiff line change
@@ -177,7 +177,6 @@ pub struct Guard<'a, T: ?Sized, B: Backend> {
177177
unsafe impl<T: Sync + ?Sized, B: Backend> Sync for Guard<'_, T, B> {}
178178

179179
impl<T: ?Sized, B: Backend> Guard<'_, T, B> {
180-
#[allow(dead_code)]
181180
pub(crate) fn do_unlocked(&mut self, cb: impl FnOnce()) {
182181
// SAFETY: The caller owns the lock, so it is safe to unlock it.
183182
unsafe { B::unlock(self.lock.state.get(), &self.state) };

0 commit comments

Comments
 (0)