]> git.lizzy.rs Git - rust.git/blob - src/librustc_data_structures/sync.rs
Auto merge of #65838 - estebank:resilient-recovery, r=Centril
[rust.git] / src / librustc_data_structures / sync.rs
1 //! This module defines types which are thread safe if cfg!(parallel_compiler) is true.
2 //!
3 //! `Lrc` is an alias of `Arc` if cfg!(parallel_compiler) is true, `Rc` otherwise.
4 //!
5 //! `Lock` is a mutex.
6 //! It internally uses `parking_lot::Mutex` if cfg!(parallel_compiler) is true,
7 //! `RefCell` otherwise.
8 //!
9 //! `RwLock` is a read-write lock.
10 //! It internally uses `parking_lot::RwLock` if cfg!(parallel_compiler) is true,
11 //! `RefCell` otherwise.
12 //!
13 //! `MTLock` is a mutex which disappears if cfg!(parallel_compiler) is false.
14 //!
15 //! `MTRef` is an immutable reference if cfg!(parallel_compiler), and a mutable reference otherwise.
16 //!
17 //! `rustc_erase_owner!` erases a OwningRef owner into Erased or Erased + Send + Sync
18 //! depending on the value of cfg!(parallel_compiler).
19
20 use std::collections::HashMap;
21 use std::hash::{Hash, BuildHasher};
22 use std::marker::PhantomData;
23 use std::ops::{Deref, DerefMut};
24 use crate::owning_ref::{Erased, OwningRef};
25
26 pub use std::sync::atomic::Ordering::SeqCst;
27 pub use std::sync::atomic::Ordering;
28
29 cfg_if! {
30     if #[cfg(not(parallel_compiler))] {
31         pub auto trait Send {}
32         pub auto trait Sync {}
33
34         impl<T: ?Sized> Send for T {}
35         impl<T: ?Sized> Sync for T {}
36
37         #[macro_export]
38         macro_rules! rustc_erase_owner {
39             ($v:expr) => {
40                 $v.erase_owner()
41             }
42         }
43
44         use std::ops::Add;
45         use std::panic::{resume_unwind, catch_unwind, AssertUnwindSafe};
46
47         /// This is a single threaded variant of AtomicCell provided by crossbeam.
48         /// Unlike `Atomic` this is intended for all `Copy` types,
49         /// but it lacks the explicit ordering arguments.
50         #[derive(Debug)]
51         pub struct AtomicCell<T: Copy>(Cell<T>);
52
53         impl<T: Copy> AtomicCell<T> {
54             #[inline]
55             pub fn new(v: T) -> Self {
56                 AtomicCell(Cell::new(v))
57             }
58
59             #[inline]
60             pub fn get_mut(&mut self) -> &mut T {
61                 self.0.get_mut()
62             }
63         }
64
65         impl<T: Copy> AtomicCell<T> {
66             #[inline]
67             pub fn into_inner(self) -> T {
68                 self.0.into_inner()
69             }
70
71             #[inline]
72             pub fn load(&self) -> T {
73                 self.0.get()
74             }
75
76             #[inline]
77             pub fn store(&self, val: T) {
78                 self.0.set(val)
79             }
80
81             #[inline]
82             pub fn swap(&self, val: T) -> T {
83                 self.0.replace(val)
84             }
85         }
86
87         /// This is a single threaded variant of `AtomicU64`, `AtomicUsize`, etc.
88         /// It differs from `AtomicCell` in that it has explicit ordering arguments
89         /// and is only intended for use with the native atomic types.
90         /// You should use this type through the `AtomicU64`, `AtomicUsize`, etc, type aliases
91         /// as it's not intended to be used separately.
92         #[derive(Debug)]
93         pub struct Atomic<T: Copy>(Cell<T>);
94
95         impl<T: Copy> Atomic<T> {
96             #[inline]
97             pub fn new(v: T) -> Self {
98                 Atomic(Cell::new(v))
99             }
100         }
101
102         impl<T: Copy> Atomic<T> {
103             #[inline]
104             pub fn into_inner(self) -> T {
105                 self.0.into_inner()
106             }
107
108             #[inline]
109             pub fn load(&self, _: Ordering) -> T {
110                 self.0.get()
111             }
112
113             #[inline]
114             pub fn store(&self, val: T, _: Ordering) {
115                 self.0.set(val)
116             }
117
118             #[inline]
119             pub fn swap(&self, val: T, _: Ordering) -> T {
120                 self.0.replace(val)
121             }
122         }
123
124         impl<T: Copy + PartialEq> Atomic<T> {
125             #[inline]
126             pub fn compare_exchange(&self,
127                                     current: T,
128                                     new: T,
129                                     _: Ordering,
130                                     _: Ordering)
131                                     -> Result<T, T> {
132                 let read = self.0.get();
133                 if read == current {
134                     self.0.set(new);
135                     Ok(read)
136                 } else {
137                     Err(read)
138                 }
139             }
140         }
141
142         impl<T: Add<Output=T> + Copy> Atomic<T> {
143             #[inline]
144             pub fn fetch_add(&self, val: T, _: Ordering) -> T {
145                 let old = self.0.get();
146                 self.0.set(old + val);
147                 old
148             }
149         }
150
151         pub type AtomicUsize = Atomic<usize>;
152         pub type AtomicBool = Atomic<bool>;
153         pub type AtomicU32 = Atomic<u32>;
154         pub type AtomicU64 = Atomic<u64>;
155
156         pub fn join<A, B, RA, RB>(oper_a: A, oper_b: B) -> (RA, RB)
157             where A: FnOnce() -> RA,
158                   B: FnOnce() -> RB
159         {
160             (oper_a(), oper_b())
161         }
162
163         pub struct SerialScope;
164
165         impl SerialScope {
166             pub fn spawn<F>(&self, f: F)
167                 where F: FnOnce(&SerialScope)
168             {
169                 f(self)
170             }
171         }
172
173         pub fn scope<F, R>(f: F) -> R
174             where F: FnOnce(&SerialScope) -> R
175         {
176             f(&SerialScope)
177         }
178
179         #[macro_export]
180         macro_rules! parallel {
181             ($($blocks:tt),*) => {
182                 // We catch panics here ensuring that all the blocks execute.
183                 // This makes behavior consistent with the parallel compiler.
184                 let mut panic = None;
185                 $(
186                     if let Err(p) = ::std::panic::catch_unwind(
187                         ::std::panic::AssertUnwindSafe(|| $blocks)
188                     ) {
189                         if panic.is_none() {
190                             panic = Some(p);
191                         }
192                     }
193                 )*
194                 if let Some(panic) = panic {
195                     ::std::panic::resume_unwind(panic);
196                 }
197             }
198         }
199
200         pub use std::iter::Iterator as ParallelIterator;
201
202         pub fn par_iter<T: IntoIterator>(t: T) -> T::IntoIter {
203             t.into_iter()
204         }
205
206         pub fn par_for_each_in<T: IntoIterator>(
207             t: T,
208             for_each:
209                 impl Fn(<<T as IntoIterator>::IntoIter as Iterator>::Item) + Sync + Send
210         ) {
211             // We catch panics here ensuring that all the loop iterations execute.
212             // This makes behavior consistent with the parallel compiler.
213             let mut panic = None;
214             t.into_iter().for_each(|i| {
215                 if let Err(p) = catch_unwind(AssertUnwindSafe(|| for_each(i))) {
216                     if panic.is_none() {
217                         panic = Some(p);
218                     }
219                 }
220             });
221             if let Some(panic) = panic {
222                 resume_unwind(panic);
223             }
224         }
225
226         pub type MetadataRef = OwningRef<Box<dyn Erased>, [u8]>;
227
228         pub use std::rc::Rc as Lrc;
229         pub use std::rc::Weak as Weak;
230         pub use std::cell::Ref as ReadGuard;
231         pub use std::cell::Ref as MappedReadGuard;
232         pub use std::cell::RefMut as WriteGuard;
233         pub use std::cell::RefMut as MappedWriteGuard;
234         pub use std::cell::RefMut as LockGuard;
235         pub use std::cell::RefMut as MappedLockGuard;
236
237         use std::cell::RefCell as InnerRwLock;
238         use std::cell::RefCell as InnerLock;
239
240         use std::cell::Cell;
241
242         #[derive(Debug)]
243         pub struct WorkerLocal<T>(OneThread<T>);
244
245         impl<T> WorkerLocal<T> {
246             /// Creates a new worker local where the `initial` closure computes the
247             /// value this worker local should take for each thread in the thread pool.
248             #[inline]
249             pub fn new<F: FnMut(usize) -> T>(mut f: F) -> WorkerLocal<T> {
250                 WorkerLocal(OneThread::new(f(0)))
251             }
252
253             /// Returns the worker-local value for each thread
254             #[inline]
255             pub fn into_inner(self) -> Vec<T> {
256                 vec![OneThread::into_inner(self.0)]
257             }
258         }
259
260         impl<T> Deref for WorkerLocal<T> {
261             type Target = T;
262
263             #[inline(always)]
264             fn deref(&self) -> &T {
265                 &*self.0
266             }
267         }
268
269         pub type MTRef<'a, T> = &'a mut T;
270
271         #[derive(Debug, Default)]
272         pub struct MTLock<T>(T);
273
274         impl<T> MTLock<T> {
275             #[inline(always)]
276             pub fn new(inner: T) -> Self {
277                 MTLock(inner)
278             }
279
280             #[inline(always)]
281             pub fn into_inner(self) -> T {
282                 self.0
283             }
284
285             #[inline(always)]
286             pub fn get_mut(&mut self) -> &mut T {
287                 &mut self.0
288             }
289
290             #[inline(always)]
291             pub fn lock(&self) -> &T {
292                 &self.0
293             }
294
295             #[inline(always)]
296             pub fn lock_mut(&mut self) -> &mut T {
297                 &mut self.0
298             }
299         }
300
301         // FIXME: Probably a bad idea (in the threaded case)
302         impl<T: Clone> Clone for MTLock<T> {
303             #[inline]
304             fn clone(&self) -> Self {
305                 MTLock(self.0.clone())
306             }
307         }
308     } else {
309         pub use std::marker::Send as Send;
310         pub use std::marker::Sync as Sync;
311
312         pub use parking_lot::RwLockReadGuard as ReadGuard;
313         pub use parking_lot::MappedRwLockReadGuard as MappedReadGuard;
314         pub use parking_lot::RwLockWriteGuard as WriteGuard;
315         pub use parking_lot::MappedRwLockWriteGuard as MappedWriteGuard;
316
317         pub use parking_lot::MutexGuard as LockGuard;
318         pub use parking_lot::MappedMutexGuard as MappedLockGuard;
319
320         pub use std::sync::atomic::{AtomicBool, AtomicUsize, AtomicU32, AtomicU64};
321
322         pub use crossbeam_utils::atomic::AtomicCell;
323
324         pub use std::sync::Arc as Lrc;
325         pub use std::sync::Weak as Weak;
326
327         pub type MTRef<'a, T> = &'a T;
328
329         #[derive(Debug, Default)]
330         pub struct MTLock<T>(Lock<T>);
331
332         impl<T> MTLock<T> {
333             #[inline(always)]
334             pub fn new(inner: T) -> Self {
335                 MTLock(Lock::new(inner))
336             }
337
338             #[inline(always)]
339             pub fn into_inner(self) -> T {
340                 self.0.into_inner()
341             }
342
343             #[inline(always)]
344             pub fn get_mut(&mut self) -> &mut T {
345                 self.0.get_mut()
346             }
347
348             #[inline(always)]
349             pub fn lock(&self) -> LockGuard<'_, T> {
350                 self.0.lock()
351             }
352
353             #[inline(always)]
354             pub fn lock_mut(&self) -> LockGuard<'_, T> {
355                 self.lock()
356             }
357         }
358
359         use parking_lot::Mutex as InnerLock;
360         use parking_lot::RwLock as InnerRwLock;
361
362         use std;
363         use std::thread;
364         pub use rayon::{join, scope};
365
366         /// Runs a list of blocks in parallel. The first block is executed immediately on
367         /// the current thread. Use that for the longest running block.
368         #[macro_export]
369         macro_rules! parallel {
370             (impl $fblock:tt [$($c:tt,)*] [$block:tt $(, $rest:tt)*]) => {
371                 parallel!(impl $fblock [$block, $($c,)*] [$($rest),*])
372             };
373             (impl $fblock:tt [$($blocks:tt,)*] []) => {
374                 ::rustc_data_structures::sync::scope(|s| {
375                     $(
376                         s.spawn(|_| $blocks);
377                     )*
378                     $fblock;
379                 })
380             };
381             ($fblock:tt, $($blocks:tt),*) => {
382                 // Reverse the order of the later blocks since Rayon executes them in reverse order
383                 // when using a single thread. This ensures the execution order matches that
384                 // of a single threaded rustc
385                 parallel!(impl $fblock [] [$($blocks),*]);
386             };
387         }
388
389         pub use rayon_core::WorkerLocal;
390
391         pub use rayon::iter::ParallelIterator;
392         use rayon::iter::IntoParallelIterator;
393
394         pub fn par_iter<T: IntoParallelIterator>(t: T) -> T::Iter {
395             t.into_par_iter()
396         }
397
398         pub fn par_for_each_in<T: IntoParallelIterator>(
399             t: T,
400             for_each: impl Fn(
401                 <<T as IntoParallelIterator>::Iter as ParallelIterator>::Item
402             ) + Sync + Send
403         ) {
404             t.into_par_iter().for_each(for_each)
405         }
406
407         pub type MetadataRef = OwningRef<Box<dyn Erased + Send + Sync>, [u8]>;
408
409         /// This makes locks panic if they are already held.
410         /// It is only useful when you are running in a single thread
411         const ERROR_CHECKING: bool = false;
412
413         #[macro_export]
414         macro_rules! rustc_erase_owner {
415             ($v:expr) => {{
416                 let v = $v;
417                 ::rustc_data_structures::sync::assert_send_val(&v);
418                 v.erase_send_sync_owner()
419             }}
420         }
421     }
422 }
423
424 pub fn assert_sync<T: ?Sized + Sync>() {}
425 pub fn assert_send<T: ?Sized + Send>() {}
426 pub fn assert_send_val<T: ?Sized + Send>(_t: &T) {}
427 pub fn assert_send_sync_val<T: ?Sized + Sync + Send>(_t: &T) {}
428
429 pub trait HashMapExt<K, V> {
430     /// Same as HashMap::insert, but it may panic if there's already an
431     /// entry for `key` with a value not equal to `value`
432     fn insert_same(&mut self, key: K, value: V);
433 }
434
435 impl<K: Eq + Hash, V: Eq, S: BuildHasher> HashMapExt<K, V> for HashMap<K, V, S> {
436     fn insert_same(&mut self, key: K, value: V) {
437         self.entry(key).and_modify(|old| assert!(*old == value)).or_insert(value);
438     }
439 }
440
441 /// A type whose inner value can be written once and then will stay read-only
442 // This contains a PhantomData<T> since this type conceptually owns a T outside the Mutex once
443 // initialized. This ensures that Once<T> is Sync only if T is. If we did not have PhantomData<T>
444 // we could send a &Once<Cell<bool>> to multiple threads and call `get` on it to get access
445 // to &Cell<bool> on those threads.
446 pub struct Once<T>(Lock<Option<T>>, PhantomData<T>);
447
448 impl<T> Once<T> {
449     /// Creates an Once value which is uninitialized
450     #[inline(always)]
451     pub fn new() -> Self {
452         Once(Lock::new(None), PhantomData)
453     }
454
455     /// Consumes the value and returns Some(T) if it was initialized
456     #[inline(always)]
457     pub fn into_inner(self) -> Option<T> {
458         self.0.into_inner()
459     }
460
461     /// Tries to initialize the inner value to `value`.
462     /// Returns `None` if the inner value was uninitialized and `value` was consumed setting it
463     /// otherwise if the inner value was already set it returns `value` back to the caller
464     #[inline]
465     pub fn try_set(&self, value: T) -> Option<T> {
466         let mut lock = self.0.lock();
467         if lock.is_some() {
468             return Some(value);
469         }
470         *lock = Some(value);
471         None
472     }
473
474     /// Tries to initialize the inner value to `value`.
475     /// Returns `None` if the inner value was uninitialized and `value` was consumed setting it
476     /// otherwise if the inner value was already set it asserts that `value` is equal to the inner
477     /// value and then returns `value` back to the caller
478     #[inline]
479     pub fn try_set_same(&self, value: T) -> Option<T> where T: Eq {
480         let mut lock = self.0.lock();
481         if let Some(ref inner) = *lock {
482             assert!(*inner == value);
483             return Some(value);
484         }
485         *lock = Some(value);
486         None
487     }
488
489     /// Tries to initialize the inner value to `value` and panics if it was already initialized
490     #[inline]
491     pub fn set(&self, value: T) {
492         assert!(self.try_set(value).is_none());
493     }
494
495     /// Initializes the inner value if it wasn't already done by calling the provided closure. It
496     /// ensures that no-one else can access the value in the mean time by holding a lock for the
497     /// duration of the closure.
498     /// A reference to the inner value is returned.
499     #[inline]
500     pub fn init_locking<F: FnOnce() -> T>(&self, f: F) -> &T {
501         {
502             let mut lock = self.0.lock();
503             if lock.is_none() {
504                 *lock = Some(f());
505             }
506         }
507
508         self.borrow()
509     }
510
511     /// Tries to initialize the inner value by calling the closure without ensuring that no-one
512     /// else can access it. This mean when this is called from multiple threads, multiple
513     /// closures may concurrently be computing a value which the inner value should take.
514     /// Only one of these closures are used to actually initialize the value.
515     /// If some other closure already set the value,
516     /// we return the value our closure computed wrapped in a `Option`.
517     /// If our closure set the value, `None` is returned.
518     /// If the value is already initialized, the closure is not called and `None` is returned.
519     #[inline]
520     pub fn init_nonlocking<F: FnOnce() -> T>(&self, f: F) -> Option<T> {
521         if self.0.lock().is_some() {
522             None
523         } else {
524             self.try_set(f())
525         }
526     }
527
528     /// Tries to initialize the inner value by calling the closure without ensuring that no-one
529     /// else can access it. This mean when this is called from multiple threads, multiple
530     /// closures may concurrently be computing a value which the inner value should take.
531     /// Only one of these closures are used to actually initialize the value.
532     /// If some other closure already set the value, we assert that it our closure computed
533     /// a value equal to the value already set and then
534     /// we return the value our closure computed wrapped in a `Option`.
535     /// If our closure set the value, `None` is returned.
536     /// If the value is already initialized, the closure is not called and `None` is returned.
537     #[inline]
538     pub fn init_nonlocking_same<F: FnOnce() -> T>(&self, f: F) -> Option<T> where T: Eq {
539         if self.0.lock().is_some() {
540             None
541         } else {
542             self.try_set_same(f())
543         }
544     }
545
546     /// Tries to get a reference to the inner value, returns `None` if it is not yet initialized
547     #[inline(always)]
548     pub fn try_get(&self) -> Option<&T> {
549         let lock = &*self.0.lock();
550         if let Some(ref inner) = *lock {
551             // This is safe since we won't mutate the inner value
552             unsafe { Some(&*(inner as *const T)) }
553         } else {
554             None
555         }
556     }
557
558     /// Gets reference to the inner value, panics if it is not yet initialized
559     #[inline(always)]
560     pub fn get(&self) -> &T {
561         self.try_get().expect("value was not set")
562     }
563
564     /// Gets reference to the inner value, panics if it is not yet initialized
565     #[inline(always)]
566     pub fn borrow(&self) -> &T {
567         self.get()
568     }
569 }
570
571 #[derive(Debug)]
572 pub struct Lock<T>(InnerLock<T>);
573
574 impl<T> Lock<T> {
575     #[inline(always)]
576     pub fn new(inner: T) -> Self {
577         Lock(InnerLock::new(inner))
578     }
579
580     #[inline(always)]
581     pub fn into_inner(self) -> T {
582         self.0.into_inner()
583     }
584
585     #[inline(always)]
586     pub fn get_mut(&mut self) -> &mut T {
587         self.0.get_mut()
588     }
589
590     #[cfg(parallel_compiler)]
591     #[inline(always)]
592     pub fn try_lock(&self) -> Option<LockGuard<'_, T>> {
593         self.0.try_lock()
594     }
595
596     #[cfg(not(parallel_compiler))]
597     #[inline(always)]
598     pub fn try_lock(&self) -> Option<LockGuard<'_, T>> {
599         self.0.try_borrow_mut().ok()
600     }
601
602     #[cfg(parallel_compiler)]
603     #[inline(always)]
604     pub fn lock(&self) -> LockGuard<'_, T> {
605         if ERROR_CHECKING {
606             self.0.try_lock().expect("lock was already held")
607         } else {
608             self.0.lock()
609         }
610     }
611
612     #[cfg(not(parallel_compiler))]
613     #[inline(always)]
614     pub fn lock(&self) -> LockGuard<'_, T> {
615         self.0.borrow_mut()
616     }
617
618     #[inline(always)]
619     pub fn with_lock<F: FnOnce(&mut T) -> R, R>(&self, f: F) -> R {
620         f(&mut *self.lock())
621     }
622
623     #[inline(always)]
624     pub fn borrow(&self) -> LockGuard<'_, T> {
625         self.lock()
626     }
627
628     #[inline(always)]
629     pub fn borrow_mut(&self) -> LockGuard<'_, T> {
630         self.lock()
631     }
632 }
633
634 impl<T: Default> Default for Lock<T> {
635     #[inline]
636     fn default() -> Self {
637         Lock::new(T::default())
638     }
639 }
640
641 // FIXME: Probably a bad idea
642 impl<T: Clone> Clone for Lock<T> {
643     #[inline]
644     fn clone(&self) -> Self {
645         Lock::new(self.borrow().clone())
646     }
647 }
648
649 #[derive(Debug)]
650 pub struct RwLock<T>(InnerRwLock<T>);
651
652 impl<T> RwLock<T> {
653     #[inline(always)]
654     pub fn new(inner: T) -> Self {
655         RwLock(InnerRwLock::new(inner))
656     }
657
658     #[inline(always)]
659     pub fn into_inner(self) -> T {
660         self.0.into_inner()
661     }
662
663     #[inline(always)]
664     pub fn get_mut(&mut self) -> &mut T {
665         self.0.get_mut()
666     }
667
668     #[cfg(not(parallel_compiler))]
669     #[inline(always)]
670     pub fn read(&self) -> ReadGuard<'_, T> {
671         self.0.borrow()
672     }
673
674     #[cfg(parallel_compiler)]
675     #[inline(always)]
676     pub fn read(&self) -> ReadGuard<'_, T> {
677         if ERROR_CHECKING {
678             self.0.try_read().expect("lock was already held")
679         } else {
680             self.0.read()
681         }
682     }
683
684     #[inline(always)]
685     pub fn with_read_lock<F: FnOnce(&T) -> R, R>(&self, f: F) -> R {
686         f(&*self.read())
687     }
688
689     #[cfg(not(parallel_compiler))]
690     #[inline(always)]
691     pub fn try_write(&self) -> Result<WriteGuard<'_, T>, ()> {
692         self.0.try_borrow_mut().map_err(|_| ())
693     }
694
695     #[cfg(parallel_compiler)]
696     #[inline(always)]
697     pub fn try_write(&self) -> Result<WriteGuard<'_, T>, ()> {
698         self.0.try_write().ok_or(())
699     }
700
701     #[cfg(not(parallel_compiler))]
702     #[inline(always)]
703     pub fn write(&self) -> WriteGuard<'_, T> {
704         self.0.borrow_mut()
705     }
706
707     #[cfg(parallel_compiler)]
708     #[inline(always)]
709     pub fn write(&self) -> WriteGuard<'_, T> {
710         if ERROR_CHECKING {
711             self.0.try_write().expect("lock was already held")
712         } else {
713             self.0.write()
714         }
715     }
716
717     #[inline(always)]
718     pub fn with_write_lock<F: FnOnce(&mut T) -> R, R>(&self, f: F) -> R {
719         f(&mut *self.write())
720     }
721
722     #[inline(always)]
723     pub fn borrow(&self) -> ReadGuard<'_, T> {
724         self.read()
725     }
726
727     #[inline(always)]
728     pub fn borrow_mut(&self) -> WriteGuard<'_, T> {
729         self.write()
730     }
731 }
732
733 // FIXME: Probably a bad idea
734 impl<T: Clone> Clone for RwLock<T> {
735     #[inline]
736     fn clone(&self) -> Self {
737         RwLock::new(self.borrow().clone())
738     }
739 }
740
741 /// A type which only allows its inner value to be used in one thread.
742 /// It will panic if it is used on multiple threads.
743 #[derive(Debug)]
744 pub struct OneThread<T> {
745     #[cfg(parallel_compiler)]
746     thread: thread::ThreadId,
747     inner: T,
748 }
749
750 #[cfg(parallel_compiler)]
751 unsafe impl<T> std::marker::Sync for OneThread<T> {}
752 #[cfg(parallel_compiler)]
753 unsafe impl<T> std::marker::Send for OneThread<T> {}
754
755 impl<T> OneThread<T> {
756     #[inline(always)]
757     fn check(&self) {
758         #[cfg(parallel_compiler)]
759         assert_eq!(thread::current().id(), self.thread);
760     }
761
762     #[inline(always)]
763     pub fn new(inner: T) -> Self {
764         OneThread {
765             #[cfg(parallel_compiler)]
766             thread: thread::current().id(),
767             inner,
768         }
769     }
770
771     #[inline(always)]
772     pub fn into_inner(value: Self) -> T {
773         value.check();
774         value.inner
775     }
776 }
777
778 impl<T> Deref for OneThread<T> {
779     type Target = T;
780
781     fn deref(&self) -> &T {
782         self.check();
783         &self.inner
784     }
785 }
786
787 impl<T> DerefMut for OneThread<T> {
788     fn deref_mut(&mut self) -> &mut T {
789         self.check();
790         &mut self.inner
791     }
792 }