Skip to content

Commit 3314d5c

Browse files
committed
Auto merge of #121956 - ChrisDenton:srwlock, r=joboet
Windows: Implement condvar, mutex and rwlock using futex Well, the Windows equivalent: [`WaitOnAddress`,](https://learn.microsoft.com/en-us/windows/win32/api/synchapi/nf-synchapi-waitonaddress) [`WakeByAddressSingle`](https://learn.microsoft.com/en-us/windows/win32/api/synchapi/nf-synchapi-wakebyaddresssingle) and [`WakeByAddressAll`](https://learn.microsoft.com/en-us/windows/win32/api/synchapi/nf-synchapi-wakebyaddressall). Note that Windows flavoured futexes can be different sizes (1, 2, 4 or 8 bytes). I took advantage of that in the `Mutex` implementation. I also edited the Mutex implementation a bit more than necessary. I was having trouble keeping in my head what 0, 1 and 2 meant so I replaced them with consts. I *think* we're maybe spinning a bit much. `WaitOnAddress` seems to be looping quite a bit too. But for now I've keep the implementations the same. I do wonder if it'd be worth reducing or removing our spinning on Windows. This also adds a new shim to miri, because of course it does. Fixes #121949
2 parents 09bc67b + cf83d83 commit 3314d5c

File tree

14 files changed

+159
-32
lines changed

14 files changed

+159
-32
lines changed

library/std/src/sys/locks/condvar/mod.rs

+4-3
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
cfg_if::cfg_if! {
22
if #[cfg(any(
3+
all(target_os = "windows", not(target_vendor="win7")),
34
target_os = "linux",
45
target_os = "android",
56
target_os = "freebsd",
@@ -14,9 +15,9 @@ cfg_if::cfg_if! {
1415
} else if #[cfg(target_family = "unix")] {
1516
mod pthread;
1617
pub use pthread::Condvar;
17-
} else if #[cfg(target_os = "windows")] {
18-
mod windows;
19-
pub use windows::Condvar;
18+
} else if #[cfg(all(target_os = "windows", target_vendor = "win7"))] {
19+
mod windows7;
20+
pub use windows7::Condvar;
2021
} else if #[cfg(all(target_vendor = "fortanix", target_env = "sgx"))] {
2122
mod sgx;
2223
pub use sgx::Condvar;

library/std/src/sys/locks/mutex/futex.rs

+33-21
Original file line numberDiff line numberDiff line change
@@ -1,30 +1,42 @@
11
use crate::sync::atomic::{
2-
AtomicU32,
2+
self,
33
Ordering::{Acquire, Relaxed, Release},
44
};
55
use crate::sys::futex::{futex_wait, futex_wake};
66

7+
cfg_if::cfg_if! {
8+
if #[cfg(windows)] {
9+
// On Windows we can have a smol futex
10+
type Atomic = atomic::AtomicU8;
11+
type State = u8;
12+
} else {
13+
type Atomic = atomic::AtomicU32;
14+
type State = u32;
15+
}
16+
}
17+
718
pub struct Mutex {
8-
/// 0: unlocked
9-
/// 1: locked, no other threads waiting
10-
/// 2: locked, and other threads waiting (contended)
11-
futex: AtomicU32,
19+
futex: Atomic,
1220
}
1321

22+
const UNLOCKED: State = 0;
23+
const LOCKED: State = 1; // locked, no other threads waiting
24+
const CONTENDED: State = 2; // locked, and other threads waiting (contended)
25+
1426
impl Mutex {
1527
#[inline]
1628
pub const fn new() -> Self {
17-
Self { futex: AtomicU32::new(0) }
29+
Self { futex: Atomic::new(UNLOCKED) }
1830
}
1931

2032
#[inline]
2133
pub fn try_lock(&self) -> bool {
22-
self.futex.compare_exchange(0, 1, Acquire, Relaxed).is_ok()
34+
self.futex.compare_exchange(UNLOCKED, LOCKED, Acquire, Relaxed).is_ok()
2335
}
2436

2537
#[inline]
2638
pub fn lock(&self) {
27-
if self.futex.compare_exchange(0, 1, Acquire, Relaxed).is_err() {
39+
if self.futex.compare_exchange(UNLOCKED, LOCKED, Acquire, Relaxed).is_err() {
2840
self.lock_contended();
2941
}
3042
}
@@ -36,40 +48,40 @@ impl Mutex {
3648

3749
// If it's unlocked now, attempt to take the lock
3850
// without marking it as contended.
39-
if state == 0 {
40-
match self.futex.compare_exchange(0, 1, Acquire, Relaxed) {
51+
if state == UNLOCKED {
52+
match self.futex.compare_exchange(UNLOCKED, LOCKED, Acquire, Relaxed) {
4153
Ok(_) => return, // Locked!
4254
Err(s) => state = s,
4355
}
4456
}
4557

4658
loop {
4759
// Put the lock in contended state.
48-
// We avoid an unnecessary write if it as already set to 2,
60+
// We avoid an unnecessary write if it as already set to CONTENDED,
4961
// to be friendlier for the caches.
50-
if state != 2 && self.futex.swap(2, Acquire) == 0 {
51-
// We changed it from 0 to 2, so we just successfully locked it.
62+
if state != CONTENDED && self.futex.swap(CONTENDED, Acquire) == UNLOCKED {
63+
// We changed it from UNLOCKED to CONTENDED, so we just successfully locked it.
5264
return;
5365
}
5466

55-
// Wait for the futex to change state, assuming it is still 2.
56-
futex_wait(&self.futex, 2, None);
67+
// Wait for the futex to change state, assuming it is still CONTENDED.
68+
futex_wait(&self.futex, CONTENDED, None);
5769

5870
// Spin again after waking up.
5971
state = self.spin();
6072
}
6173
}
6274

63-
fn spin(&self) -> u32 {
75+
fn spin(&self) -> State {
6476
let mut spin = 100;
6577
loop {
6678
// We only use `load` (and not `swap` or `compare_exchange`)
6779
// while spinning, to be easier on the caches.
6880
let state = self.futex.load(Relaxed);
6981

70-
// We stop spinning when the mutex is unlocked (0),
71-
// but also when it's contended (2).
72-
if state != 1 || spin == 0 {
82+
// We stop spinning when the mutex is UNLOCKED,
83+
// but also when it's CONTENDED.
84+
if state != LOCKED || spin == 0 {
7385
return state;
7486
}
7587

@@ -80,9 +92,9 @@ impl Mutex {
8092

8193
#[inline]
8294
pub unsafe fn unlock(&self) {
83-
if self.futex.swap(0, Release) == 2 {
95+
if self.futex.swap(UNLOCKED, Release) == CONTENDED {
8496
// We only wake up one thread. When that thread locks the mutex, it
85-
// will mark the mutex as contended (2) (see lock_contended above),
97+
// will mark the mutex as CONTENDED (see lock_contended above),
8698
// which makes sure that any other waiting threads will also be
8799
// woken up eventually.
88100
self.wake();

library/std/src/sys/locks/mutex/mod.rs

+4-3
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
cfg_if::cfg_if! {
22
if #[cfg(any(
3+
all(target_os = "windows", not(target_vendor = "win7")),
34
target_os = "linux",
45
target_os = "android",
56
target_os = "freebsd",
@@ -19,9 +20,9 @@ cfg_if::cfg_if! {
1920
))] {
2021
mod pthread;
2122
pub use pthread::{Mutex, raw};
22-
} else if #[cfg(target_os = "windows")] {
23-
mod windows;
24-
pub use windows::{Mutex, raw};
23+
} else if #[cfg(all(target_os = "windows", target_vendor = "win7"))] {
24+
mod windows7;
25+
pub use windows7::{Mutex, raw};
2526
} else if #[cfg(all(target_vendor = "fortanix", target_env = "sgx"))] {
2627
mod sgx;
2728
pub use sgx::Mutex;

library/std/src/sys/locks/rwlock/mod.rs

+4-3
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
cfg_if::cfg_if! {
22
if #[cfg(any(
3+
all(target_os = "windows", not(target_vendor = "win7")),
34
target_os = "linux",
45
target_os = "android",
56
target_os = "freebsd",
@@ -14,9 +15,9 @@ cfg_if::cfg_if! {
1415
} else if #[cfg(target_family = "unix")] {
1516
mod queue;
1617
pub use queue::RwLock;
17-
} else if #[cfg(target_os = "windows")] {
18-
mod windows;
19-
pub use windows::RwLock;
18+
} else if #[cfg(all(target_os = "windows", target_vendor = "win7"))] {
19+
mod windows7;
20+
pub use windows7::RwLock;
2021
} else if #[cfg(all(target_vendor = "fortanix", target_env = "sgx"))] {
2122
mod sgx;
2223
pub use sgx::RwLock;

library/std/src/sys/pal/windows/c.rs

+4
Original file line numberDiff line numberDiff line change
@@ -36,6 +36,7 @@ pub type LPVOID = *mut c_void;
3636
pub type LPWCH = *mut WCHAR;
3737
pub type LPWSTR = *mut WCHAR;
3838

39+
#[cfg(target_vendor = "win7")]
3940
pub type PSRWLOCK = *mut SRWLOCK;
4041

4142
pub type socklen_t = c_int;
@@ -50,7 +51,9 @@ pub const INVALID_HANDLE_VALUE: HANDLE = ::core::ptr::without_provenance_mut(-1i
5051
pub const EXIT_SUCCESS: u32 = 0;
5152
pub const EXIT_FAILURE: u32 = 1;
5253

54+
#[cfg(target_vendor = "win7")]
5355
pub const CONDITION_VARIABLE_INIT: CONDITION_VARIABLE = CONDITION_VARIABLE { Ptr: ptr::null_mut() };
56+
#[cfg(target_vendor = "win7")]
5457
pub const SRWLOCK_INIT: SRWLOCK = SRWLOCK { Ptr: ptr::null_mut() };
5558
pub const INIT_ONCE_STATIC_INIT: INIT_ONCE = INIT_ONCE { Ptr: ptr::null_mut() };
5659

@@ -373,6 +376,7 @@ extern "system" {
373376
dwmilliseconds: u32,
374377
) -> BOOL;
375378
pub fn WakeByAddressSingle(address: *const c_void);
379+
pub fn WakeByAddressAll(address: *const c_void);
376380
}
377381

378382
#[cfg(target_vendor = "win7")]
+85
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,85 @@
1+
use super::api;
2+
use crate::sys::c;
3+
use crate::sys::dur2timeout;
4+
use core::ffi::c_void;
5+
use core::mem;
6+
use core::ptr;
7+
use core::sync::atomic::{
8+
AtomicBool, AtomicI16, AtomicI32, AtomicI64, AtomicI8, AtomicIsize, AtomicPtr, AtomicU16,
9+
AtomicU32, AtomicU64, AtomicU8, AtomicUsize,
10+
};
11+
use core::time::Duration;
12+
13+
pub unsafe trait Waitable {
14+
type Atomic;
15+
}
16+
macro_rules! unsafe_waitable_int {
17+
($(($int:ty, $atomic:ty)),*$(,)?) => {
18+
$(
19+
unsafe impl Waitable for $int {
20+
type Atomic = $atomic;
21+
}
22+
)*
23+
};
24+
}
25+
unsafe_waitable_int! {
26+
(bool, AtomicBool),
27+
(i8, AtomicI8),
28+
(i16, AtomicI16),
29+
(i32, AtomicI32),
30+
(i64, AtomicI64),
31+
(isize, AtomicIsize),
32+
(u8, AtomicU8),
33+
(u16, AtomicU16),
34+
(u32, AtomicU32),
35+
(u64, AtomicU64),
36+
(usize, AtomicUsize),
37+
}
38+
unsafe impl<T> Waitable for *const T {
39+
type Atomic = AtomicPtr<T>;
40+
}
41+
unsafe impl<T> Waitable for *mut T {
42+
type Atomic = AtomicPtr<T>;
43+
}
44+
45+
pub fn wait_on_address<W: Waitable>(
46+
address: &W::Atomic,
47+
compare: W,
48+
timeout: Option<Duration>,
49+
) -> bool {
50+
unsafe {
51+
let addr = ptr::from_ref(address).cast::<c_void>();
52+
let size = mem::size_of::<W>();
53+
let compare_addr = ptr::addr_of!(compare).cast::<c_void>();
54+
let timeout = timeout.map(dur2timeout).unwrap_or(c::INFINITE);
55+
c::WaitOnAddress(addr, compare_addr, size, timeout) == c::TRUE
56+
}
57+
}
58+
59+
pub fn wake_by_address_single<T>(address: &T) {
60+
unsafe {
61+
let addr = ptr::from_ref(address).cast::<c_void>();
62+
c::WakeByAddressSingle(addr);
63+
}
64+
}
65+
66+
pub fn wake_by_address_all<T>(address: &T) {
67+
unsafe {
68+
let addr = ptr::from_ref(address).cast::<c_void>();
69+
c::WakeByAddressAll(addr);
70+
}
71+
}
72+
73+
pub fn futex_wait<W: Waitable>(futex: &W::Atomic, expected: W, timeout: Option<Duration>) -> bool {
74+
// return false only on timeout
75+
wait_on_address(futex, expected, timeout) || api::get_last_error().code != c::ERROR_TIMEOUT
76+
}
77+
78+
pub fn futex_wake<T>(futex: &T) -> bool {
79+
wake_by_address_single(futex);
80+
false
81+
}
82+
83+
pub fn futex_wake_all<T>(futex: &T) {
84+
wake_by_address_all(futex)
85+
}

library/std/src/sys/pal/windows/mod.rs

+2
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,8 @@ pub mod args;
1717
pub mod c;
1818
pub mod env;
1919
pub mod fs;
20+
#[cfg(not(target_vendor = "win7"))]
21+
pub mod futex;
2022
pub mod handle;
2123
pub mod io;
2224
pub mod net;

src/tools/miri/src/shims/windows/foreign_items.rs

+6
Original file line numberDiff line numberDiff line change
@@ -366,6 +366,12 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
366366

367367
this.WakeByAddressSingle(ptr_op)?;
368368
}
369+
"WakeByAddressAll" => {
370+
let [ptr_op] =
371+
this.check_shim(abi, Abi::System { unwind: false }, link_name, args)?;
372+
373+
this.WakeByAddressAll(ptr_op)?;
374+
}
369375

370376
// Dynamic symbol loading
371377
"GetProcAddress" => {

src/tools/miri/src/shims/windows/sync.rs

+15
Original file line numberDiff line numberDiff line change
@@ -384,6 +384,21 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
384384

385385
Ok(())
386386
}
387+
fn WakeByAddressAll(&mut self, ptr_op: &OpTy<'tcx, Provenance>) -> InterpResult<'tcx> {
388+
let this = self.eval_context_mut();
389+
390+
let ptr = this.read_pointer(ptr_op)?;
391+
392+
// See the Linux futex implementation for why this fence exists.
393+
this.atomic_fence(AtomicFenceOrd::SeqCst)?;
394+
395+
while let Some(thread) = this.futex_wake(ptr.addr().bytes(), u32::MAX) {
396+
this.unblock_thread(thread);
397+
this.unregister_timeout_callback_if_exists(thread);
398+
}
399+
400+
Ok(())
401+
}
387402

388403
fn SleepConditionVariableSRW(
389404
&mut self,

tests/debuginfo/mutex.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -10,7 +10,7 @@
1010
//
1111
// cdb-command:dx m,d
1212
// cdb-check:m,d [Type: std::sync::mutex::Mutex<i32>]
13-
// cdb-check: [...] inner [Type: std::sys::locks::mutex::windows::Mutex]
13+
// cdb-check: [...] inner [Type: std::sys::locks::mutex::futex::Mutex]
1414
// cdb-check: [...] poison [Type: std::sync::poison::Flag]
1515
// cdb-check: [...] data : 0 [Type: core::cell::UnsafeCell<i32>]
1616

tests/debuginfo/rwlock-read.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -16,7 +16,7 @@
1616
// cdb-command:dx r
1717
// cdb-check:r [Type: std::sync::rwlock::RwLockReadGuard<i32>]
1818
// cdb-check: [...] data : NonNull([...]: 0) [Type: core::ptr::non_null::NonNull<i32>]
19-
// cdb-check: [...] inner_lock : [...] [Type: std::sys::locks::rwlock::windows::RwLock *]
19+
// cdb-check: [...] inner_lock : [...] [Type: std::sys::locks::rwlock::futex::RwLock *]
2020

2121
#[allow(unused_variables)]
2222

0 commit comments

Comments
 (0)