1
use std::{
2
    cmp::Ordering,
3
    collections::VecDeque,
4
    sync::{Mutex, MutexGuard, PoisonError},
5
};
6

            
7
use crate::{symbol::Symbol, DynamicValue, FaultKind, PoppedValues, Value};
8

            
9
/// A List type for Bud, which wraps a [`VecDeque<Value>`].
10
///
11
/// This type uses a [`Mutex`] for interior mutability, allowing lists to be
12
/// cheaply moved around by reference. Each interaction with this type locks the
13
/// Mutex.
14
///
15
/// [`VecDeque`] was chosen to allow users ultimate flexibility in
16
/// pushing/popping without worry about performance concerns.
17
#[derive(Debug)]
18
pub struct List(Mutex<VecDeque<Value>>);
19

            
20
impl Clone for List {
21
    fn clone(&self) -> Self {
22
        Self(Mutex::new(self.list().clone()))
23
    }
24
}
25

            
26
impl List {
27
180
    fn list(&self) -> MutexGuard<'_, VecDeque<Value>> {
28
180
        self.0.lock().unwrap_or_else(PoisonError::into_inner)
29
180
    }
30

            
31
    /// Extracts the contained collection type.
32
12
    pub fn into_inner(self) -> VecDeque<Value> {
33
12
        self.0.into_inner().unwrap_or_else(PoisonError::into_inner)
34
12
    }
35

            
36
    /// Pushes `value` to the front of the list.
37
    pub fn push_front(&self, value: Value) {
38
        self.list().push_front(value);
39
    }
40

            
41
    /// Pushes `value` to the back of the list.
42
    pub fn push_back(&self, value: Value) {
43
        self.list().push_back(value);
44
    }
45

            
46
    /// Removes the first value in the list.
47
    pub fn pop_front(&self) -> Option<Value> {
48
        self.list().pop_front()
49
    }
50

            
51
    /// Removes the last value in the list.
52
    pub fn pop_back(&self) -> Option<Value> {
53
        self.list().pop_back()
54
    }
55

            
56
    /// Returns the number of values contained in the list.
57
12
    pub fn len(&self) -> usize {
58
12
        self.list().len()
59
12
    }
60

            
61
    /// Returns true if this list contains no values.
62
    pub fn is_empty(&self) -> bool {
63
        self.list().is_empty()
64
    }
65

            
66
    /// Returns the value contained at `index`, or `None` if `index` is outside
67
    /// of the bounds of this list.
68
48
    pub fn get(&self, index: usize) -> Option<Value> {
69
48
        self.list().get(index).cloned()
70
48
    }
71

            
72
    /// Removes the value contained at `index`, or `None` if `index` is outside
73
    /// of the bounds of this list.
74
12
    pub fn remove(&self, index: usize) -> Option<Value> {
75
12
        let mut list = self.list();
76
12
        list.remove(index)
77
12
    }
78
}
79

            
80
impl DynamicValue for List {
81
    fn is_truthy(&self) -> bool {
82
        !self.list().is_empty()
83
    }
84

            
85
    fn kind(&self) -> Symbol {
86
        Symbol::from("List")
87
    }
88

            
89
    fn partial_eq(&self, other: &Value) -> Option<bool> {
90
        let other = other.as_dynamic::<Self>()?;
91
        let lhs = self.list();
92
        let rhs = other.list();
93

            
94
        Some(*lhs == *rhs)
95
    }
96

            
97
    fn partial_cmp(&self, other: &Value) -> Option<Ordering> {
98
        let other = other.as_dynamic::<Self>()?;
99
        let other = other.list();
100
        let mut other = other.iter();
101

            
102
        let rhs = self.list();
103
        for lhs in rhs.iter() {
104
            let rhs = match other.next() {
105
                Some(rhs) => rhs,
106
                None => return Some(Ordering::Greater),
107
            };
108
            match lhs.partial_cmp(rhs) {
109
                Some(Ordering::Equal) => continue,
110
                non_equal => return non_equal,
111
            }
112
        }
113
        Some(if other.next().is_some() {
114
            Ordering::Less
115
        } else {
116
            Ordering::Equal
117
        })
118
    }
119

            
120
120
    fn call(&self, name: &Symbol, args: &mut PoppedValues<'_>) -> Result<Value, FaultKind> {
121
120
        match name.as_str() {
122
120
            "count" => {
123
                args.verify_empty()?;
124
                let len = i64::try_from(self.list().len())
125
                    .map_err(|_| FaultKind::ValueOutOfRange("count"))?;
126
                Ok(Value::Integer(len))
127
            }
128
120
            "push" => {
129
48
                let arg = args.next_argument("value")?;
130
48
                args.verify_empty()?;
131
48
                let mut list = self.list();
132
48
                list.push_back(arg.clone());
133
48
                Ok(arg)
134
            }
135
72
            "pop" => {
136
12
                args.verify_empty()?;
137
12
                let mut list = self.list();
138
12
                Ok(list.pop_back().unwrap_or_default())
139
            }
140
60
            "push_front" => {
141
36
                let arg = args.next_argument("value")?;
142
36
                args.verify_empty()?;
143
36
                let mut list = self.list();
144
36
                list.push_front(arg.clone());
145
36
                Ok(arg)
146
            }
147
24
            "pop_front" => {
148
12
                args.verify_empty()?;
149
12
                let mut list = self.list();
150
12
                Ok(list.pop_front().unwrap_or_default())
151
            }
152
12
            "remove" => {
153
12
                let index = args.next_argument("value")?;
154
12
                args.verify_empty()?;
155
12
                let index = index.as_i64().ok_or_else(|| {
156
                    FaultKind::invalid_type("index must be an integer", index.clone())
157
12
                })?;
158
12
                Ok(self
159
12
                    .remove(usize::try_from(index).unwrap_or(usize::MAX))
160
12
                    .unwrap_or_default())
161
            }
162
            _ => Err(FaultKind::UnknownFunction {
163
                kind: super::ValueKind::Dynamic(self.kind()),
164
                name: name.clone(),
165
            }),
166
        }
167
120
    }
168

            
169
    fn to_source(&self) -> Option<String> {
170
        None
171
    }
172

            
173
    fn hash<H>(&self, state: &mut H) -> bool
174
    where
175
        H: std::hash::Hasher,
176
    {
177
        let list = self.list();
178
        for value in list.iter() {
179
            if !value.try_hash(state) {
180
                return false;
181
            }
182
        }
183

            
184
        true
185
    }
186
}
187

            
188
impl FromIterator<Value> for List {
189
2
    fn from_iter<T: IntoIterator<Item = Value>>(iter: T) -> Self {
190
2
        Self(Mutex::new(VecDeque::from_iter(iter)))
191
2
    }
192
}