1
use std::{
2
    collections::hash_map::RandomState,
3
    fmt::Debug,
4
    hash::BuildHasher,
5
    sync::{Mutex, MutexGuard, PoisonError},
6
};
7

            
8
use crate::{budmap::BudMap, symbol::Symbol, DynamicValue, Value};
9

            
10
use super::{FaultKind, PoppedValues};
11

            
12
/// A wrapper for [`std::collections::HashMap<Value,Value>`] that prevents using
13
/// a [`Value`] that does not support hashing by returning an error.
14
///
15
/// This type uses a [`Mutex`] for interior mutability.
16
pub struct HashMap<State = RandomState>(Mutex<BudMap<Value, Value, State>>)
17
where
18
    State: BuildHasher;
19

            
20
impl Default for HashMap<RandomState> {
21
    fn default() -> Self {
22
        Self::new()
23
    }
24
}
25

            
26
impl<State> Clone for HashMap<State>
27
where
28
    State: Clone + BuildHasher,
29
{
30
    fn clone(&self) -> Self {
31
        Self(Mutex::new(self.map().clone()))
32
    }
33
}
34

            
35
// impl<State> From<std::collections::HashMap<Value, Value, State>> for HashMap<State>
36
// where
37
//     State: BuildHasher,
38
// {
39
//     fn from(collection: std::collections::HashMap<Value, Value, State>) -> Self {
40
//         Self(Mutex::new(collection))
41
//     }
42
// }
43

            
44
impl HashMap<RandomState> {
45
    /// Returns a new, empty hash map.
46
    ///
47
    /// Equivalent to [`std::collections::HashMap::new()`].
48
    #[must_use]
49
    pub fn new() -> Self {
50
        Self(Mutex::new(BudMap::default()))
51
    }
52

            
53
    // /// Returns a hash map that can contain at least `capacity` without
54
    // /// reallocation.
55
    // ///
56
    // /// Equivalent to [`std::collections::HashMap::with_capacity()`].
57
    // #[must_use]
58
    // pub fn with_capacity(capacity: usize) -> Self {
59
    //     Self(Mutex::new(std::collections::HashMap::with_capacity(
60
    //         capacity,
61
    //     )))
62
    // }
63
}
64

            
65
impl<State> HashMap<State>
66
where
67
    State: BuildHasher,
68
{
69
    // /// Returns a new, empty hash map that uses `hash_builder` to initialize the
70
    // /// hasher used for this map.
71
    // ///
72
    // /// Equivalent to [`std::collections::HashMap::with_hasher()`].
73
    // #[must_use]
74
    // pub fn with_hasher(hash_builder: State) -> Self {
75
    //     Self(Mutex::new(std::collections::HashMap::with_hasher(
76
    //         hash_builder,
77
    //     )))
78
    // }
79

            
80
    // /// Returns a hash map that can contain at least `capacity` without
81
    // /// reallocation, using `hash_builder` to initialize the hasher used for
82
    // /// this map.
83
    // ///
84
    // /// Equivalent to [`std::collections::HashMap::with_capacity_and_hasher()`].
85
    // #[must_use]
86
    // pub fn with_capacity_and_hasher(capacity: usize, hash_builder: State) -> Self {
87
    //     Self(Mutex::new(
88
    //         std::collections::HashMap::with_capacity_and_hasher(capacity, hash_builder),
89
    //     ))
90
    // }
91

            
92
12
    fn map(&self) -> MutexGuard<'_, BudMap<Value, Value, State>> {
93
12
        self.0.lock().unwrap_or_else(PoisonError::into_inner)
94
12
    }
95

            
96
    /// Returns the number of items contained.
97
1
    pub fn len(&self) -> usize {
98
1
        self.map().len()
99
1
    }
100

            
101
    /// Returns true if this map contains no items.
102
    pub fn is_empty(&self) -> bool {
103
        self.map().is_empty()
104
    }
105

            
106
    /// Inserts a key-value pair into the map.
107
    ///
108
    /// Equivalent to [`std::collections::HashMap::insert()`], except this
109
    /// function checks that `key.implements_hash()` returns true. If it does
110
    /// not, [`FaultKind::ValueCannotBeHashed`] will be returned.
111
3
    pub fn insert(&self, k: Value, v: Value) -> Result<Option<Value>, FaultKind> {
112
3
        let mut map = self.map();
113
3
        Ok(map.insert(check_hashable(k)?, v))
114
3
    }
115

            
116
    /// Returns the value associated with `key`, if present.
117
7
    pub fn get(&self, key: &Value) -> Option<Value> {
118
7
        let map = self.map();
119
7
        map.get(key).cloned()
120
7
    }
121

            
122
    /// Removes the value associated with `key`, if present.
123
1
    pub fn remove(&self, key: &Value) -> Option<Value> {
124
1
        let mut map = self.map();
125
1
        map.remove(key)
126
1
    }
127

            
128
    /// Extracts the contained collection type.
129
    pub fn into_inner(self) -> BudMap<Value, Value, State> {
130
        self.0.into_inner().unwrap_or_else(PoisonError::into_inner)
131
    }
132
}
133

            
134
impl<'a> TryFrom<PoppedValues<'a>> for HashMap<RandomState> {
135
    type Error = FaultKind;
136

            
137
36
    fn try_from(mut values: PoppedValues<'a>) -> Result<Self, Self::Error> {
138
36
        if values.len() & 1 == 1 {
139
            return Err(FaultKind::dynamic(
140
                "odd number of arguments passed to map constructor",
141
            ));
142
36
        }
143
36
        let mut map = BudMap::with_capacity(values.len() / 2);
144

            
145
72
        while let Some(key) = values.next() {
146
48
            let value = values.next().expect("checked for odd length");
147
48

            
148
48
            map.insert(check_hashable(key)?, value);
149
        }
150

            
151
24
        Ok(Self(Mutex::new(map)))
152
36
    }
153
}
154

            
155
84
fn check_hashable(value: Value) -> Result<Value, FaultKind> {
156
84
    if value.implements_hash() {
157
72
        Ok(value)
158
    } else {
159
12
        Err(FaultKind::ValueCannotBeHashed(value))
160
    }
161
84
}
162

            
163
impl<State> Debug for HashMap<State>
164
where
165
    State: BuildHasher + Debug,
166
{
167
1
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
168
1
        Debug::fmt(&self.0, f)
169
1
    }
170
}
171

            
172
impl<State> DynamicValue for HashMap<State>
173
where
174
    State: BuildHasher + Debug + Clone + Send + Sync + 'static,
175
{
176
    fn is_truthy(&self) -> bool {
177
        !self.map().is_empty()
178
    }
179

            
180
    fn kind(&self) -> Symbol {
181
        Symbol::from("Map")
182
    }
183

            
184
    fn partial_eq(&self, other: &Value) -> Option<bool> {
185
        if let Some(other) = other.as_dynamic::<Self>() {
186
            let lhs = self.map();
187
            let rhs = other.map();
188
            if lhs.len() == rhs.len() {
189
                for (lkey, lvalue) in lhs.iter() {
190
                    if rhs.get(lkey).map_or(true, |rvalue| lvalue != rvalue) {
191
                        return Some(false);
192
                    }
193
                }
194
                Some(true)
195
            } else {
196
                Some(false)
197
            }
198
        } else {
199
            None
200
        }
201
    }
202

            
203
5
    fn call(&self, name: &Symbol, args: &mut PoppedValues<'_>) -> Result<Value, FaultKind> {
204
5
        match name.as_str() {
205
5
            "count" => {
206
                args.verify_empty()?;
207
                let len = i64::try_from(self.map().len())
208
                    .map_err(|_| FaultKind::ValueOutOfRange("count"))?;
209
                Ok(Value::Integer(len))
210
            }
211
5
            "insert" => {
212
3
                let key = args
213
3
                    .next()
214
3
                    .ok_or_else(|| FaultKind::ArgumentMissing(Symbol::from("key")))?;
215
3
                let value = args
216
3
                    .next()
217
3
                    .ok_or_else(|| FaultKind::ArgumentMissing(Symbol::from("value")))?;
218
3
                args.verify_empty()?;
219

            
220
3
                let contained_value = self.insert(key, value)?.unwrap_or_default();
221
3

            
222
3
                Ok(contained_value)
223
            }
224
2
            "get" => {
225
1
                let key = args
226
1
                    .next()
227
1
                    .ok_or_else(|| FaultKind::ArgumentMissing(Symbol::from("key")))?;
228
1
                args.verify_empty()?;
229

            
230
1
                let contained_value = self.get(&key).unwrap_or_default();
231
1

            
232
1
                Ok(contained_value)
233
            }
234
1
            "remove" => {
235
1
                let key = args
236
1
                    .next()
237
1
                    .ok_or_else(|| FaultKind::ArgumentMissing(Symbol::from("key")))?;
238
1
                args.verify_empty()?;
239

            
240
1
                let contained_value = self.remove(&key).unwrap_or_default();
241
1

            
242
1
                Ok(contained_value)
243
            }
244
            _ => Err(FaultKind::UnknownFunction {
245
                kind: super::ValueKind::Dynamic(self.kind()),
246
                name: name.clone(),
247
            }),
248
        }
249
5
    }
250

            
251
    fn to_source(&self) -> Option<String> {
252
        None
253
    }
254
}