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
use crate::*;

use std::mem::MaybeUninit;
use std::str::FromStr;
use std::sync::Once;

/// A interned string in the global symbol table.
///
/// This requires the `global` feature on the crate.
///
/// [`GlobalSymbol`] is a wrapper around [`Symbol`] that knows to refer to a
/// built-in, global [`SymbolTable`]. Strings into the global table are never freed.
///
/// This enables a lot of convience methods and trait implementations over
/// [`GlobalSymbol`] (see below). In particular,
///   you can convert it to `&'static str`,
///   convert [`From`] and [`Into`] a `&str`,
///   and de/serialize using [`serde`](https://serde.rs) if the `serde` feature is enabled.
#[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
#[cfg_attr(feature = "serde", serde(from = "&str", into = "&'static str"))]
pub struct GlobalSymbol(Symbol);

fn singleton() -> &'static SymbolTable {
    static mut SINGLETON: MaybeUninit<SymbolTable> = MaybeUninit::uninit();
    static ONCE: Once = Once::new();

    // SAFETY:
    // - writing to the singleton is OK because we only do it one time
    // - the ONCE guarantees that SINGLETON is init'ed before assume_init_ref
    unsafe {
        ONCE.call_once(|| {
            SINGLETON.write(SymbolTable::new());
        });
        SINGLETON.assume_init_ref()
    }
}

impl GlobalSymbol {
    /// Intern a string into the global symbol table.
    pub fn new(s: impl AsRef<str>) -> Self {
        s.as_ref().into()
    }

    /// Convert this symbol into the string in the static, global symbol table.
    pub fn as_str(&self) -> &'static str {
        (*self).into()
    }
}

impl From<&str> for GlobalSymbol {
    fn from(s: &str) -> Self {
        GlobalSymbol(singleton().intern(s))
    }
}

impl From<String> for GlobalSymbol {
    fn from(s: String) -> Self {
        GlobalSymbol(singleton().intern(&s))
    }
}

impl From<&String> for GlobalSymbol {
    fn from(s: &String) -> Self {
        GlobalSymbol(singleton().intern(s))
    }
}

impl FromStr for GlobalSymbol {
    type Err = std::convert::Infallible;

    fn from_str(s: &str) -> Result<Self, Self::Err> {
        Ok(s.into())
    }
}

impl From<GlobalSymbol> for &'static str {
    fn from(sym: GlobalSymbol) -> Self {
        singleton().resolve(sym.0)
    }
}

impl std::fmt::Debug for GlobalSymbol {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        std::fmt::Debug::fmt(self.as_str(), f)
    }
}

impl std::fmt::Display for GlobalSymbol {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        std::fmt::Display::fmt(self.as_str(), f)
    }
}