mmtk/scheduler/worker.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
use super::stat::WorkerLocalStat;
use super::work_bucket::*;
use super::*;
use crate::mmtk::MMTK;
use crate::util::copy::GCWorkerCopyContext;
use crate::util::heap::layout::heap_parameters::MAX_SPACES;
use crate::util::opaque_pointer::*;
use crate::util::ObjectReference;
use crate::vm::{Collection, GCThreadContext, VMBinding};
use atomic::Atomic;
use atomic_refcell::{AtomicRef, AtomicRefCell, AtomicRefMut};
use crossbeam::deque::{self, Stealer};
use crossbeam::queue::ArrayQueue;
use std::sync::atomic::Ordering;
use std::sync::{Arc, Mutex};
/// Represents the ID of a GC worker thread.
pub type ThreadId = usize;
thread_local! {
/// Current worker's ordinal
static WORKER_ORDINAL: Atomic<ThreadId> = const { Atomic::new(ThreadId::MAX) };
}
/// Get current worker ordinal. Return `None` if the current thread is not a worker.
pub fn current_worker_ordinal() -> ThreadId {
let ordinal = WORKER_ORDINAL.with(|x| x.load(Ordering::Relaxed));
debug_assert_ne!(
ordinal,
ThreadId::MAX,
"Thread-local variable WORKER_ORDINAL not set yet."
);
ordinal
}
/// The struct has one instance per worker, but is shared between workers via the scheduler
/// instance. This structure is used for communication between workers, e.g. adding designated
/// work packets, stealing work packets from other workers, and collecting per-worker statistics.
pub struct GCWorkerShared<VM: VMBinding> {
/// Worker-local statistics data.
stat: AtomicRefCell<WorkerLocalStat<VM>>,
/// Accumulated bytes for live objects in this GC. When each worker scans
/// objects, we increase the live bytes. We get this value from each worker
/// at the end of a GC, and reset this counter.
/// The live bytes are stored in an array. The index is the index from the space descriptor.
pub live_bytes_per_space: AtomicRefCell<[usize; MAX_SPACES]>,
/// A queue of GCWork that can only be processed by the owned thread.
pub designated_work: ArrayQueue<Box<dyn GCWork<VM>>>,
/// Handle for stealing packets from the current worker
pub stealer: Option<Stealer<Box<dyn GCWork<VM>>>>,
}
impl<VM: VMBinding> GCWorkerShared<VM> {
pub fn new(stealer: Option<Stealer<Box<dyn GCWork<VM>>>>) -> Self {
Self {
stat: Default::default(),
live_bytes_per_space: AtomicRefCell::new([0; MAX_SPACES]),
designated_work: ArrayQueue::new(16),
stealer,
}
}
pub(crate) fn increase_live_bytes(
live_bytes_per_space: &mut [usize; MAX_SPACES],
object: ObjectReference,
) {
use crate::mmtk::VM_MAP;
use crate::vm::object_model::ObjectModel;
// The live bytes of the object
let bytes = VM::VMObjectModel::get_current_size(object);
// Get the space index from descriptor
let space_descriptor = VM_MAP.get_descriptor_for_address(object.to_raw_address());
let space_index = space_descriptor.get_index();
debug_assert!(
space_index < MAX_SPACES,
"Space index {} is not in the range of [0, {})",
space_index,
MAX_SPACES
);
// Accumulate the live bytes for the index
live_bytes_per_space[space_index] += bytes;
}
}
/// A GC worker. This part is privately owned by a worker thread.
pub struct GCWorker<VM: VMBinding> {
/// The VM-specific thread-local state of the GC thread.
pub tls: VMWorkerThread,
/// The ordinal of the worker, numbered from 0 to the number of workers minus one.
pub ordinal: ThreadId,
/// The reference to the scheduler.
scheduler: Arc<GCWorkScheduler<VM>>,
/// The copy context, used to implement copying GC.
copy: GCWorkerCopyContext<VM>,
/// The reference to the MMTk instance.
pub mmtk: &'static MMTK<VM>,
/// Reference to the shared part of the GC worker. It is used for synchronization.
pub shared: Arc<GCWorkerShared<VM>>,
/// Local work packet queue.
pub local_work_buffer: deque::Worker<Box<dyn GCWork<VM>>>,
}
unsafe impl<VM: VMBinding> Sync for GCWorkerShared<VM> {}
unsafe impl<VM: VMBinding> Send for GCWorkerShared<VM> {}
// Error message for borrowing `GCWorkerShared::stat`.
const STAT_BORROWED_MSG: &str = "GCWorkerShared.stat is already borrowed. This may happen if \
the mutator calls harness_begin or harness_end while the GC is running.";
impl<VM: VMBinding> GCWorkerShared<VM> {
pub fn borrow_stat(&self) -> AtomicRef<WorkerLocalStat<VM>> {
self.stat.try_borrow().expect(STAT_BORROWED_MSG)
}
pub fn borrow_stat_mut(&self) -> AtomicRefMut<WorkerLocalStat<VM>> {
self.stat.try_borrow_mut().expect(STAT_BORROWED_MSG)
}
}
/// A special error type that indicate a worker should exit.
/// This may happen if the VM needs to fork and asks workers to exit.
#[derive(Debug)]
pub(crate) struct WorkerShouldExit;
/// The result type of `GCWorker::pool`.
/// Too many functions return `Option<Box<dyn GCWork<VM>>>`. In most cases, when `None` is
/// returned, the caller should try getting work packets from another place. To avoid confusion,
/// we use `Err(WorkerShouldExit)` to clearly indicate that the worker should exit immediately.
pub(crate) type PollResult<VM> = Result<Box<dyn GCWork<VM>>, WorkerShouldExit>;
impl<VM: VMBinding> GCWorker<VM> {
pub(crate) fn new(
mmtk: &'static MMTK<VM>,
ordinal: ThreadId,
scheduler: Arc<GCWorkScheduler<VM>>,
shared: Arc<GCWorkerShared<VM>>,
local_work_buffer: deque::Worker<Box<dyn GCWork<VM>>>,
) -> Self {
Self {
tls: VMWorkerThread(VMThread::UNINITIALIZED),
ordinal,
// We will set this later
copy: GCWorkerCopyContext::new_non_copy(),
scheduler,
mmtk,
shared,
local_work_buffer,
}
}
const LOCALLY_CACHED_WORK_PACKETS: usize = 16;
/// Add a work packet to the work queue and mark it with a higher priority.
/// If the bucket is activated, the packet will be pushed to the local queue, otherwise it will be
/// pushed to the global bucket with a higher priority.
pub fn add_work_prioritized(&mut self, bucket: WorkBucketStage, work: impl GCWork<VM>) {
if !self.scheduler().work_buckets[bucket].is_activated()
|| self.local_work_buffer.len() >= Self::LOCALLY_CACHED_WORK_PACKETS
{
self.scheduler.work_buckets[bucket].add_prioritized(Box::new(work));
return;
}
self.local_work_buffer.push(Box::new(work));
}
/// Add a work packet to the work queue.
/// If the bucket is activated, the packet will be pushed to the local queue, otherwise it will be
/// pushed to the global bucket.
pub fn add_work(&mut self, bucket: WorkBucketStage, work: impl GCWork<VM>) {
if !self.scheduler().work_buckets[bucket].is_activated()
|| self.local_work_buffer.len() >= Self::LOCALLY_CACHED_WORK_PACKETS
{
self.scheduler.work_buckets[bucket].add(work);
return;
}
self.local_work_buffer.push(Box::new(work));
}
/// Get the scheduler. There is only one scheduler per MMTk instance.
pub fn scheduler(&self) -> &GCWorkScheduler<VM> {
&self.scheduler
}
/// Get a mutable reference of the copy context for this worker.
pub fn get_copy_context_mut(&mut self) -> &mut GCWorkerCopyContext<VM> {
&mut self.copy
}
/// Poll a ready-to-execute work packet in the following order:
///
/// 1. Any packet that should be processed only by this worker.
/// 2. Poll from the local work queue.
/// 3. Poll from activated global work-buckets
/// 4. Steal from other workers
fn poll(&mut self) -> PollResult<VM> {
if let Some(work) = self.shared.designated_work.pop() {
return Ok(work);
}
if let Some(work) = self.local_work_buffer.pop() {
return Ok(work);
}
self.scheduler().poll(self)
}
/// Entry point of the worker thread.
///
/// This function will resolve thread affinity, if it has been specified by the user.
///
/// Each worker will keep polling and executing work packets in a loop. It runs until the
/// worker is requested to exit. Currently a worker may exit after
/// [`crate::mmtk::MMTK::prepare_to_fork`] is called.
///
/// Arguments:
/// * `tls`: The VM-specific thread-local storage for this GC worker thread.
/// * `mmtk`: A reference to an MMTk instance.
pub fn run(mut self: Box<Self>, tls: VMWorkerThread, mmtk: &'static MMTK<VM>) {
probe!(mmtk, gcworker_run);
debug!(
"Worker started. ordinal: {}, {}",
self.ordinal,
crate::util::rust_util::debug_process_thread_id(),
);
WORKER_ORDINAL.with(|x| x.store(self.ordinal, Ordering::SeqCst));
self.scheduler.resolve_affinity(self.ordinal);
self.tls = tls;
self.copy = crate::plan::create_gc_worker_context(tls, mmtk);
loop {
// Instead of having work_start and work_end tracepoints, we have
// one tracepoint before polling for more work and one tracepoint
// before executing the work.
// This allows measuring the distribution of both the time needed
// poll work (between work_poll and work), and the time needed to
// execute work (between work and next work_poll).
// If we have work_start and work_end, we cannot measure the first
// poll.
probe!(mmtk, work_poll);
let Ok(mut work) = self.poll() else {
// The worker is asked to exit. Break from the loop.
break;
};
// probe! expands to an empty block on unsupported platforms
#[allow(unused_variables)]
let typename = work.get_type_name();
#[cfg(feature = "bpftrace_workaround")]
// Workaround a problem where bpftrace script cannot see the work packet names,
// by force loading from the packet name.
// See the "Known issues" section in `tools/tracing/timeline/README.md`
std::hint::black_box(unsafe { *(typename.as_ptr()) });
probe!(mmtk, work, typename.as_ptr(), typename.len());
work.do_work_with_stat(&mut self, mmtk);
}
debug!(
"Worker exiting. ordinal: {}, {}",
self.ordinal,
crate::util::rust_util::debug_process_thread_id(),
);
probe!(mmtk, gcworker_exit);
mmtk.scheduler.surrender_gc_worker(self);
}
}
/// Stateful part of [`WorkerGroup`].
enum WorkerCreationState<VM: VMBinding> {
/// The initial state. `GCWorker` structs have not been created and GC worker threads have not
/// been spawn.
Initial {
/// The local work queues for to-be-created workers.
local_work_queues: Vec<deque::Worker<Box<dyn GCWork<VM>>>>,
},
/// All worker threads are spawn and running. `GCWorker` structs have been transferred to
/// worker threads.
Spawned,
/// Worker threads are stopping, or have already stopped, for forking. Instances of `GCWorker`
/// structs are collected here to be reused when GC workers are respawn.
Surrendered {
/// `GCWorker` instances not currently owned by active GC worker threads. Once GC workers
/// are respawn, they will take ownership of these `GCWorker` instances.
// Note: Clippy warns about `Vec<Box<T>>` because `Vec<T>` is already in the heap.
// However, the purpose of this `Vec` is allowing GC worker threads to give their
// `Box<GCWorker<VM>>` instances back to this pool. Therefore, the `Box` is necessary.
#[allow(clippy::vec_box)]
workers: Vec<Box<GCWorker<VM>>>,
},
}
/// A worker group to manage all the GC workers.
pub(crate) struct WorkerGroup<VM: VMBinding> {
/// Shared worker data
pub workers_shared: Vec<Arc<GCWorkerShared<VM>>>,
/// The stateful part. `None` means state transition is underway.
state: Mutex<Option<WorkerCreationState<VM>>>,
}
/// We have to persuade Rust that `WorkerGroup` is safe to share because the compiler thinks one
/// worker can refer to another worker via the path "worker -> scheduler -> worker_group ->
/// `Surrendered::workers` -> worker" which is cyclic reference and unsafe.
unsafe impl<VM: VMBinding> Sync for WorkerGroup<VM> {}
impl<VM: VMBinding> WorkerGroup<VM> {
/// Create a WorkerGroup
pub fn new(num_workers: usize) -> Arc<Self> {
let local_work_queues = (0..num_workers)
.map(|_| deque::Worker::new_fifo())
.collect::<Vec<_>>();
let workers_shared = (0..num_workers)
.map(|i| {
Arc::new(GCWorkerShared::<VM>::new(Some(
local_work_queues[i].stealer(),
)))
})
.collect::<Vec<_>>();
Arc::new(Self {
workers_shared,
state: Mutex::new(Some(WorkerCreationState::Initial { local_work_queues })),
})
}
/// Spawn GC worker threads for the first time.
pub fn initial_spawn(&self, tls: VMThread, mmtk: &'static MMTK<VM>) {
let mut state = self.state.lock().unwrap();
let WorkerCreationState::Initial { local_work_queues } = state.take().unwrap() else {
panic!("GCWorker structs have already been created");
};
let workers = self.create_workers(local_work_queues, mmtk);
self.spawn(workers, tls);
*state = Some(WorkerCreationState::Spawned);
}
/// Respawn GC threads after stopping for forking.
pub fn respawn(&self, tls: VMThread) {
let mut state = self.state.lock().unwrap();
let WorkerCreationState::Surrendered { workers } = state.take().unwrap() else {
panic!("GCWorker structs have not been created, yet.");
};
self.spawn(workers, tls);
*state = Some(WorkerCreationState::Spawned)
}
/// Create `GCWorker` instances.
#[allow(clippy::vec_box)] // See `WorkerCreationState::Surrendered`.
fn create_workers(
&self,
local_work_queues: Vec<deque::Worker<Box<dyn GCWork<VM>>>>,
mmtk: &'static MMTK<VM>,
) -> Vec<Box<GCWorker<VM>>> {
debug!("Creating GCWorker instances...");
assert_eq!(self.workers_shared.len(), local_work_queues.len());
// Each `GCWorker` instance corresponds to a `GCWorkerShared` at the same index.
let workers = (local_work_queues.into_iter())
.zip(self.workers_shared.iter())
.enumerate()
.map(|(ordinal, (queue, shared))| {
Box::new(GCWorker::new(
mmtk,
ordinal,
mmtk.scheduler.clone(),
shared.clone(),
queue,
))
})
.collect::<Vec<_>>();
debug!("Created {} GCWorker instances.", workers.len());
workers
}
/// Spawn all the worker threads
#[allow(clippy::vec_box)] // See `WorkerCreationState::Surrendered`.
fn spawn(&self, workers: Vec<Box<GCWorker<VM>>>, tls: VMThread) {
debug!(
"Spawning GC workers. {}",
crate::util::rust_util::debug_process_thread_id(),
);
// We transfer the ownership of each `GCWorker` instance to a GC thread.
for worker in workers {
VM::VMCollection::spawn_gc_thread(tls, GCThreadContext::<VM>::Worker(worker));
}
debug!(
"Spawned {} worker threads. {}",
self.worker_count(),
crate::util::rust_util::debug_process_thread_id(),
);
}
/// Prepare the buffer for workers to surrender their `GCWorker` structs.
pub fn prepare_surrender_buffer(&self) {
let mut state = self.state.lock().unwrap();
assert!(matches!(*state, Some(WorkerCreationState::Spawned)));
*state = Some(WorkerCreationState::Surrendered {
workers: Vec::with_capacity(self.worker_count()),
})
}
/// Return the `GCWorker` struct to the worker group.
/// This function returns `true` if all workers returned their `GCWorker` structs.
pub fn surrender_gc_worker(&self, worker: Box<GCWorker<VM>>) -> bool {
let mut state = self.state.lock().unwrap();
let WorkerCreationState::Surrendered { ref mut workers } = state.as_mut().unwrap() else {
panic!("GCWorker structs have not been created, yet.");
};
let ordinal = worker.ordinal;
workers.push(worker);
trace!(
"Worker {} surrendered. ({}/{})",
ordinal,
workers.len(),
self.worker_count()
);
workers.len() == self.worker_count()
}
/// Get the number of workers in the group
pub fn worker_count(&self) -> usize {
self.workers_shared.len()
}
/// Return true if there're any pending designated work
pub fn has_designated_work(&self) -> bool {
self.workers_shared
.iter()
.any(|w| !w.designated_work.is_empty())
}
/// Get the live bytes data from the worker, and clear the local data.
pub fn get_and_clear_worker_live_bytes(&self) -> [usize; MAX_SPACES] {
let mut ret = [0; MAX_SPACES];
self.workers_shared.iter().for_each(|w| {
let mut live_bytes_per_space = w.live_bytes_per_space.borrow_mut();
for (idx, val) in live_bytes_per_space.iter_mut().enumerate() {
ret[idx] += *val;
*val = 0;
}
});
ret
}
}