]> git.lizzy.rs Git - rust.git/blob - src/librustc_data_structures/sync.rs
Auto merge of #68248 - JohnTitor:rollup-x0kml5f, r=JohnTitor
[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 crate::owning_ref::{Erased, OwningRef};
21 use std::collections::HashMap;
22 use std::hash::{BuildHasher, Hash};
23 use std::marker::PhantomData;
24 use std::ops::{Deref, DerefMut};
25
26 pub use std::sync::atomic::Ordering;
27 pub use std::sync::atomic::Ordering::SeqCst;
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>
480     where
481         T: Eq,
482     {
483         let mut lock = self.0.lock();
484         if let Some(ref inner) = *lock {
485             assert!(*inner == value);
486             return Some(value);
487         }
488         *lock = Some(value);
489         None
490     }
491
492     /// Tries to initialize the inner value to `value` and panics if it was already initialized
493     #[inline]
494     pub fn set(&self, value: T) {
495         assert!(self.try_set(value).is_none());
496     }
497
498     /// Initializes the inner value if it wasn't already done by calling the provided closure. It
499     /// ensures that no-one else can access the value in the mean time by holding a lock for the
500     /// duration of the closure.
501     /// A reference to the inner value is returned.
502     #[inline]
503     pub fn init_locking<F: FnOnce() -> T>(&self, f: F) -> &T {
504         {
505             let mut lock = self.0.lock();
506             if lock.is_none() {
507                 *lock = Some(f());
508             }
509         }
510
511         self.borrow()
512     }
513
514     /// Tries to initialize the inner value by calling the closure without ensuring that no-one
515     /// else can access it. This mean when this is called from multiple threads, multiple
516     /// closures may concurrently be computing a value which the inner value should take.
517     /// Only one of these closures are used to actually initialize the value.
518     /// If some other closure already set the value,
519     /// we return the value our closure computed wrapped in a `Option`.
520     /// If our closure set the value, `None` is returned.
521     /// If the value is already initialized, the closure is not called and `None` is returned.
522     #[inline]
523     pub fn init_nonlocking<F: FnOnce() -> T>(&self, f: F) -> Option<T> {
524         if self.0.lock().is_some() { None } else { self.try_set(f()) }
525     }
526
527     /// Tries to initialize the inner value by calling the closure without ensuring that no-one
528     /// else can access it. This mean when this is called from multiple threads, multiple
529     /// closures may concurrently be computing a value which the inner value should take.
530     /// Only one of these closures are used to actually initialize the value.
531     /// If some other closure already set the value, we assert that it our closure computed
532     /// a value equal to the value already set and then
533     /// we return the value our closure computed wrapped in a `Option`.
534     /// If our closure set the value, `None` is returned.
535     /// If the value is already initialized, the closure is not called and `None` is returned.
536     #[inline]
537     pub fn init_nonlocking_same<F: FnOnce() -> T>(&self, f: F) -> Option<T>
538     where
539         T: Eq,
540     {
541         if self.0.lock().is_some() { None } else { self.try_set_same(f()) }
542     }
543
544     /// Tries to get a reference to the inner value, returns `None` if it is not yet initialized
545     #[inline(always)]
546     pub fn try_get(&self) -> Option<&T> {
547         let lock = &*self.0.lock();
548         if let Some(ref inner) = *lock {
549             // This is safe since we won't mutate the inner value
550             unsafe { Some(&*(inner as *const T)) }
551         } else {
552             None
553         }
554     }
555
556     /// Gets reference to the inner value, panics if it is not yet initialized
557     #[inline(always)]
558     pub fn get(&self) -> &T {
559         self.try_get().expect("value was not set")
560     }
561
562     /// Gets reference to the inner value, panics if it is not yet initialized
563     #[inline(always)]
564     pub fn borrow(&self) -> &T {
565         self.get()
566     }
567 }
568
569 #[derive(Debug)]
570 pub struct Lock<T>(InnerLock<T>);
571
572 impl<T> Lock<T> {
573     #[inline(always)]
574     pub fn new(inner: T) -> Self {
575         Lock(InnerLock::new(inner))
576     }
577
578     #[inline(always)]
579     pub fn into_inner(self) -> T {
580         self.0.into_inner()
581     }
582
583     #[inline(always)]
584     pub fn get_mut(&mut self) -> &mut T {
585         self.0.get_mut()
586     }
587
588     #[cfg(parallel_compiler)]
589     #[inline(always)]
590     pub fn try_lock(&self) -> Option<LockGuard<'_, T>> {
591         self.0.try_lock()
592     }
593
594     #[cfg(not(parallel_compiler))]
595     #[inline(always)]
596     pub fn try_lock(&self) -> Option<LockGuard<'_, T>> {
597         self.0.try_borrow_mut().ok()
598     }
599
600     #[cfg(parallel_compiler)]
601     #[inline(always)]
602     pub fn lock(&self) -> LockGuard<'_, T> {
603         if ERROR_CHECKING {
604             self.0.try_lock().expect("lock was already held")
605         } else {
606             self.0.lock()
607         }
608     }
609
610     #[cfg(not(parallel_compiler))]
611     #[inline(always)]
612     pub fn lock(&self) -> LockGuard<'_, T> {
613         self.0.borrow_mut()
614     }
615
616     #[inline(always)]
617     pub fn with_lock<F: FnOnce(&mut T) -> R, R>(&self, f: F) -> R {
618         f(&mut *self.lock())
619     }
620
621     #[inline(always)]
622     pub fn borrow(&self) -> LockGuard<'_, T> {
623         self.lock()
624     }
625
626     #[inline(always)]
627     pub fn borrow_mut(&self) -> LockGuard<'_, T> {
628         self.lock()
629     }
630 }
631
632 impl<T: Default> Default for Lock<T> {
633     #[inline]
634     fn default() -> Self {
635         Lock::new(T::default())
636     }
637 }
638
639 // FIXME: Probably a bad idea
640 impl<T: Clone> Clone for Lock<T> {
641     #[inline]
642     fn clone(&self) -> Self {
643         Lock::new(self.borrow().clone())
644     }
645 }
646
647 #[derive(Debug)]
648 pub struct RwLock<T>(InnerRwLock<T>);
649
650 impl<T> RwLock<T> {
651     #[inline(always)]
652     pub fn new(inner: T) -> Self {
653         RwLock(InnerRwLock::new(inner))
654     }
655
656     #[inline(always)]
657     pub fn into_inner(self) -> T {
658         self.0.into_inner()
659     }
660
661     #[inline(always)]
662     pub fn get_mut(&mut self) -> &mut T {
663         self.0.get_mut()
664     }
665
666     #[cfg(not(parallel_compiler))]
667     #[inline(always)]
668     pub fn read(&self) -> ReadGuard<'_, T> {
669         self.0.borrow()
670     }
671
672     #[cfg(parallel_compiler)]
673     #[inline(always)]
674     pub fn read(&self) -> ReadGuard<'_, T> {
675         if ERROR_CHECKING {
676             self.0.try_read().expect("lock was already held")
677         } else {
678             self.0.read()
679         }
680     }
681
682     #[inline(always)]
683     pub fn with_read_lock<F: FnOnce(&T) -> R, R>(&self, f: F) -> R {
684         f(&*self.read())
685     }
686
687     #[cfg(not(parallel_compiler))]
688     #[inline(always)]
689     pub fn try_write(&self) -> Result<WriteGuard<'_, T>, ()> {
690         self.0.try_borrow_mut().map_err(|_| ())
691     }
692
693     #[cfg(parallel_compiler)]
694     #[inline(always)]
695     pub fn try_write(&self) -> Result<WriteGuard<'_, T>, ()> {
696         self.0.try_write().ok_or(())
697     }
698
699     #[cfg(not(parallel_compiler))]
700     #[inline(always)]
701     pub fn write(&self) -> WriteGuard<'_, T> {
702         self.0.borrow_mut()
703     }
704
705     #[cfg(parallel_compiler)]
706     #[inline(always)]
707     pub fn write(&self) -> WriteGuard<'_, T> {
708         if ERROR_CHECKING {
709             self.0.try_write().expect("lock was already held")
710         } else {
711             self.0.write()
712         }
713     }
714
715     #[inline(always)]
716     pub fn with_write_lock<F: FnOnce(&mut T) -> R, R>(&self, f: F) -> R {
717         f(&mut *self.write())
718     }
719
720     #[inline(always)]
721     pub fn borrow(&self) -> ReadGuard<'_, T> {
722         self.read()
723     }
724
725     #[inline(always)]
726     pub fn borrow_mut(&self) -> WriteGuard<'_, T> {
727         self.write()
728     }
729 }
730
731 // FIXME: Probably a bad idea
732 impl<T: Clone> Clone for RwLock<T> {
733     #[inline]
734     fn clone(&self) -> Self {
735         RwLock::new(self.borrow().clone())
736     }
737 }
738
739 /// A type which only allows its inner value to be used in one thread.
740 /// It will panic if it is used on multiple threads.
741 #[derive(Debug)]
742 pub struct OneThread<T> {
743     #[cfg(parallel_compiler)]
744     thread: thread::ThreadId,
745     inner: T,
746 }
747
748 #[cfg(parallel_compiler)]
749 unsafe impl<T> std::marker::Sync for OneThread<T> {}
750 #[cfg(parallel_compiler)]
751 unsafe impl<T> std::marker::Send for OneThread<T> {}
752
753 impl<T> OneThread<T> {
754     #[inline(always)]
755     fn check(&self) {
756         #[cfg(parallel_compiler)]
757         assert_eq!(thread::current().id(), self.thread);
758     }
759
760     #[inline(always)]
761     pub fn new(inner: T) -> Self {
762         OneThread {
763             #[cfg(parallel_compiler)]
764             thread: thread::current().id(),
765             inner,
766         }
767     }
768
769     #[inline(always)]
770     pub fn into_inner(value: Self) -> T {
771         value.check();
772         value.inner
773     }
774 }
775
776 impl<T> Deref for OneThread<T> {
777     type Target = T;
778
779     fn deref(&self) -> &T {
780         self.check();
781         &self.inner
782     }
783 }
784
785 impl<T> DerefMut for OneThread<T> {
786     fn deref_mut(&mut self) -> &mut T {
787         self.check();
788         &mut self.inner
789     }
790 }