Skip to content

Commit 3d5aceb

Browse files
committedApr 16, 2024
threads: keep track of why we are blocked, and sanity-check that when waking up
1 parent 88d1a1c commit 3d5aceb

File tree

8 files changed

+108
-95
lines changed

8 files changed

+108
-95
lines changed
 

‎src/tools/miri/src/concurrency/init_once.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -77,7 +77,7 @@ trait EvalContextExtPriv<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
7777
let this = self.eval_context_mut();
7878
let current_thread = this.get_active_thread();
7979

80-
this.unblock_thread(waiter.thread);
80+
this.unblock_thread(waiter.thread, BlockReason::InitOnce(id));
8181

8282
// Call callback, with the woken-up thread as `current`.
8383
this.set_active_thread(waiter.thread);
@@ -142,7 +142,7 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
142142
let init_once = &mut this.machine.threads.sync.init_onces[id];
143143
assert_ne!(init_once.status, InitOnceStatus::Complete, "queueing on complete init once");
144144
init_once.waiters.push_back(InitOnceWaiter { thread, callback });
145-
this.block_thread(thread);
145+
this.block_thread(thread, BlockReason::InitOnce(id));
146146
}
147147

148148
/// Begin initializing this InitOnce. Must only be called after checking that it is currently

‎src/tools/miri/src/concurrency/sync.rs

+10-22
Original file line numberDiff line numberDiff line change
@@ -115,25 +115,13 @@ struct RwLock {
115115

116116
declare_id!(CondvarId);
117117

118-
#[derive(Debug, Copy, Clone)]
119-
pub enum RwLockMode {
120-
Read,
121-
Write,
122-
}
123-
124-
#[derive(Debug)]
125-
pub enum CondvarLock {
126-
Mutex(MutexId),
127-
RwLock { id: RwLockId, mode: RwLockMode },
128-
}
129-
130118
/// A thread waiting on a conditional variable.
131119
#[derive(Debug)]
132120
struct CondvarWaiter {
133121
/// The thread that is waiting on this variable.
134122
thread: ThreadId,
135-
/// The mutex or rwlock on which the thread is waiting.
136-
lock: CondvarLock,
123+
/// The mutex on which the thread is waiting.
124+
lock: MutexId,
137125
}
138126

139127
/// The conditional variable state.
@@ -232,7 +220,7 @@ pub(super) trait EvalContextExtPriv<'mir, 'tcx: 'mir>:
232220
fn rwlock_dequeue_and_lock_reader(&mut self, id: RwLockId) -> bool {
233221
let this = self.eval_context_mut();
234222
if let Some(reader) = this.machine.threads.sync.rwlocks[id].reader_queue.pop_front() {
235-
this.unblock_thread(reader);
223+
this.unblock_thread(reader, BlockReason::RwLock(id));
236224
this.rwlock_reader_lock(id, reader);
237225
true
238226
} else {
@@ -246,7 +234,7 @@ pub(super) trait EvalContextExtPriv<'mir, 'tcx: 'mir>:
246234
fn rwlock_dequeue_and_lock_writer(&mut self, id: RwLockId) -> bool {
247235
let this = self.eval_context_mut();
248236
if let Some(writer) = this.machine.threads.sync.rwlocks[id].writer_queue.pop_front() {
249-
this.unblock_thread(writer);
237+
this.unblock_thread(writer, BlockReason::RwLock(id));
250238
this.rwlock_writer_lock(id, writer);
251239
true
252240
} else {
@@ -260,7 +248,7 @@ pub(super) trait EvalContextExtPriv<'mir, 'tcx: 'mir>:
260248
fn mutex_dequeue_and_lock(&mut self, id: MutexId) -> bool {
261249
let this = self.eval_context_mut();
262250
if let Some(thread) = this.machine.threads.sync.mutexes[id].queue.pop_front() {
263-
this.unblock_thread(thread);
251+
this.unblock_thread(thread, BlockReason::Mutex(id));
264252
this.mutex_lock(id, thread);
265253
true
266254
} else {
@@ -406,7 +394,7 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
406394
let this = self.eval_context_mut();
407395
assert!(this.mutex_is_locked(id), "queing on unlocked mutex");
408396
this.machine.threads.sync.mutexes[id].queue.push_back(thread);
409-
this.block_thread(thread);
397+
this.block_thread(thread, BlockReason::Mutex(id));
410398
}
411399

412400
/// Provides the closure with the next RwLockId. Creates that RwLock if the closure returns None,
@@ -511,7 +499,7 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
511499
let this = self.eval_context_mut();
512500
assert!(this.rwlock_is_write_locked(id), "read-queueing on not write locked rwlock");
513501
this.machine.threads.sync.rwlocks[id].reader_queue.push_back(reader);
514-
this.block_thread(reader);
502+
this.block_thread(reader, BlockReason::RwLock(id));
515503
}
516504

517505
/// Lock by setting the writer that owns the lock.
@@ -573,7 +561,7 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
573561
let this = self.eval_context_mut();
574562
assert!(this.rwlock_is_locked(id), "write-queueing on unlocked rwlock");
575563
this.machine.threads.sync.rwlocks[id].writer_queue.push_back(writer);
576-
this.block_thread(writer);
564+
this.block_thread(writer, BlockReason::RwLock(id));
577565
}
578566

579567
/// Provides the closure with the next CondvarId. Creates that Condvar if the closure returns None,
@@ -605,7 +593,7 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
605593
}
606594

607595
/// Mark that the thread is waiting on the conditional variable.
608-
fn condvar_wait(&mut self, id: CondvarId, thread: ThreadId, lock: CondvarLock) {
596+
fn condvar_wait(&mut self, id: CondvarId, thread: ThreadId, lock: MutexId) {
609597
let this = self.eval_context_mut();
610598
let waiters = &mut this.machine.threads.sync.condvars[id].waiters;
611599
assert!(waiters.iter().all(|waiter| waiter.thread != thread), "thread is already waiting");
@@ -614,7 +602,7 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
614602

615603
/// Wake up some thread (if there is any) sleeping on the conditional
616604
/// variable.
617-
fn condvar_signal(&mut self, id: CondvarId) -> Option<(ThreadId, CondvarLock)> {
605+
fn condvar_signal(&mut self, id: CondvarId) -> Option<(ThreadId, MutexId)> {
618606
let this = self.eval_context_mut();
619607
let current_thread = this.get_active_thread();
620608
let current_span = this.machine.current_span();

‎src/tools/miri/src/concurrency/thread.rs

+46-28
Original file line numberDiff line numberDiff line change
@@ -88,18 +88,33 @@ impl From<ThreadId> for u64 {
8888
}
8989
}
9090

91+
/// Keeps track of what the thread is blocked on.
92+
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
93+
pub enum BlockReason {
94+
/// The thread tried to join the specified thread and is blocked until that
95+
/// thread terminates.
96+
Join(ThreadId),
97+
/// Waiting for time to pass.
98+
Sleep,
99+
/// Blocked on a mutex.
100+
Mutex(MutexId),
101+
/// Blocked on a condition variable.
102+
Condvar(CondvarId),
103+
/// Blocked on a reader-writer lock.
104+
RwLock(RwLockId),
105+
/// Blocled on a Futex variable.
106+
Futex { addr: u64 },
107+
/// Blocked on an InitOnce.
108+
InitOnce(InitOnceId),
109+
}
110+
91111
/// The state of a thread.
92112
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
93113
pub enum ThreadState {
94114
/// The thread is enabled and can be executed.
95115
Enabled,
96-
/// The thread tried to join the specified thread and is blocked until that
97-
/// thread terminates.
98-
BlockedOnJoin(ThreadId),
99-
/// The thread is blocked on some synchronization primitive. It is the
100-
/// responsibility of the synchronization primitives to track threads that
101-
/// are blocked by them.
102-
BlockedOnSync,
116+
/// The thread is blocked on something.
117+
Blocked(BlockReason),
103118
/// The thread has terminated its execution. We do not delete terminated
104119
/// threads (FIXME: why?).
105120
Terminated,
@@ -296,17 +311,17 @@ impl VisitProvenance for Frame<'_, '_, Provenance, FrameExtra<'_>> {
296311

297312
/// A specific moment in time.
298313
#[derive(Debug)]
299-
pub enum Time {
314+
pub enum CallbackTime {
300315
Monotonic(Instant),
301316
RealTime(SystemTime),
302317
}
303318

304-
impl Time {
319+
impl CallbackTime {
305320
/// How long do we have to wait from now until the specified time?
306321
fn get_wait_time(&self, clock: &Clock) -> Duration {
307322
match self {
308-
Time::Monotonic(instant) => instant.duration_since(clock.now()),
309-
Time::RealTime(time) =>
323+
CallbackTime::Monotonic(instant) => instant.duration_since(clock.now()),
324+
CallbackTime::RealTime(time) =>
310325
time.duration_since(SystemTime::now()).unwrap_or(Duration::new(0, 0)),
311326
}
312327
}
@@ -318,7 +333,7 @@ impl Time {
318333
/// conditional variable, the signal handler deletes the callback.
319334
struct TimeoutCallbackInfo<'mir, 'tcx> {
320335
/// The callback should be called no earlier than this time.
321-
call_time: Time,
336+
call_time: CallbackTime,
322337
/// The called function.
323338
callback: TimeoutCallback<'mir, 'tcx>,
324339
}
@@ -539,7 +554,8 @@ impl<'mir, 'tcx: 'mir> ThreadManager<'mir, 'tcx> {
539554
self.threads[joined_thread_id].join_status = ThreadJoinStatus::Joined;
540555
if self.threads[joined_thread_id].state != ThreadState::Terminated {
541556
// The joined thread is still running, we need to wait for it.
542-
self.active_thread_mut().state = ThreadState::BlockedOnJoin(joined_thread_id);
557+
self.active_thread_mut().state =
558+
ThreadState::Blocked(BlockReason::Join(joined_thread_id));
543559
trace!(
544560
"{:?} blocked on {:?} when trying to join",
545561
self.active_thread,
@@ -569,10 +585,11 @@ impl<'mir, 'tcx: 'mir> ThreadManager<'mir, 'tcx> {
569585
throw_ub_format!("trying to join itself");
570586
}
571587

588+
// Sanity check `join_status`.
572589
assert!(
573-
self.threads
574-
.iter()
575-
.all(|thread| thread.state != ThreadState::BlockedOnJoin(joined_thread_id)),
590+
self.threads.iter().all(|thread| {
591+
thread.state != ThreadState::Blocked(BlockReason::Join(joined_thread_id))
592+
}),
576593
"this thread already has threads waiting for its termination"
577594
);
578595

@@ -594,16 +611,17 @@ impl<'mir, 'tcx: 'mir> ThreadManager<'mir, 'tcx> {
594611
}
595612

596613
/// Put the thread into the blocked state.
597-
fn block_thread(&mut self, thread: ThreadId) {
614+
fn block_thread(&mut self, thread: ThreadId, reason: BlockReason) {
598615
let state = &mut self.threads[thread].state;
599616
assert_eq!(*state, ThreadState::Enabled);
600-
*state = ThreadState::BlockedOnSync;
617+
*state = ThreadState::Blocked(reason);
601618
}
602619

603620
/// Put the blocked thread into the enabled state.
604-
fn unblock_thread(&mut self, thread: ThreadId) {
621+
/// Sanity-checks that the thread previously was blocked for the right reason.
622+
fn unblock_thread(&mut self, thread: ThreadId, reason: BlockReason) {
605623
let state = &mut self.threads[thread].state;
606-
assert_eq!(*state, ThreadState::BlockedOnSync);
624+
assert_eq!(*state, ThreadState::Blocked(reason));
607625
*state = ThreadState::Enabled;
608626
}
609627

@@ -622,7 +640,7 @@ impl<'mir, 'tcx: 'mir> ThreadManager<'mir, 'tcx> {
622640
fn register_timeout_callback(
623641
&mut self,
624642
thread: ThreadId,
625-
call_time: Time,
643+
call_time: CallbackTime,
626644
callback: TimeoutCallback<'mir, 'tcx>,
627645
) {
628646
self.timeout_callbacks
@@ -683,7 +701,7 @@ impl<'mir, 'tcx: 'mir> ThreadManager<'mir, 'tcx> {
683701
// Check if we need to unblock any threads.
684702
let mut joined_threads = vec![]; // store which threads joined, we'll need it
685703
for (i, thread) in self.threads.iter_enumerated_mut() {
686-
if thread.state == ThreadState::BlockedOnJoin(self.active_thread) {
704+
if thread.state == ThreadState::Blocked(BlockReason::Join(self.active_thread)) {
687705
// The thread has terminated, mark happens-before edge to joining thread
688706
if data_race.is_some() {
689707
joined_threads.push(i);
@@ -999,13 +1017,13 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
9991017
}
10001018

10011019
#[inline]
1002-
fn block_thread(&mut self, thread: ThreadId) {
1003-
self.eval_context_mut().machine.threads.block_thread(thread);
1020+
fn block_thread(&mut self, thread: ThreadId, reason: BlockReason) {
1021+
self.eval_context_mut().machine.threads.block_thread(thread, reason);
10041022
}
10051023

10061024
#[inline]
1007-
fn unblock_thread(&mut self, thread: ThreadId) {
1008-
self.eval_context_mut().machine.threads.unblock_thread(thread);
1025+
fn unblock_thread(&mut self, thread: ThreadId, reason: BlockReason) {
1026+
self.eval_context_mut().machine.threads.unblock_thread(thread, reason);
10091027
}
10101028

10111029
#[inline]
@@ -1027,11 +1045,11 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
10271045
fn register_timeout_callback(
10281046
&mut self,
10291047
thread: ThreadId,
1030-
call_time: Time,
1048+
call_time: CallbackTime,
10311049
callback: TimeoutCallback<'mir, 'tcx>,
10321050
) {
10331051
let this = self.eval_context_mut();
1034-
if !this.machine.communicate() && matches!(call_time, Time::RealTime(..)) {
1052+
if !this.machine.communicate() && matches!(call_time, CallbackTime::RealTime(..)) {
10351053
panic!("cannot have `RealTime` callback with isolation enabled!")
10361054
}
10371055
this.machine.threads.register_timeout_callback(thread, call_time, callback);

‎src/tools/miri/src/lib.rs

+3-1
Original file line numberDiff line numberDiff line change
@@ -116,7 +116,9 @@ pub use crate::concurrency::{
116116
data_race::{AtomicFenceOrd, AtomicReadOrd, AtomicRwOrd, AtomicWriteOrd, EvalContextExt as _},
117117
init_once::{EvalContextExt as _, InitOnceId},
118118
sync::{CondvarId, EvalContextExt as _, MutexId, RwLockId, SyncId},
119-
thread::{EvalContextExt as _, StackEmptyCallback, ThreadId, ThreadManager, Time},
119+
thread::{
120+
BlockReason, CallbackTime, EvalContextExt as _, StackEmptyCallback, ThreadId, ThreadManager,
121+
},
120122
};
121123
pub use crate::diagnostics::{
122124
report_error, EvalContextExt as _, NonHaltingDiagnostic, TerminationInfo,

‎src/tools/miri/src/shims/time.rs

+5-5
Original file line numberDiff line numberDiff line change
@@ -236,11 +236,11 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
236236
.unwrap_or_else(|| now.checked_add(Duration::from_secs(3600)).unwrap());
237237

238238
let active_thread = this.get_active_thread();
239-
this.block_thread(active_thread);
239+
this.block_thread(active_thread, BlockReason::Sleep);
240240

241241
this.register_timeout_callback(
242242
active_thread,
243-
Time::Monotonic(timeout_time),
243+
CallbackTime::Monotonic(timeout_time),
244244
Box::new(UnblockCallback { thread_to_unblock: active_thread }),
245245
);
246246

@@ -259,11 +259,11 @@ pub trait EvalContextExt<'mir, 'tcx: 'mir>: crate::MiriInterpCxExt<'mir, 'tcx> {
259259
let timeout_time = this.machine.clock.now().checked_add(duration).unwrap();
260260

261261
let active_thread = this.get_active_thread();
262-
this.block_thread(active_thread);
262+
this.block_thread(active_thread, BlockReason::Sleep);
263263

264264
this.register_timeout_callback(
265265
active_thread,
266-
Time::Monotonic(timeout_time),
266+
CallbackTime::Monotonic(timeout_time),
267267
Box::new(UnblockCallback { thread_to_unblock: active_thread }),
268268
);
269269

@@ -281,7 +281,7 @@ impl VisitProvenance for UnblockCallback {
281281

282282
impl<'mir, 'tcx: 'mir> MachineCallback<'mir, 'tcx> for UnblockCallback {
283283
fn call(&self, ecx: &mut MiriInterpCx<'mir, 'tcx>) -> InterpResult<'tcx> {
284-
ecx.unblock_thread(self.thread_to_unblock);
284+
ecx.unblock_thread(self.thread_to_unblock, BlockReason::Sleep);
285285
Ok(())
286286
}
287287
}

‎src/tools/miri/src/shims/unix/linux/sync.rs

+16-7
Original file line numberDiff line numberDiff line change
@@ -107,16 +107,22 @@ pub fn futex<'tcx>(
107107
Some(if wait_bitset {
108108
// FUTEX_WAIT_BITSET uses an absolute timestamp.
109109
if realtime {
110-
Time::RealTime(SystemTime::UNIX_EPOCH.checked_add(duration).unwrap())
110+
CallbackTime::RealTime(
111+
SystemTime::UNIX_EPOCH.checked_add(duration).unwrap(),
112+
)
111113
} else {
112-
Time::Monotonic(this.machine.clock.anchor().checked_add(duration).unwrap())
114+
CallbackTime::Monotonic(
115+
this.machine.clock.anchor().checked_add(duration).unwrap(),
116+
)
113117
}
114118
} else {
115119
// FUTEX_WAIT uses a relative timestamp.
116120
if realtime {
117-
Time::RealTime(SystemTime::now().checked_add(duration).unwrap())
121+
CallbackTime::RealTime(SystemTime::now().checked_add(duration).unwrap())
118122
} else {
119-
Time::Monotonic(this.machine.clock.now().checked_add(duration).unwrap())
123+
CallbackTime::Monotonic(
124+
this.machine.clock.now().checked_add(duration).unwrap(),
125+
)
120126
}
121127
})
122128
};
@@ -169,7 +175,7 @@ pub fn futex<'tcx>(
169175
let futex_val = this.read_scalar_atomic(&addr, AtomicReadOrd::Relaxed)?.to_i32()?;
170176
if val == futex_val {
171177
// The value still matches, so we block the thread make it wait for FUTEX_WAKE.
172-
this.block_thread(thread);
178+
this.block_thread(thread, BlockReason::Futex { addr: addr_usize });
173179
this.futex_wait(addr_usize, thread, bitset);
174180
// Succesfully waking up from FUTEX_WAIT always returns zero.
175181
this.write_scalar(Scalar::from_target_isize(0, this), dest)?;
@@ -191,7 +197,10 @@ pub fn futex<'tcx>(
191197

192198
impl<'mir, 'tcx: 'mir> MachineCallback<'mir, 'tcx> for Callback<'tcx> {
193199
fn call(&self, this: &mut MiriInterpCx<'mir, 'tcx>) -> InterpResult<'tcx> {
194-
this.unblock_thread(self.thread);
200+
this.unblock_thread(
201+
self.thread,
202+
BlockReason::Futex { addr: self.addr_usize },
203+
);
195204
this.futex_remove_waiter(self.addr_usize, self.thread);
196205
let etimedout = this.eval_libc("ETIMEDOUT");
197206
this.set_last_error(etimedout)?;
@@ -249,7 +258,7 @@ pub fn futex<'tcx>(
249258
#[allow(clippy::arithmetic_side_effects)]
250259
for _ in 0..val {
251260
if let Some(thread) = this.futex_wake(addr_usize, bitset) {
252-
this.unblock_thread(thread);
261+
this.unblock_thread(thread, BlockReason::Futex { addr: addr_usize });
253262
this.unregister_timeout_callback_if_exists(thread);
254263
n += 1;
255264
} else {

0 commit comments

Comments
 (0)