1use super::thread::Thread;
2use crate::cell::Cell;
3use crate::iter;
4use crate::sync::Arc;
56#[doc = r" A thread local linked list of spawn hooks."]
#[doc = r""]
#[doc =
r" It is a linked list of Arcs, such that it can very cheaply be inherited by spawned threads."]
#[doc = r""]
#[doc =
r" (That technically makes it a set of linked lists with shared tails, so a linked tree.)"]
const SPAWN_HOOKS: crate::thread::LocalKey<Cell<SpawnHooks>> =
{
const __RUST_STD_INTERNAL_INIT: Cell<SpawnHooks> =
{ Cell::new(SpawnHooks { first: None }) };
unsafe {
crate::thread::LocalKey::new(const {
if crate::mem::needs_drop::<Cell<SpawnHooks>>() {
|_|
{
#[thread_local]
static __RUST_STD_INTERNAL_VAL:
crate::thread::local_impl::EagerStorage<Cell<SpawnHooks>> =
crate::thread::local_impl::EagerStorage::new(__RUST_STD_INTERNAL_INIT);
__RUST_STD_INTERNAL_VAL.get()
}
} else {
|_|
{
#[thread_local]
static __RUST_STD_INTERNAL_VAL: Cell<SpawnHooks> =
__RUST_STD_INTERNAL_INIT;
&__RUST_STD_INTERNAL_VAL
}
}
})
}
};crate::thread_local! {
7/// A thread local linked list of spawn hooks.
8 ///
9 /// It is a linked list of Arcs, such that it can very cheaply be inherited by spawned threads.
10 ///
11 /// (That technically makes it a set of linked lists with shared tails, so a linked tree.)
12static SPAWN_HOOKS: Cell<SpawnHooks> = const { Cell::new(SpawnHooks { first: None }) };
13}1415#[derive(#[automatically_derived]
impl ::core::default::Default for SpawnHooks {
#[inline]
fn default() -> SpawnHooks {
SpawnHooks { first: ::core::default::Default::default() }
}
}Default, #[automatically_derived]
impl ::core::clone::Clone for SpawnHooks {
#[inline]
fn clone(&self) -> SpawnHooks {
SpawnHooks { first: ::core::clone::Clone::clone(&self.first) }
}
}Clone)]
16struct SpawnHooks {
17 first: Option<Arc<SpawnHook>>,
18}
1920// Manually implement drop to prevent deep recursion when dropping linked Arc list.
21impl Dropfor SpawnHooks {
22fn drop(&mut self) {
23let mut next = self.first.take();
24while let Some(SpawnHook { hook, next: n }) = next.and_then(|n| Arc::into_inner(n)) {
25 drop(hook);
26 next = n;
27 }
28 }
29}
3031struct SpawnHook {
32 hook: Box<dyn Send + Sync + Fn(&Thread) -> Box<dyn Send + FnOnce()>>,
33 next: Option<Arc<SpawnHook>>,
34}
3536/// Registers a function to run for every newly thread spawned.
37///
38/// The hook is executed in the parent thread, and returns a function
39/// that will be executed in the new thread.
40///
41/// The hook is called with the `Thread` handle for the new thread.
42///
43/// The hook will only be added for the current thread and is inherited by the threads it spawns.
44/// In other words, adding a hook has no effect on already running threads (other than the current
45/// thread) and the threads they might spawn in the future.
46///
47/// Hooks can only be added, not removed.
48///
49/// The hooks will run in reverse order, starting with the most recently added.
50///
51/// # Usage
52///
53/// ```
54/// #![feature(thread_spawn_hook)]
55///
56/// std::thread::add_spawn_hook(|_| {
57/// ..; // This will run in the parent (spawning) thread.
58/// move || {
59/// ..; // This will run it the child (spawned) thread.
60/// }
61/// });
62/// ```
63///
64/// # Example
65///
66/// A spawn hook can be used to "inherit" a thread local from the parent thread:
67///
68/// ```
69/// #![feature(thread_spawn_hook)]
70///
71/// use std::cell::Cell;
72///
73/// thread_local! {
74/// static X: Cell<u32> = Cell::new(0);
75/// }
76///
77/// // This needs to be done once in the main thread before spawning any threads.
78/// std::thread::add_spawn_hook(|_| {
79/// // Get the value of X in the spawning thread.
80/// let value = X.get();
81/// // Set the value of X in the newly spawned thread.
82/// move || X.set(value)
83/// });
84///
85/// X.set(123);
86///
87/// std::thread::spawn(|| {
88/// assert_eq!(X.get(), 123);
89/// }).join().unwrap();
90/// ```
91#[unstable(feature = "thread_spawn_hook", issue = "132951")]
92pub fn add_spawn_hook<F, G>(hook: F)
93where
94F: 'static + Send + Sync + Fn(&Thread) -> G,
95 G: 'static + Send + FnOnce(),
96{
97SPAWN_HOOKS.with(|h| {
98let mut hooks = h.take();
99let next = hooks.first.take();
100hooks.first = Some(Arc::new(SpawnHook {
101 hook: Box::new(move |thread| Box::new(hook(thread))),
102next,
103 }));
104h.set(hooks);
105 });
106}
107108/// Runs all the spawn hooks.
109///
110/// Called on the parent thread.
111///
112/// Returns the functions to be called on the newly spawned thread.
113pub(super) fn run_spawn_hooks(thread: &Thread) -> ChildSpawnHooks {
114// Get a snapshot of the spawn hooks.
115 // (Increments the refcount to the first node.)
116if let Ok(hooks) = SPAWN_HOOKS.try_with(|hooks| {
117let snapshot = hooks.take();
118hooks.set(snapshot.clone());
119snapshot120 }) {
121// Iterate over the hooks, run them, and collect the results in a vector.
122let to_run: Vec<_> = iter::successors(hooks.first.as_deref(), |hook| hook.next.as_deref())
123 .map(|hook| (hook.hook)(thread))
124 .collect();
125// Pass on the snapshot of the hooks and the results to the new thread,
126 // which will then run SpawnHookResults::run().
127ChildSpawnHooks { hooks, to_run }
128 } else {
129// TLS has been destroyed. Skip running the hooks.
130 // See https://github.com/rust-lang/rust/issues/138696
131ChildSpawnHooks::default()
132 }
133}
134135/// The results of running the spawn hooks.
136///
137/// This struct is sent to the new thread.
138/// It contains the inherited hooks and the closures to be run.
139#[derive(#[automatically_derived]
impl ::core::default::Default for ChildSpawnHooks {
#[inline]
fn default() -> ChildSpawnHooks {
ChildSpawnHooks {
hooks: ::core::default::Default::default(),
to_run: ::core::default::Default::default(),
}
}
}Default)]
140pub(super) struct ChildSpawnHooks {
141 hooks: SpawnHooks,
142 to_run: Vec<Box<dyn FnOnce() + Send>>,
143}
144145impl ChildSpawnHooks {
146// This is run on the newly spawned thread, directly at the start.
147pub(super) fn run(self) {
148SPAWN_HOOKS.set(self.hooks);
149for run in self.to_run {
150 run();
151 }
152 }
153}