]> git.proxmox.com Git - rustc.git/blame - src/libproc_macro/bridge/handle.rs
New upstream version 1.42.0+dfsg1
[rustc.git] / src / libproc_macro / bridge / handle.rs
CommitLineData
a1dfa0c6
XL
1//! Server-side handles and storage for per-handle data.
2
3use std::collections::{BTreeMap, HashMap};
4use std::hash::Hash;
5use std::num::NonZeroU32;
6use std::ops::{Index, IndexMut};
7use std::sync::atomic::{AtomicUsize, Ordering};
8
9pub(super) type Handle = NonZeroU32;
10
11pub(super) struct OwnedStore<T: 'static> {
12 counter: &'static AtomicUsize,
13 data: BTreeMap<Handle, T>,
14}
15
16impl<T> OwnedStore<T> {
17 pub(super) fn new(counter: &'static AtomicUsize) -> Self {
18 // Ensure the handle counter isn't 0, which would panic later,
19 // when `NonZeroU32::new` (aka `Handle::new`) is called in `alloc`.
20 assert_ne!(counter.load(Ordering::SeqCst), 0);
21
dfeec247 22 OwnedStore { counter, data: BTreeMap::new() }
a1dfa0c6
XL
23 }
24}
25
26impl<T> OwnedStore<T> {
27 pub(super) fn alloc(&mut self, x: T) -> Handle {
28 let counter = self.counter.fetch_add(1, Ordering::SeqCst);
29 let handle = Handle::new(counter as u32).expect("`proc_macro` handle counter overflowed");
30 assert!(self.data.insert(handle, x).is_none());
31 handle
32 }
33
34 pub(super) fn take(&mut self, h: Handle) -> T {
dfeec247 35 self.data.remove(&h).expect("use-after-free in `proc_macro` handle")
a1dfa0c6
XL
36 }
37}
38
39impl<T> Index<Handle> for OwnedStore<T> {
40 type Output = T;
41 fn index(&self, h: Handle) -> &T {
dfeec247 42 self.data.get(&h).expect("use-after-free in `proc_macro` handle")
a1dfa0c6
XL
43 }
44}
45
46impl<T> IndexMut<Handle> for OwnedStore<T> {
47 fn index_mut(&mut self, h: Handle) -> &mut T {
dfeec247 48 self.data.get_mut(&h).expect("use-after-free in `proc_macro` handle")
a1dfa0c6
XL
49 }
50}
51
52pub(super) struct InternedStore<T: 'static> {
53 owned: OwnedStore<T>,
54 interner: HashMap<T, Handle>,
55}
56
57impl<T: Copy + Eq + Hash> InternedStore<T> {
58 pub(super) fn new(counter: &'static AtomicUsize) -> Self {
dfeec247 59 InternedStore { owned: OwnedStore::new(counter), interner: HashMap::new() }
a1dfa0c6
XL
60 }
61
62 pub(super) fn alloc(&mut self, x: T) -> Handle {
63 let owned = &mut self.owned;
64 *self.interner.entry(x).or_insert_with(|| owned.alloc(x))
65 }
66
67 pub(super) fn copy(&mut self, h: Handle) -> T {
68 self.owned[h]
69 }
70}