1
use std::{
2
    any::{Any, TypeId},
3
    cmp::Ordering,
4
    fmt::{Debug, Display},
5
    hash::Hasher,
6
    sync::Arc,
7
};
8

            
9
use crate::{symbol::Symbol, FaultKind, PoppedValues, Value, ValueKind};
10

            
11
/// A type that can be used in the virtual machine using [`Value::dynamic`].
12
pub trait DynamicValue: Send + Sync + Debug + 'static {
13
    /// Returns true if the value contained is truthy. See
14
    /// [`Value::is_truthy()`] for examples of what this means for primitive
15
    /// types.
16
    fn is_truthy(&self) -> bool;
17

            
18
    /// Returns a unique string identifying this type. This returned string will
19
    /// be wrapped in [`ValueKind::Dynamic`] when [`Value::kind()`] is invoked
20
    /// on a dynamic value.
21
    ///
22
    /// This value does not influence the virtual machine's behavior. The
23
    /// virtual machine uses this string only when creating error messages.
24
    fn kind(&self) -> Symbol;
25

            
26
    /// Returns this value as an `i64`, if possible.
27
    ///
28
    /// Implementhing this function enables this type to be used in integer
29
    /// operations such as bitwise operations.
30
    #[must_use]
31
    fn as_i64(&self) -> Option<i64> {
32
        None
33
    }
34

            
35
    /// Converts this value to the given kind, if possible.
36
    ///
37
    /// If this function returns None, the virtual machine will return a fault
38
    /// from the conversion operation.
39
    #[must_use]
40
    #[allow(unused_variables)]
41
    fn convert(&self, kind: &Symbol) -> Option<Value> {
42
        None
43
    }
44

            
45
    /// Returns true if self and other are considered equal. Returns false if
46
    /// self and other are able to be compared but are not equal. Returns None
47
    /// if the values are unable to be compared.
48
    ///
49
    /// When evaluating `left = right` with dynamic values, if
50
    /// `left.partial_eq(right)` returns None, `right.partial_eq(left)` will be
51
    /// attempted before returning false.
52
    #[allow(unused_variables)]
53
    fn partial_eq(&self, other: &Value) -> Option<bool> {
54
        None
55
    }
56

            
57
    /// Returns the relative ordering of `self` and `other`, if a comparison is
58
    /// able to be made. If the types cannot be compared, this function should
59
    /// return None.
60
    ///
61
    /// When evaluating a comparison such as `left < right` with dynamic values,
62
    /// if `left.partial_cmp(right)` returns None,
63
    /// `right.partial_cmp(left).map(Ordering::reverse)` will be attempted
64
    /// before returning false.
65
    #[allow(unused_variables)]
66
    fn partial_cmp(&self, other: &Value) -> Option<Ordering> {
67
        None
68
    }
69

            
70
    /// Attempts to compute the result adding self and other.
71
    ///
72
    /// While addition is normally an associative operation, `is_reverse` allows
73
    /// determining if `self` is the left operand or the right operand to the
74
    /// operation.
75
    ///
76
    /// If `is_reverse` is false, the operation being requested is `self` +
77
    /// `other`. If `is_reverse` is true, the operation being requested is
78
    /// `other` + `self`.
79
    #[allow(unused_variables)]
80
    fn checked_add(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
81
        Ok(None)
82
    }
83

            
84
    /// Attempts to compute the result subtracting self and other.
85
    ///
86
    /// If `is_reverse` is false, the operation being requested is `self` -
87
    /// `other`. If `is_reverse` is true, the operation being requested is
88
    /// `other` - `self`.
89
    #[allow(unused_variables)]
90
    fn checked_sub(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
91
        Ok(None)
92
    }
93

            
94
    /// Attempts to compute the result multiplying self and other.
95
    ///
96
    /// While multiplication is normally an associative operation, `is_reverse`
97
    /// allows
98
    /// determining if `self` is the left operand or the right operand to the
99
    /// operation.
100
    ///
101
    /// If `is_reverse` is false, the operation being requested is `self` *
102
    /// `other`. If `is_reverse` is true, the operation being requested is
103
    /// `other` * `self`.
104
    #[allow(unused_variables)]
105
    fn checked_mul(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
106
        Ok(None)
107
    }
108

            
109
    /// Attempts to compute the result dividing self and other.
110
    ///
111
    /// If `is_reverse` is false, the operation being requested is `self` /
112
    /// `other`. If `is_reverse` is true, the operation being requested is
113
    /// `other` / `self`.
114
    #[allow(unused_variables)]
115
    fn checked_div(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
116
        Ok(None)
117
    }
118

            
119
    /// Calls a function by `name` with `args`.
120
    #[allow(unused_variables)]
121
    fn call(&self, name: &Symbol, args: &mut PoppedValues<'_>) -> Result<Value, FaultKind> {
122
        Err(FaultKind::UnknownFunction {
123
            kind: ValueKind::Dynamic(self.kind()),
124
            name: name.clone(),
125
        })
126
    }
127

            
128
    /// Returns this value as represented in source, if possible.
129
    fn to_source(&self) -> Option<String> {
130
        None
131
    }
132

            
133
    /// Hashes the contents of this value. Returns true if this operation is
134
    /// supported.
135
    ///
136
    /// To allow the [`Value`] type to implement [`Hash`] but contain values
137
    /// that don't implement [`Hash`], this is not a trait that is required to
138
    /// implement.
139
    ///
140
    /// This allows safe collection types to be written, which check before key
141
    /// insertion that the value can be hashed and returns an error rather than
142
    /// panicking in the call to hash.
143
    #[allow(unused_variables)]
144
    fn hash<H>(&self, state: &mut H) -> bool
145
    where
146
        H: std::hash::Hasher,
147
    {
148
        false
149
    }
150
}
151

            
152
/// A Rust value that has been wrapped for use in the virtual machine.
153
34
#[derive(Clone, Debug)]
154
pub struct Dynamic(
155
    // The reason for `Arc<Box<dyn UnboxableDynamicValue>>` instead of `Arc<dyn
156
    // UnboxableDynamicValue>` is the size. `Arc<dyn>` uses a fat pointer which
157
    // results in 16-bytes being used. By boxing the `dyn` value first, the Arc
158
    // pointer becomes a normal pointer resulting in this type being only 8
159
    // bytes.
160
    Arc<Box<dyn UnboxableDynamicValue>>,
161
);
162

            
163
impl Dynamic {
164
    /// Returns a new instance, wrapping `value`.
165
    ///
166
    /// This function causes two allocations: [`Arc::new()`] and [`Box::new()`].
167
    /// While `Arc<dyn T>` could be used for only one allocation, it uses a "fat
168
    /// pointer" which is double the size of a standard pointer. By using
169
    /// `Arc<Box<dyn T>>`, the `Box<dyn T>` becomes the fat pointer and the
170
    /// `Arc` remains a normal pointer. The net effect is that the [`Value`]
171
    /// enum is able to stay smaller due to this extra allocation.
172
301
    pub fn new<T: DynamicValue + 'static>(value: T) -> Self {
173
301
        Self(Arc::new(Box::new(DynamicValueData { value: Some(value) })))
174
301
    }
175

            
176
    /// Returns the result of [`DynamicValue::kind()`] for the wrapped value.
177
    #[must_use]
178
12
    pub fn kind(&self) -> Symbol {
179
12
        self.0.kind()
180
12
    }
181

            
182
    /// Returns the [`TypeId`] of the wrapped type.
183
    #[must_use]
184
36
    pub fn type_id(&self) -> TypeId {
185
36
        self.0.type_id()
186
36
    }
187

            
188
    /// Returns a reference to the contained value, if the contained type is
189
    /// `T`.
190
    #[must_use]
191
313
    pub fn inner<T: DynamicValue>(&self) -> Option<&T> {
192
313
        self.0.as_any().downcast_ref::<T>()
193
313
    }
194

            
195
    /// Attempts to unwrap the value. If there is more than one reference to
196
    /// this value, or `T` does not match the contained type, `Err(self)` will
197
    /// be returned.
198
1
    pub fn try_into_inner<T: DynamicValue>(self) -> Result<T, Self> {
199
1
        // Before we consume the value, verify we have the correct type.
200
1
        if self.inner::<T>().is_some() {
201
            // We can now destruct self safely without worrying about needing to
202
            // return an error.
203
1
            match Arc::try_unwrap(self.0) {
204
                Ok(mut boxed_value) => {
205
                    let opt_value = boxed_value
206
                        .as_opt_any_mut()
207
                        .downcast_mut::<Option<T>>()
208
                        .expect("type already checked");
209
                    let mut value = None;
210
                    std::mem::swap(opt_value, &mut value);
211
                    Ok(value.expect("value already taken"))
212
                }
213
1
                Err(arc_value) => Err(Self(arc_value)),
214
            }
215
        } else {
216
            Err(self)
217
        }
218
1
    }
219

            
220
    /// Returns the contained value if `T` is the contained type. If the value
221
    /// contains another type, `Err(self)` will be returned. Otherwise, the
222
    /// inner value will be returned.
223
    ///
224
    /// Because dynamic values are cheaply cloned by wrapping the value in an
225
    /// [`Arc`], this method will return a clone if there are any other
226
    /// instances that point to the same contained value. If this is the final
227
    /// instance of this value, the contained value will be returned without
228
    /// additional allocations.
229
13
    pub fn into_inner<T: DynamicValue + Clone>(self) -> Result<T, Self> {
230
13
        // Before we consume the value, verify we have the correct type.
231
13
        if self.inner::<T>().is_some() {
232
            // We can now destruct self safely without worrying about needing to
233
            // return an error.
234
13
            match Arc::try_unwrap(self.0) {
235
11
                Ok(mut boxed_value) => {
236
11
                    let opt_value = boxed_value
237
11
                        .as_opt_any_mut()
238
11
                        .downcast_mut::<Option<T>>()
239
11
                        .expect("type already checked");
240
11
                    let mut value = None;
241
11
                    std::mem::swap(opt_value, &mut value);
242
11
                    Ok(value.expect("value already taken"))
243
                }
244
2
                Err(arc_value) => Ok(arc_value
245
2
                    .as_any()
246
2
                    .downcast_ref::<T>()
247
2
                    .expect("type already checked")
248
2
                    .clone()),
249
            }
250
        } else {
251
            Err(self)
252
        }
253
13
    }
254

            
255
    /// Returns the result of [`DynamicValue::is_truthy()`] for the wrapped
256
    /// value.
257
    #[must_use]
258
12
    pub fn is_truthy(&self) -> bool {
259
12
        self.0.is_truthy()
260
12
    }
261

            
262
    /// Returns the result of [`DynamicValue::as_i64()`] for the wrapped value.
263
    #[must_use]
264
    pub fn as_i64(&self) -> Option<i64> {
265
        self.0.as_i64()
266
    }
267

            
268
    /// Returns the result of [`DynamicValue::convert()`] for the wrapped value.
269
    #[must_use]
270
    pub fn convert(&self, kind: &Symbol) -> Option<Value> {
271
        self.0.convert(kind)
272
    }
273

            
274
    /// Returns the inverse of [`DynamicValue::is_truthy()`] for the wrapped
275
    /// value.
276
    #[must_use]
277
    pub fn is_falsey(&self) -> bool {
278
        !self.0.is_truthy()
279
    }
280

            
281
    /// Returns the result of [`DynamicValue::partial_eq()`] for the wrapped
282
    /// value.
283
    #[must_use]
284
48
    pub fn partial_eq(&self, other: &Value) -> Option<bool> {
285
48
        self.0.partial_eq(other)
286
48
    }
287

            
288
    /// Returns the result of [`DynamicValue::partial_cmp()`] for the wrapped
289
    /// value.
290
    #[must_use]
291
    pub fn partial_cmp(&self, other: &Value) -> Option<Ordering> {
292
        self.0.partial_cmp(other)
293
    }
294

            
295
    /// Returns the result of [`DynamicValue::checked_add()`] for the wrapped
296
    /// value.
297
12
    pub fn checked_add(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
298
12
        self.0.checked_add(other, is_reverse)
299
12
    }
300

            
301
    /// Returns the result of [`DynamicValue::checked_sub()`] for the wrapped
302
    /// value.
303
    pub fn checked_sub(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
304
        self.0.checked_sub(other, is_reverse)
305
    }
306

            
307
    /// Returns the result of [`DynamicValue::checked_mul()`] for the wrapped
308
    /// value.
309
24
    pub fn checked_mul(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
310
24
        self.0.checked_mul(other, is_reverse)
311
24
    }
312

            
313
    /// Returns the result of [`DynamicValue::checked_div()`] for the wrapped
314
    /// value.
315
    pub fn checked_div(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
316
        self.0.checked_div(other, is_reverse)
317
    }
318

            
319
    /// Invokes [`DynamicValue::call`] with the given parameters.
320
252
    pub fn call(&mut self, name: &Symbol, args: PoppedValues<'_>) -> Result<Value, FaultKind> {
321
252
        self.0.call(name, args)
322
252
    }
323

            
324
    /// Returns the result of [`DynamicValue::to_source()`] for the wrapped
325
    /// value.
326
    #[must_use]
327
    pub fn to_source(&self) -> Option<String> {
328
        self.0.to_source()
329
    }
330

            
331
    /// Returns the result of [`DynamicValue::hash()`] for the wrapped
332
    /// value.
333
36
    pub fn hash<H: Hasher>(&self, state: &mut H) -> bool {
334
36
        self.0.hash(state)
335
36
    }
336
}
337

            
338
impl Display for Dynamic {
339
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
340
        match self.0.to_source() {
341
            Some(value) => f.write_str(&value),
342
            None => Ok(()),
343
        }
344
    }
345
}
346

            
347
trait UnboxableDynamicValue: Debug + Send + Sync {
348
    fn type_id(&self) -> TypeId;
349
    fn as_any(&self) -> &dyn Any;
350
    fn as_any_mut(&mut self) -> &mut dyn Any;
351
    fn as_opt_any_mut(&mut self) -> &mut dyn Any;
352

            
353
    fn is_truthy(&self) -> bool;
354
    fn as_i64(&self) -> Option<i64>;
355
    fn convert(&self, kind: &Symbol) -> Option<Value>;
356
    fn kind(&self) -> Symbol;
357
    fn partial_eq(&self, other: &Value) -> Option<bool>;
358
    fn partial_cmp(&self, other: &Value) -> Option<Ordering>;
359
    fn checked_add(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind>;
360
    fn checked_sub(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind>;
361
    fn checked_mul(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind>;
362
    fn checked_div(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind>;
363
    fn to_source(&self) -> Option<String>;
364
    fn hash(&self, state: &mut dyn Hasher) -> bool;
365
    fn call(&self, name: &Symbol, arguments: PoppedValues<'_>) -> Result<Value, FaultKind>;
366
}
367

            
368
#[derive(Clone)]
369
struct DynamicValueData<T> {
370
    value: Option<T>,
371
}
372

            
373
impl<T> DynamicValueData<T> {
374
    #[inline]
375
469
    fn value(&self) -> &T {
376
469
        self.value.as_ref().expect("value taken")
377
469
    }
378
    #[inline]
379
    fn value_mut(&mut self) -> &mut T {
380
        self.value.as_mut().expect("value taken")
381
    }
382
}
383

            
384
impl<T> UnboxableDynamicValue for DynamicValueData<T>
385
where
386
    T: DynamicValue + Any + Debug,
387
{
388
293
    fn as_any(&self) -> &dyn Any {
389
293
        self.value()
390
293
    }
391

            
392
    fn as_any_mut(&mut self) -> &mut dyn Any {
393
        self.value_mut()
394
    }
395

            
396
55
    fn as_opt_any_mut(&mut self) -> &mut dyn Any {
397
55
        &mut self.value
398
55
    }
399

            
400
12
    fn is_truthy(&self) -> bool {
401
12
        self.value().is_truthy()
402
12
    }
403

            
404
    fn as_i64(&self) -> Option<i64> {
405
        self.value().as_i64()
406
    }
407
    fn convert(&self, kind: &Symbol) -> Option<Value> {
408
        self.value().convert(kind)
409
    }
410

            
411
12
    fn kind(&self) -> Symbol {
412
12
        self.value().kind()
413
12
    }
414

            
415
48
    fn partial_eq(&self, other: &Value) -> Option<bool> {
416
48
        self.value().partial_eq(other)
417
48
    }
418

            
419
    fn partial_cmp(&self, other: &Value) -> Option<Ordering> {
420
        self.value().partial_cmp(other)
421
    }
422

            
423
    fn to_source(&self) -> Option<String> {
424
        self.value().to_source()
425
    }
426

            
427
12
    fn checked_add(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
428
12
        self.value().checked_add(other, is_reverse)
429
12
    }
430

            
431
    fn checked_sub(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
432
        self.value().checked_sub(other, is_reverse)
433
    }
434

            
435
24
    fn checked_mul(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
436
24
        self.value().checked_mul(other, is_reverse)
437
24
    }
438

            
439
    fn checked_div(&self, other: &Value, is_reverse: bool) -> Result<Option<Value>, FaultKind> {
440
        self.value().checked_div(other, is_reverse)
441
    }
442

            
443
36
    fn hash(&self, mut state: &mut dyn Hasher) -> bool {
444
36
        self.value().hash(&mut state)
445
36
    }
446

            
447
    fn type_id(&self) -> TypeId {
448
        TypeId::of::<T>()
449
    }
450

            
451
32
    fn call(&self, name: &Symbol, mut arguments: PoppedValues<'_>) -> Result<Value, FaultKind> {
452
32
        self.value().call(name, &mut arguments)
453
32
    }
454
}
455

            
456
impl<T> Debug for DynamicValueData<T>
457
where
458
    T: Debug,
459
{
460
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
461
        if let Some(value) = self.value.as_ref() {
462
            Debug::fmt(value, f)
463
        } else {
464
            f.debug_struct("DynamicValueData").finish_non_exhaustive()
465
        }
466
    }
467
}
468

            
469
impl<T> Display for DynamicValueData<T>
470
where
471
    T: Display,
472
{
473
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
474
        if let Some(value) = self.value.as_ref() {
475
            Display::fmt(value, f)
476
        } else {
477
            Ok(())
478
        }
479
    }
480
}
481

            
482
pub(super) fn cmp(left: &Value, left_dynamic: &Dynamic, right: &Value) -> Option<Ordering> {
483
    match left_dynamic.partial_cmp(right) {
484
        Some(ordering) => Some(ordering),
485
        None => match right {
486
            Value::Dynamic(right) => right.partial_cmp(left).map(Ordering::reverse),
487
            _ => None,
488
        },
489
    }
490
}