1
1
#![doc = include_str!(".crate-docs.md")]
2
#![forbid(unsafe_code)]
3
#![warn(
4
    clippy::cargo,
5
    missing_docs,
6
    clippy::pedantic,
7
    future_incompatible,
8
    rust_2018_idioms
9
)]
10
#![allow(
11
    clippy::option_if_let_else,
12
    clippy::module_name_repetitions,
13
    clippy::missing_errors_doc
14
)]
15

            
16
use std::{
17
    any::{type_name, Any},
18
    borrow::Cow,
19
    cmp::Ordering,
20
    collections::{HashMap as StdHashMap, VecDeque},
21
    fmt::{Debug, Display, Write},
22
    hash::{Hash, Hasher},
23
    marker::PhantomData,
24
    ops::{Add, Bound, Deref, Div, Index, IndexMut, Mul, RangeBounds, Sub},
25
    str::FromStr,
26
    sync::Arc,
27
    vec,
28
};
29

            
30
/// A `HashMap` implementation that provides a defined iteration order.
31
pub mod budmap;
32
mod dynamic;
33
pub mod ir;
34
pub mod lexer_util;
35
mod list;
36
mod map;
37
mod string;
38
mod symbol;
39

            
40
use crate::ir::{Scope, ScopeSymbolKind};
41

            
42
pub use self::{
43
    dynamic::{Dynamic, DynamicValue},
44
    list::List,
45
    map::HashMap,
46
    string::StringLiteralDisplay,
47
    symbol::Symbol,
48
};
49

            
50
/// A virtual machine instruction.
51
///
52
/// This enum contains all instructions that the virtual machine is able to
53
/// perform.
54
#[derive(Debug, Clone, Eq, PartialEq)]
55
pub enum Instruction<Intrinsic> {
56
    /// Adds `left` and `right` and places the result in `destination`.
57
    ///
58
    /// If this operation causes an overflow, [`Value::Void`] will be stored in
59
    /// the destination instead.
60
    Add {
61
        /// The left hand side of the operation.
62
        left: ValueOrSource,
63
        /// The right hand side of the operation.
64
        right: ValueOrSource,
65
        /// The destination for the result to be stored in.
66
        destination: Destination,
67
    },
68
    /// Subtracts `right` from `left` and places the result in `destination`.
69
    ///
70
    /// If this operation causes an overflow, [`Value::Void`] will be stored in
71
    /// the destination instead.
72
    Sub {
73
        /// The left hand side of the operation.
74
        left: ValueOrSource,
75
        /// The right hand side of the operation.
76
        right: ValueOrSource,
77
        /// The destination for the result to be stored in.
78
        destination: Destination,
79
    },
80
    /// Multiply `left` by `right` and places the result in `destination`.
81
    ///
82
    /// If this operation causes an overflow, [`Value::Void`] will be stored in
83
    /// the destination instead.
84
    Multiply {
85
        /// The left hand side of the operation.
86
        left: ValueOrSource,
87
        /// The right hand side of the operation.
88
        right: ValueOrSource,
89
        /// The destination for the result to be stored in.
90
        destination: Destination,
91
    },
92
    /// Divides `left` by `right` and places the result in `destination`.
93
    ///
94
    /// If this operation causes an overflow, [`Value::Void`] will be stored in
95
    /// the destination instead.
96
    Divide {
97
        /// The left hand side of the operation.
98
        left: ValueOrSource,
99
        /// The right hand side of the operation.
100
        right: ValueOrSource,
101
        /// The destination for the result to be stored in.
102
        destination: Destination,
103
    },
104
    /// Performs a logical and of `left` and `right` and places the result in
105
    /// `destination`. This operation always results in a [`Value::Boolean`].
106
    ///
107
    /// `left` and `right` will be checked for thruthyness. If both are truthy,
108
    /// this operation will store true in `destination`. Otherwise, false will
109
    /// be stored.
110
    ///
111
    /// # Short Circuiting
112
    ///
113
    /// This instruction will not evaluate `right`'s truthiness if `left` is
114
    /// false.
115
    LogicalAnd {
116
        /// The left hand side of the operation.
117
        left: ValueOrSource,
118
        /// The right hand side of the operation.
119
        right: ValueOrSource,
120
        /// The destination for the result to be stored in.
121
        destination: Destination,
122
    },
123
    /// Performs a logical or of `left` and `right` and places the result in
124
    /// `destination`. This operation always results in a [`Value::Boolean`].
125
    ///
126
    /// `left` and `right` will be checked for thruthyness. If either are
127
    /// truthy, this operation will store true in `destination`. Otherwise,
128
    /// false will be stored.
129
    ///
130
    /// # Short Circuiting
131
    ///
132
    /// This instruction will not evaluate `right`'s truthiness if `left` is
133
    /// true.
134
    LogicalOr {
135
        /// The left hand side of the operation.
136
        left: ValueOrSource,
137
        /// The right hand side of the operation.
138
        right: ValueOrSource,
139
        /// The destination for the result to be stored in.
140
        destination: Destination,
141
    },
142
    /// Performs a logical exclusive-or of `left` and `right` and places the result in
143
    /// `destination`. This operation always results in a [`Value::Boolean`].
144
    ///
145
    /// `left` and `right` will be checked for thruthyness. If one is truthy and
146
    /// the other is not, this operation will store true in `destination`.
147
    /// Otherwise, false will be stored.
148
    LogicalXor {
149
        /// The left hand side of the operation.
150
        left: ValueOrSource,
151
        /// The right hand side of the operation.
152
        right: ValueOrSource,
153
        /// The destination for the result to be stored in.
154
        destination: Destination,
155
    },
156
    /// Performs a bitwise and of `left` and `right` and places the result in
157
    /// `destination`. This operation always results in a [`Value::Integer`].
158
    ///
159
    /// If either `left` or `right ` are not [`Value::Integer`], a fault will be
160
    /// returned.
161
    ///
162
    /// The result will have each bit set based on whether the corresponding bit
163
    /// in both `left` and `right` are both 1.
164
    BitwiseAnd {
165
        /// The left hand side of the operation.
166
        left: ValueOrSource,
167
        /// The right hand side of the operation.
168
        right: ValueOrSource,
169
        /// The destination for the result to be stored in.
170
        destination: Destination,
171
    },
172
    /// Performs a bitwise or of `left` and `right` and places the result in
173
    /// `destination`. This operation always results in a [`Value::Integer`].
174
    ///
175
    /// If either `left` or `right ` are not [`Value::Integer`], a fault will be
176
    /// returned.
177
    ///
178
    /// The result will have each bit set based on whether either corresponding bit
179
    /// in `left` or `right` are 1.
180
    BitwiseOr {
181
        /// The left hand side of the operation.
182
        left: ValueOrSource,
183
        /// The right hand side of the operation.
184
        right: ValueOrSource,
185
        /// The destination for the result to be stored in.
186
        destination: Destination,
187
    },
188
    /// Performs a bitwise exclusive-or of `left` and `right` and places the
189
    /// result in `destination`. This operation always results in a
190
    /// [`Value::Integer`].
191
    ///
192
    /// If either `left` or `right ` are not [`Value::Integer`], a fault will be
193
    /// returned.
194
    ///
195
    /// The result will have each bit set based on whether only one
196
    /// corresponding bit in either `left` or `right` are 1.
197
    BitwiseXor {
198
        /// The left hand side of the operation.
199
        left: ValueOrSource,
200
        /// The right hand side of the operation.
201
        right: ValueOrSource,
202
        /// The destination for the result to be stored in.
203
        destination: Destination,
204
    },
205
    /// Performs a bitwise shift left of `left` by `right` bits, storing
206
    /// the result in `destination`.
207
    ///
208
    /// This operation requires both operands to be integers. If either are not
209
    /// integers, a fault will be returned.
210
    ShiftLeft {
211
        /// The value to shift
212
        left: ValueOrSource,
213
        /// The number of bits to shift by
214
        right: ValueOrSource,
215
        /// The destination for the result to be stored in.
216
        destination: Destination,
217
    },
218
    /// Performs a bitwise shift right of `left` by `right` bits, storing the
219
    /// result in `destination`.
220
    ///
221
    /// This operation requires both operands to be integers. If either are not
222
    /// integers, a fault will be returned.
223
    ShiftRight {
224
        /// The value to shift
225
        left: ValueOrSource,
226
        /// The number of bits to shift by
227
        right: ValueOrSource,
228
        /// The destination for the result to be stored in.
229
        destination: Destination,
230
    },
231
    /// Performs a logical `not` operation for `value`, storing the result in
232
    /// `destination`.
233
    ///
234
    /// If the value is truthy, false will be stored in the destination. If the
235
    /// value is falsey, true will be stored in the destination.
236
    LogicalNot {
237
        /// The left hand side of the operation.
238
        value: ValueOrSource,
239
        /// The destination for the result to be stored in.
240
        destination: Destination,
241
    },
242
    /// Performs a bitwise not operation for `value`, storing the result in
243
    /// `destination`. This operation always results in a [`Value::Integer`].
244
    ///
245
    /// If `value` cannot be coerced to an integer, a fault will be returned.
246
    ///
247
    /// The result will be `value` with each bit flipped.
248
    BitwiseNot {
249
        /// The left hand side of the operation.
250
        value: ValueOrSource,
251
        /// The destination for the result to be stored in.
252
        destination: Destination,
253
    },
254
    /// Converts a value to another type, storing the result in `destination`.
255
    ///
256
    /// If `value` cannot be converted, a fault will be returned.
257
    Convert {
258
        /// The left hand side of the operation.
259
        value: ValueOrSource,
260
        /// The type to convert to.
261
        kind: ValueKind,
262
        /// The destination for the converted value to be stored in.
263
        destination: Destination,
264
    },
265
    /// Checks [`condition.is_truthy()`](Value::is_truthy), jumping to the
266
    /// target instruction if false.
267
    ///
268
    /// If truthy, the virtual machine continues executing the next instruction
269
    /// in sequence.
270
    ///
271
    /// If not truthy, the virtual machine jumps to number `false_jump_to`. This
272
    /// number is the absolute number from the start of the set of instructions
273
    /// being executed.
274
    ///
275
    /// Jumping beyond the end of the function will not cause an error, but will
276
    /// instead cause the current function to return.
277
    If {
278
        /// The source of the condition.
279
        condition: ValueOrSource,
280
        /// The 0-based index of the instruction to jump to. This index is
281
        /// relative to the begining of the set of instructions being executed.
282
        false_jump_to: usize,
283
    },
284
    /// Jumps to the instruction number within the current function.
285
    ///
286
    /// This number is the absolute number from the start of the function being
287
    /// executed.
288
    ///
289
    /// Jumping beyond the end of the function will not cause an error, but will
290
    /// instead cause the current function to return.
291
    JumpTo(usize),
292
    /// Compares `left` and `right` using `comparison` to evaluate a boolean
293
    /// result.
294
    ///
295
    /// If [`CompareAction::Store`] is used, the boolean result will
296
    /// be stored in the provided destination.
297
    ///
298
    /// If [`CompareAction::JumpIfFalse`] is used and the result is false,
299
    /// execution will jump to the 0-based instruction index within the current
300
    /// set of executing instructions. If the result is true, the next
301
    /// instruction will continue executing.
302
    Compare {
303
        /// The comparison to perform.
304
        comparison: Comparison,
305
        /// The left hand side of the operation.
306
        left: ValueOrSource,
307
        /// The right hand side of the operation.
308
        right: ValueOrSource,
309
        /// The action to take with the result of the comparison.
310
        action: CompareAction,
311
    },
312
    /// Pushes a value to the stack.
313
    Push(ValueOrSource),
314
    /// Returns from the current stack frame.
315
    Return(Option<ValueOrSource>),
316
    /// Loads a `value` into a variable.
317
    Load {
318
        /// The index of the variable to store the value in.
319
        variable_index: usize,
320
        /// The value or source of the value to store.
321
        value: ValueOrSource,
322
    },
323
    /// Calls a function.
324
    ///
325
    /// When calling a function, values on the stack are "passed" to the
326
    /// function being pushed to the stack before calling the function. To
327
    /// ensure the correct number of arguments are taken even when variable
328
    /// argument lists are supported, the number of arguments is passed and
329
    /// controls the baseline of the stack.
330
    ///  
331
    /// Upon returning from a function call, the arguments will no longer be on
332
    /// the stack. The value returned from the function (or [`Value::Void`] if
333
    /// no value was returned) will be placed in `destination`.
334
    Call {
335
        /// The vtable index within the current module of the function to call.
336
        /// If None, the current function is called recursively.
337
        ///
338
        /// If a vtable index is provided but is beyond the number of functions
339
        /// registered to the current module, [`FaultKind::InvalidVtableIndex`]
340
        /// will be returned.
341
        vtable_index: Option<usize>,
342

            
343
        /// The number of arguments on the stack that should be used as
344
        /// arguments to this call.
345
        arg_count: usize,
346

            
347
        /// The destination for the result of the call.
348
        destination: Destination,
349
    },
350
    /// Calls an intrinsic runtime function.
351
    ///
352
    /// When calling a function, values on the stack are "passed" to the
353
    /// function being pushed to the stack before calling the function. To
354
    /// ensure the correct number of arguments are taken even when variable
355
    /// argument lists are supported, the number of arguments is passed and
356
    /// controls the baseline of the stack.
357
    ///  
358
    /// Upon returning from a function call, the arguments will no longer be on
359
    /// the stack. The value returned from the function (or [`Value::Void`] if
360
    /// no value was returned) will be placed in `destination`.
361
    CallIntrinsic {
362
        /// The runtime intrinsic to call.
363
        intrinsic: Intrinsic,
364
        /// The number of arguments on the stack that should be used as
365
        /// arguments to this call.
366
        arg_count: usize,
367

            
368
        /// The destination for the result of the call.
369
        destination: Destination,
370
    },
371
    /// Calls a function by name on a value.
372
    ///
373
    /// When calling a function, values on the stack are "passed" to the
374
    /// function being pushed to the stack before calling the function. To
375
    /// ensure the correct number of arguments are taken even when variable
376
    /// argument lists are supported, the number of arguments is passed and
377
    /// controls the baseline of the stack.
378
    ///  
379
    /// Upon returning from a function call, the arguments will no longer be on
380
    /// the stack. The value returned from the function (or [`Value::Void`] if
381
    /// no value was returned) will be placed in `destination`.
382
    CallInstance {
383
        /// The target of the function call. If [`ValueOrSource::Stack`], the value on the
384
        /// stack prior to the arguments is the target of the call.
385
        target: ValueOrSource,
386

            
387
        /// The name of the function to call.
388
        name: Symbol,
389

            
390
        /// The number of arguments on the stack that should be used as
391
        /// arguments to this call.
392
        arg_count: usize,
393

            
394
        /// The destination for the result of the call.
395
        destination: Destination,
396
    },
397
}
398

            
399
impl<Intrinsic> Display for Instruction<Intrinsic>
400
where
401
    Intrinsic: Display,
402
{
403
    #[allow(clippy::too_many_lines)]
404
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
405
        match self {
406
            Instruction::Add {
407
                left,
408
                right,
409
                destination,
410
            } => write!(f, "add {left} {right} {destination}"),
411
            Instruction::Sub {
412
                left,
413
                right,
414
                destination,
415
            } => write!(f, "sub {left} {right} {destination}"),
416
            Instruction::Multiply {
417
                left,
418
                right,
419
                destination,
420
            } => write!(f, "mul {left} {right} {destination}"),
421
            Instruction::Divide {
422
                left,
423
                right,
424
                destination,
425
            } => write!(f, "div {left} {right} {destination}"),
426
            Instruction::LogicalAnd {
427
                left,
428
                right,
429
                destination,
430
            } => write!(f, "and {left} {right} {destination}"),
431
            Instruction::LogicalOr {
432
                left,
433
                right,
434
                destination,
435
            } => write!(f, "or {left} {right} {destination}"),
436
            Instruction::LogicalXor {
437
                left,
438
                right,
439
                destination,
440
            } => write!(f, "xor {left} {right} {destination}"),
441
            Instruction::BitwiseAnd {
442
                left,
443
                right,
444
                destination,
445
            } => write!(f, "bitand {left} {right} {destination}"),
446
            Instruction::BitwiseOr {
447
                left,
448
                right,
449
                destination,
450
            } => write!(f, "bitor {left} {right} {destination}"),
451
            Instruction::BitwiseXor {
452
                left,
453
                right,
454
                destination,
455
            } => write!(f, "bitxor {left} {right} {destination}"),
456
            Instruction::ShiftLeft {
457
                left,
458
                right,
459
                destination,
460
            } => write!(f, "shl {left} {right} {destination}"),
461
            Instruction::ShiftRight {
462
                left,
463
                right,
464
                destination,
465
            } => write!(f, "shr {left} {right} {destination}"),
466
            Instruction::LogicalNot { value, destination } => {
467
                write!(f, "not {value} {destination}")
468
            }
469
            Instruction::BitwiseNot { value, destination } => {
470
                write!(f, "bitnot {value} {destination}")
471
            }
472
            Instruction::Convert {
473
                value,
474
                kind,
475
                destination,
476
            } => {
477
                write!(f, "convert {value} {kind} {destination}")
478
            }
479
            Instruction::If {
480
                condition,
481
                false_jump_to,
482
            } => write!(f, "if !{condition} jump {false_jump_to}"),
483
            Instruction::JumpTo(instruction) => write!(f, "jump {instruction}"),
484
            Instruction::Compare {
485
                comparison,
486
                left,
487
                right,
488
                action,
489
            } => write!(f, "{comparison} {left} {right} {action}"),
490
            Instruction::Push(value) => write!(f, "push {value}"),
491
            Instruction::Load {
492
                value,
493
                variable_index,
494
            } => write!(f, "load {value} ${variable_index}"),
495
            Instruction::Return(opt_value) => {
496
                if let Some(value) = opt_value {
497
                    write!(f, "return {value}")
498
                } else {
499
                    f.write_str("return")
500
                }
501
            }
502
            Instruction::Call {
503
                vtable_index,
504
                arg_count,
505
                destination,
506
            } => {
507
                if let Some(vtable_index) = vtable_index {
508
                    write!(f, "call #{vtable_index} {arg_count} {destination}")
509
                } else {
510
                    write!(f, "recurse {arg_count} {destination}")
511
                }
512
            }
513
            Instruction::CallInstance {
514
                target,
515
                name,
516
                arg_count,
517
                destination,
518
            } => {
519
                write!(f, "invoke {target} {name} {arg_count} {destination}")
520
            }
521
            Instruction::CallIntrinsic {
522
                intrinsic,
523
                arg_count,
524
                destination,
525
            } => {
526
                write!(f, "intrinsic {intrinsic} {arg_count} {destination}")
527
            }
528
        }
529
    }
530
}
531

            
532
/// An action to take during an [`Instruction::Compare`].
533
#[derive(Debug, Clone, Copy, Eq, PartialEq)]
534
pub enum CompareAction {
535
    /// Store the boolean result in the destination indicated.
536
    Store(Destination),
537
    /// If the comparison is false, jump to the 0-based instruction index
538
    /// indicated.
539
    JumpIfFalse(usize),
540
}
541

            
542
impl Display for CompareAction {
543
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
544
        match self {
545
            CompareAction::Store(destination) => Display::fmt(destination, f),
546
            CompareAction::JumpIfFalse(label) => write!(f, "jump {label}"),
547
        }
548
    }
549
}
550

            
551
/// A destination for a value.
552
#[derive(Debug, Clone, Copy, Eq, PartialEq)]
553
pub enum Destination {
554
    /// Store the value in the 0-based variable index provided.
555
    Variable(usize),
556
    /// Push the value to the stack.
557
    Stack,
558
    /// Store the value in the return register.
559
    Return,
560
}
561

            
562
impl Display for Destination {
563
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
564
        match self {
565
            Destination::Variable(variable) => write!(f, "${variable}"),
566
            Destination::Stack => f.write_str("$"),
567
            Destination::Return => f.write_str("$$"),
568
        }
569
    }
570
}
571

            
572
/// The source of a value.
573
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
574
pub enum ValueSource {
575
    /// The value is in an argument at the provided 0-based index.
576
    Argument(usize),
577
    /// The value is in a variable at the provided 0-based index.
578
    Variable(usize),
579
}
580

            
581
impl Display for ValueSource {
582
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
583
        match self {
584
            ValueSource::Argument(index) => write!(f, "@{index}"),
585
            ValueSource::Variable(variable) => write!(f, "${variable}"),
586
        }
587
    }
588
}
589

            
590
/// A value or a location of a value
591
#[derive(Debug, Clone, Eq, PartialEq)]
592
pub enum ValueOrSource {
593
    /// A value.
594
    Value(Value),
595
    /// The value is in an argument at the provided 0-based index.
596
    Argument(usize),
597
    /// The value is in a variable at the provided 0-based index.
598
    Variable(usize),
599
    /// The value is popped from the stack
600
    ///
601
    /// The order of popping is the order the fields apear in the [`Instruction ]
602
    Stack,
603
}
604

            
605
impl Display for ValueOrSource {
606
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
607
        match self {
608
            ValueOrSource::Value(value) => Display::fmt(value, f),
609
            ValueOrSource::Argument(index) => write!(f, "@{index}"),
610
            ValueOrSource::Variable(variable) => write!(f, "${variable}"),
611
            ValueOrSource::Stack => write!(f, "$"),
612
        }
613
    }
614
}
615

            
616
/// A method for comparing [`Value`]s.
617
6
#[derive(Debug, Clone, Copy, Eq, PartialEq)]
618
pub enum Comparison {
619
    /// Pushes true if left and right are equal. Otherwise, pushes false.
620
    Equal,
621
    /// Pushes true if left and right are not equal. Otherwise, pushes false.
622
    NotEqual,
623
    /// Pushes true if left is less than right. Otherwise, pushes false.
624
    LessThan,
625
    /// Pushes true if left is less than or equal to right. Otherwise, pushes false.
626
    LessThanOrEqual,
627
    /// Pushes true if left is greater than right. Otherwise, pushes false.
628
    GreaterThan,
629
    /// Pushes true if left is greater than or equal to right. Otherwise, pushes false.
630
    GreaterThanOrEqual,
631
}
632

            
633
impl Display for Comparison {
634
24
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
635
24
        match self {
636
2
            Comparison::Equal => f.write_str("eq"),
637
2
            Comparison::NotEqual => f.write_str("neq"),
638
2
            Comparison::LessThan => f.write_str("lt"),
639
14
            Comparison::LessThanOrEqual => f.write_str("lte"),
640
2
            Comparison::GreaterThan => f.write_str("gt"),
641
2
            Comparison::GreaterThanOrEqual => f.write_str("gte"),
642
        }
643
24
    }
644
}
645

            
646
/// A virtual machine function.
647
#[derive(Debug, Clone, Eq, PartialEq)]
648
pub struct Function<Intrinsic> {
649
    /// The name of the function.
650
    pub name: Symbol,
651
    /// The number of arguments this function expects.
652
    pub arg_count: usize,
653
    /// The number of variables this function requests space for.
654
    pub variable_count: usize,
655
    /// The instructions that make up the function body.
656
    pub code: Vec<Instruction<Intrinsic>>,
657
}
658

            
659
impl<Intrinsic> Function<Intrinsic> {
660
    /// Returns a new function for a given code block.
661
1
    pub fn new(name: impl Into<Symbol>, arg_count: usize, block: CodeBlock<Intrinsic>) -> Self {
662
1
        Self {
663
1
            name: name.into(),
664
1
            arg_count,
665
1
            variable_count: block.variables,
666
1
            code: block.code,
667
1
        }
668
1
    }
669
}
670

            
671
/// A virtual machine value.
672
1010
#[derive(Debug, Clone)]
673
pub enum Value {
674
    /// A value representing the lack of a value.
675
    Void,
676
    /// A signed 64-bit integer value.
677
    Integer(i64),
678
    /// A real number value (64-bit floating point).
679
    Real(f64),
680
    /// A boolean representing true or false.
681
    Boolean(bool),
682
    /// A type exposed from Rust.
683
    Dynamic(Dynamic),
684
}
685

            
686
impl Default for Value {
687
    #[inline]
688
1552
    fn default() -> Self {
689
1552
        Self::Void
690
1552
    }
691
}
692

            
693
impl Value {
694
    /// Returns a new value containing the Rust value provided.
695
    #[must_use]
696
301
    pub fn dynamic(value: impl DynamicValue + 'static) -> Self {
697
301
        Self::Dynamic(Dynamic::new(value))
698
301
    }
699

            
700
    /// Returns a reference to the contained value, if it was one originally
701
    /// created with [`Value::dynamic()`]. If the value isn't a dynamic value or
702
    /// `T` is not the correct type, None will be returned.
703
    #[must_use]
704
    pub fn as_dynamic<T: DynamicValue>(&self) -> Option<&T> {
705
211
        if let Self::Dynamic(value) = self {
706
211
            value.inner()
707
        } else {
708
            None
709
        }
710
211
    }
711

            
712
    /// Returns the contained value if `T` matches the contained type and this
713
    /// is the final reference to the value. If the value contains another type
714
    /// or additional references exist, `Err(self)` will be returned. Otherwise,
715
    /// the original value will be returned.
716
1
    pub fn try_into_dynamic<T: DynamicValue>(self) -> Result<T, Self> {
717
1
        // Before we consume the value, verify we have the correct type.
718
1
        if self.as_dynamic::<T>().is_some() {
719
            // We can now destruct self safely without worrying about needing to
720
            // return an error.
721
1
            if let Self::Dynamic(value) = self {
722
1
                value.try_into_inner().map_err(Self::Dynamic)
723
            } else {
724
                unreachable!()
725
            }
726
        } else {
727
            Err(self)
728
        }
729
1
    }
730

            
731
    /// Returns the contained value, if it was one originally created with
732
    /// [`Value::dynamic()`] and `T` is the same type. If the value contains
733
    /// another type, `Err(self)` will be returned. Otherwise, the original
734
    /// value will be returned.
735
    ///
736
    /// Because dynamic values are cheaply cloned by wrapping the value in an
737
    /// [`std::sync::Arc`], this method will return a clone if there are any
738
    /// other instances that point to the same contained value. If this is the
739
    /// final instance of this value, the contained value will be returned
740
    /// without additional allocations.
741
13
    pub fn into_dynamic<T: DynamicValue + Clone>(self) -> Result<T, Self> {
742
13
        // Before we consume the value, verify we have the correct type.
743
13
        if self.as_dynamic::<T>().is_some() {
744
            // We can now destruct self safely without worrying about needing to
745
            // return an error.
746
13
            if let Self::Dynamic(value) = self {
747
13
                value.into_inner().map_err(Self::Dynamic)
748
            } else {
749
                unreachable!()
750
            }
751
        } else {
752
            Err(self)
753
        }
754
13
    }
755

            
756
    /// If this value is a [`Value::Integer`], this function returns the
757
    /// contained value. Otherwise, `None` is returned.
758
    #[must_use]
759
216
    pub fn as_i64(&self) -> Option<i64> {
760
216
        match self {
761
216
            Value::Integer(value) => Some(*value),
762
            Value::Dynamic(dynamic) => dynamic.as_i64(),
763
            _ => None,
764
        }
765
216
    }
766

            
767
    /// If this value is a [`Value::Real`], this function returns the
768
    /// contained value. Otherwise, `None` is returned.
769
    #[must_use]
770
    pub fn as_f64(&self) -> Option<f64> {
771
        if let Value::Real(value) = self {
772
            Some(*value)
773
        } else {
774
            None
775
        }
776
    }
777

            
778
    /// Converts this value to another kind, if possible.
779
    #[allow(clippy::cast_precision_loss, clippy::cast_possible_truncation)]
780
7
    pub fn convert<Env>(&self, kind: &ValueKind, environment: &Env) -> Result<Self, FaultKind>
781
7
    where
782
7
        Env: Environment,
783
7
    {
784
7
        if &self.kind() == kind {
785
2
            return Ok(self.clone());
786
5
        }
787

            
788
5
        let converted = match kind {
789
1
            ValueKind::Integer => match self {
790
                Value::Void => None,
791
                Value::Integer(value) => Some(Value::Integer(*value)),
792
1
                Value::Real(value) => Some(Value::Integer(*value as i64)),
793
                Value::Boolean(value) => {
794
                    if *value {
795
                        Some(Value::Integer(1))
796
                    } else {
797
                        Some(Value::Integer(0))
798
                    }
799
                }
800
                Value::Dynamic(value) => value.as_i64().map(Value::Integer),
801
            },
802
1
            ValueKind::Real => match self {
803
1
                Value::Integer(value) => Some(Value::Real(*value as f64)),
804
                Value::Real(value) => Some(Value::Real(*value)),
805
                _ => None,
806
            },
807
2
            ValueKind::Boolean => Some(Value::Boolean(self.is_truthy())),
808
1
            ValueKind::Dynamic(kind) => Some(environment.convert(self, kind)?),
809
            ValueKind::Void => None,
810
        };
811

            
812
5
        converted.ok_or_else(|| {
813
            FaultKind::invalid_type(
814
                format!("@received-kind cannot be converted to {kind}"),
815
                self.clone(),
816
            )
817
5
        })
818
7
    }
819

            
820
    /// Tries to convert this value into a String.
821
    ///
822
    /// This is a shorthand for calling `convert()` and then `into_dynamic()` on
823
    /// the resulting value.
824
    pub fn try_convert_to_string<Env>(&self, env: &Env) -> Result<String, FaultKind>
825
    where
826
        Env: Environment<String = String>,
827
    {
828
        let as_string = self.convert(&ValueKind::Dynamic(Symbol::from("String")), env)?;
829
        Ok(as_string
830
            .into_dynamic()
831
            .expect("convert returned a different type than expected"))
832
    }
833

            
834
    /// Returns true if the value is considered truthy.
835
    ///
836
    /// | value type | condition     |
837
    /// |------------|---------------|
838
    /// | Integer    | value != 0    |
839
    /// | Boolean    | value is true |
840
    /// | Void       | always false  |
841
    #[must_use]
842
591
    pub fn is_truthy(&self) -> bool {
843
591
        match self {
844
36
            Value::Integer(value) => *value != 0,
845
12
            Value::Real(value) => value.abs() >= f64::EPSILON,
846
531
            Value::Boolean(value) => *value,
847
12
            Value::Dynamic(value) => value.is_truthy(),
848
            Value::Void => false,
849
        }
850
591
    }
851

            
852
    /// Returns the inverse of [`is_truthy()`](Self::is_truthy)
853
    #[must_use]
854
    #[inline]
855
3
    pub fn is_falsey(&self) -> bool {
856
3
        !self.is_truthy()
857
3
    }
858

            
859
    /// Returns the kind of the contained value.
860
    #[must_use]
861
84
    pub fn kind(&self) -> ValueKind {
862
84
        match self {
863
60
            Value::Integer(_) => ValueKind::Integer,
864
12
            Value::Real(_) => ValueKind::Real,
865
            Value::Boolean(_) => ValueKind::Boolean,
866
12
            Value::Dynamic(value) => ValueKind::Dynamic(value.kind()),
867
            Value::Void => ValueKind::Void,
868
        }
869
84
    }
870

            
871
    /// Returns true if value contained supports hashing.
872
    ///
873
    /// Using [`Hash`] on a value that does not support hashing will not panic,
874
    /// but unique hash values will not be generated.
875
    #[must_use]
876
84
    pub fn implements_hash(&self) -> bool {
877
84
        struct NullHasher;
878
84
        impl std::hash::Hasher for NullHasher {
879
84
            fn finish(&self) -> u64 {
880
                0
881
            }
882
84

            
883
168
            fn write(&mut self, _bytes: &[u8]) {}
884
84
        }
885
84

            
886
84
        self.try_hash(&mut NullHasher)
887
84
    }
888

            
889
    /// Attempts to compute a hash over this value. Returns true if the value
890
    /// contained supports hashing.
891
    ///
892
    /// The `state` may be mutated even if the contained value does not contain
893
    /// a hashable value.
894
252
    pub fn try_hash<H: Hasher>(&self, state: &mut H) -> bool {
895
252
        match self {
896
            Value::Void => state.write_u8(0),
897
204
            Value::Integer(value) => {
898
204
                state.write_u8(1);
899
204
                value.hash(state);
900
204
            }
901
            Value::Boolean(value) => {
902
                state.write_u8(2);
903
                value.hash(state);
904
            }
905
36
            Value::Dynamic(value) => {
906
36
                state.write_u8(3);
907
36
                value.type_id().hash(state);
908
36

            
909
36
                if !value.hash(state) {
910
                    return false;
911
36
                }
912
            }
913
12
            Value::Real(_) => return false,
914
        }
915
240
        true
916
252
    }
917
}
918

            
919
impl From<i64> for Value {
920
1
    fn from(int: i64) -> Self {
921
1
        Self::Integer(int)
922
1
    }
923
}
924

            
925
impl From<f64> for Value {
926
1
    fn from(real: f64) -> Self {
927
1
        Self::Real(real)
928
1
    }
929
}
930

            
931
impl From<()> for Value {
932
    fn from(_: ()) -> Self {
933
        Self::Void
934
    }
935
}
936

            
937
impl<'a> From<&'a str> for Value {
938
1
    fn from(str: &'a str) -> Self {
939
1
        Self::from(str.to_string())
940
1
    }
941
}
942

            
943
impl<T> From<T> for Value
944
where
945
    T: DynamicValue,
946
{
947
1
    fn from(value: T) -> Self {
948
1
        Self::dynamic(value)
949
1
    }
950
}
951

            
952
1
#[test]
953
1
fn value_from_tests() {
954
1
    assert_eq!(Value::from(0f64), Value::Real(0.));
955
1
    assert_eq!(Value::from(0i64), Value::Integer(0));
956
1
    assert_eq!(
957
1
        Value::from("hello").as_dynamic::<String>(),
958
1
        Some(&String::from("hello"))
959
1
    );
960
1
}
961

            
962
impl Hash for Value {
963
168
    fn hash<H: Hasher>(&self, state: &mut H) {
964
168
        self.try_hash(state);
965
168
    }
966
}
967

            
968
impl Eq for Value {}
969

            
970
impl PartialEq for Value {
971
    fn eq(&self, other: &Self) -> bool {
972
2284
        match (self, other) {
973
2114
            (Self::Integer(lhs), Self::Integer(rhs)) => lhs == rhs,
974
49
            (Self::Real(lhs), Self::Real(rhs)) => real_total_eq(*lhs, *rhs),
975
60
            (Self::Boolean(lhs), Self::Boolean(rhs)) => lhs == rhs,
976
13
            (Self::Void, Self::Void) => true,
977
48
            (Self::Dynamic(lhs), Self::Dynamic(rhs)) => lhs
978
48
                .partial_eq(other)
979
48
                .or_else(|| rhs.partial_eq(self))
980
48
                .unwrap_or(false),
981
            (Self::Dynamic(lhs), _) => lhs.partial_eq(other).unwrap_or(false),
982
            _ => false,
983
        }
984
2284
    }
985
}
986

            
987
impl Display for Value {
988
60
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
989
60
        match self {
990
60
            Value::Integer(value) => Display::fmt(value, f),
991
            Value::Real(value) => Display::fmt(value, f),
992
            Value::Boolean(value) => Display::fmt(value, f),
993
            Value::Dynamic(dynamic) => Display::fmt(dynamic, f),
994
            Value::Void => f.write_str("Void"),
995
        }
996
60
    }
997
}
998

            
999
#[inline]
51
fn real_eq(lhs: f64, rhs: f64) -> bool {
51
    (lhs - rhs).abs() < f64::EPSILON
51
}

            
58
fn real_total_eq(lhs: f64, rhs: f64) -> bool {
58
    match (lhs.is_nan(), rhs.is_nan()) {
        // Neither are NaNs
        (false, false) => {
53
            match (lhs.is_infinite(), rhs.is_infinite()) {
                // Neither are infinite -- perform a fuzzy floating point eq
                // check using EPSILON as the step.
51
                (false, false) => real_eq(lhs, rhs),
                // Both are infinite, equality is determined by the signs matching.
2
                (true, true) => lhs.is_sign_positive() == rhs.is_sign_positive(),
                // One is finite, one is infinite, they aren't equal
                _ => false,
            }
        }
        // Both are NaN. They are only equal if the signs are equal.
2
        (true, true) => lhs.is_sign_positive() == rhs.is_sign_positive(),
        // One is NaN, the other isn't.
3
        _ => false,
    }
58
}

            
1
#[test]
1
fn real_eq_tests() {
1
    assert!(real_total_eq(0.1, 0.1));
1
    assert!(!real_total_eq(0.1 + f64::EPSILON, 0.1));
1
    assert!(real_total_eq(f64::NAN, f64::NAN));
1
    assert!(!real_total_eq(f64::NAN, -f64::NAN));
1
    assert!(!real_total_eq(f64::NAN, 0.1));
1
    assert!(!real_total_eq(f64::NAN, f64::INFINITY));
1
    assert!(!real_total_eq(f64::NAN, f64::NEG_INFINITY));
1
    assert!(real_total_eq(f64::INFINITY, f64::INFINITY));
1
    assert!(!real_total_eq(f64::INFINITY, f64::NEG_INFINITY));
1
}

            
impl PartialEq<bool> for Value {
    fn eq(&self, other: &bool) -> bool {
168
        if let Self::Boolean(this) = self {
168
            this == other
        } else {
            false
        }
168
    }
}

            
impl PartialEq<i64> for Value {
    fn eq(&self, other: &i64) -> bool {
168
        if let Self::Integer(this) = self {
168
            this == other
        } else {
            false
        }
168
    }
}

            
impl PartialEq<f64> for Value {
    // floating point casts are intentional in this code.
    #[allow(clippy::cast_precision_loss)]
    fn eq(&self, rhs: &f64) -> bool {
        match self {
            Value::Integer(lhs) => real_total_eq(*lhs as f64, *rhs),
            Value::Real(lhs) => real_total_eq(*lhs, *rhs),
            _ => false,
        }
    }
}

            
impl PartialOrd for Value {
    #[inline]
699
    fn partial_cmp(&self, right: &Self) -> Option<Ordering> {
699
        match self {
699
            Value::Integer(left) => match right {
699
                Value::Integer(right) => Some(left.cmp(right)),
                Value::Dynamic(right_dynamic) => {
                    dynamic::cmp(right, right_dynamic, self).map(Ordering::reverse)
                }
                _ => None,
            },
            Value::Real(left) => match right {
                Value::Real(right) => Some(left.total_cmp(right)),
                Value::Dynamic(right_dynamic) => {
                    dynamic::cmp(right, right_dynamic, self).map(Ordering::reverse)
                }
                _ => None,
            },
            Value::Boolean(left) => match right {
                Value::Boolean(right) => Some(left.cmp(right)),
                Value::Dynamic(right_dynamic) => {
                    dynamic::cmp(right, right_dynamic, self).map(Ordering::reverse)
                }
                _ => None,
            },
            Value::Dynamic(left_dynamic) => dynamic::cmp(self, left_dynamic, right),
            Value::Void => {
                if let Value::Void = right {
                    Some(Ordering::Equal)
                } else {
                    None
                }
            }
        }
699
    }
}

            
/// All primitive [`Value`] kinds.
18
#[derive(Debug, Clone, Eq, PartialEq)]
pub enum ValueKind {
    /// A signed 64-bit integer value.
    Integer,
    /// A real number value (64-bit floating point).
    Real,
    /// A boolean representing true or false.
    Boolean,
    /// A dynamically exposed Rust type.
    Dynamic(Symbol),
    /// A value representing the lack of a value.
    Void,
}

            
impl ValueKind {
    /// Returns this kind as a string.
    #[must_use]
8
    pub fn as_str(&self) -> &str {
8
        match self {
2
            ValueKind::Integer => "Integer",
2
            ValueKind::Real => "Real",
2
            ValueKind::Boolean => "Boolean",
            ValueKind::Void => "Void",
2
            ValueKind::Dynamic(name) => name,
        }
8
    }
}

            
impl From<&ValueKind> for ValueKind {
    fn from(value: &ValueKind) -> Self {
        value.clone()
    }
}

            
impl<'a> From<&'a str> for ValueKind {
    fn from(kind: &'a str) -> Self {
        match kind {
            "Integer" => ValueKind::Integer,
            "Real" => ValueKind::Real,
            "Boolean" => ValueKind::Boolean,
            _ => ValueKind::Dynamic(Symbol::from(kind)),
        }
    }
}

            
impl From<Symbol> for ValueKind {
88
    fn from(kind: Symbol) -> Self {
88
        match &*kind {
88
            "Integer" => ValueKind::Integer,
63
            "Real" => ValueKind::Real,
50
            "Boolean" => ValueKind::Boolean,
25
            _ => ValueKind::Dynamic(kind),
        }
88
    }
}

            
impl From<&Symbol> for ValueKind {
    fn from(kind: &Symbol) -> Self {
        match kind.as_str() {
            "Integer" => ValueKind::Integer,
            "Real" => ValueKind::Real,
            "Boolean" => ValueKind::Boolean,
            _ => ValueKind::Dynamic(kind.clone()),
        }
    }
}

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

            
#[derive(Debug, Clone, PartialEq)]
struct Module<Intrinsic> {
    contents: StdHashMap<Symbol, ModuleItem>,
    vtable: Vec<VtableEntry<Intrinsic>>,
}
impl<Intrinsic> Default for Module<Intrinsic> {
169
    fn default() -> Self {
169
        Self {
169
            contents: StdHashMap::default(),
169
            vtable: Vec::default(),
169
        }
169
    }
}

            
impl<Intrinsic> Module<Intrinsic> {
    // #[must_use]
    // pub fn with_function(mut self, name: impl Into<Symbol>, function: Function) -> Self {
    //     self.define_function(name, function);
    //     self
    // }

            
114
    fn define_vtable_entry(
114
        &mut self,
114
        name: impl Into<Symbol>,
114
        entry: VtableEntry<Intrinsic>,
114
    ) -> usize {
114
        let vtable_index = self.vtable.len();
114
        self.contents
114
            .insert(name.into(), ModuleItem::Function(vtable_index));
114
        self.vtable.push(entry);
114
        vtable_index
114
    }

            
111
    pub fn define_function(&mut self, function: Function<Intrinsic>) -> usize {
111
        self.define_vtable_entry(function.name.clone(), VtableEntry::Function(function))
111
    }

            
3
    pub fn define_native_function(
3
        &mut self,
3
        name: impl Into<Symbol>,
3
        function: impl NativeFunction + 'static,
3
    ) -> usize {
3
        self.define_vtable_entry(name, VtableEntry::NativeFunction(Arc::new(function)))
3
    }
}

            
#[derive(Clone)]
enum VtableEntry<Intrinsic> {
    Function(Function<Intrinsic>),
    NativeFunction(Arc<dyn NativeFunction>),
}

            
impl<Intrinsic> Debug for VtableEntry<Intrinsic>
where
    Intrinsic: Debug,
{
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            Self::Function(arg0) => f.debug_tuple("Function").field(arg0).finish(),
            Self::NativeFunction(_arg0) => f.debug_tuple("NativeFunction").finish(),
        }
    }
}

            
impl<Intrinsic> PartialEq for VtableEntry<Intrinsic>
where
    Intrinsic: PartialEq,
{
    fn eq(&self, other: &Self) -> bool {
        match (self, other) {
            (Self::Function(l0), Self::Function(r0)) => l0 == r0,
            (Self::NativeFunction(l0), Self::NativeFunction(r0)) => l0.as_ptr() == r0.as_ptr(),
            _ => false,
        }
    }
}

            
/// A native function for Bud.
pub trait NativeFunction {
    /// Invoke this function with `args`.
    fn invoke(&self, args: &mut PoppedValues<'_>) -> Result<Value, FaultKind>;

            
    #[doc(hidden)]
    fn as_ptr(&self) -> *const u8;
}

            
impl<T> NativeFunction for T
where
    T: for<'a, 'b> Fn(&'b mut PoppedValues<'a>) -> Result<Value, FaultKind>,
{
2
    fn invoke(&self, args: &mut PoppedValues<'_>) -> Result<Value, FaultKind> {
2
        self(args)
2
    }

            
    fn as_ptr(&self) -> *const u8 {
        (self as *const T).cast::<u8>()
    }
}

            
#[derive(Debug, Clone, Eq, PartialEq)]
enum ModuleItem {
    Function(usize),
    // Module(Module),
}

            
/// A Bud virtual machine instance.
///
/// Each instance of this type has its own sandboxed environment. Its stack
/// space, function declarations, and [`Environment`] are unique from all other
/// instances of Bud with the exception that [`Symbol`]s are tracked globally.
///
/// # General Virtual Machine design
///
/// At the core of this type is a [`Stack`], which is a list of [`Value`]s. The
/// virtual machine divides the stack into "frames" (regions of [`Value`]s) as
/// it executes and calls functions.
///
/// Each stack frame is divided into two sections: arguments that were passed to
/// the function, and space for local variables. Stack frames are automatically
/// managed by the virtual machine.
///
/// The only time [`Value`]s need to be pushed to the stack directly is when
/// calling a function. Each argument being passed to the function is pushed to
/// the stack, and the virtual machine adopts the pushed values as part of the
/// called function's stack frame.
///
/// This example demonstrates a basic function that takes one argument and uses
/// 1 local variable. It performs the equivalent of creating a string like
/// `Hello, {name}!`.
///
/// ```rust
/// use std::borrow::Cow;
/// use budvm::{VirtualMachine, Function, Instruction, Value, ValueOrSource, Destination, Symbol};
///
/// let greet = Function {
///     name: Symbol::from("greet"),
///     arg_count: 1,
///     variable_count: 1,
///     code: vec![
///         Instruction::Add {
///             left: ValueOrSource::Value(Value::dynamic(String::from("Hello, "))),
///             right: ValueOrSource::Argument(0),
///             destination: Destination::Variable(0),
///         },
///         Instruction::Add {
///             left: ValueOrSource::Variable(0),
///             right: ValueOrSource::Value(Value::dynamic(String::from("!"))),
///             destination: Destination::Return,
///         },
///     ],
/// };
///
/// let mut vm = VirtualMachine::empty().with_function(greet);
/// let result: String = vm
///     .run(
///         &[
///             Instruction::Push(ValueOrSource::Value(Value::dynamic(String::from("Ferris")))),
///             Instruction::Call {
///                 vtable_index: Some(0),
///                 arg_count: 1,
///                 destination: Destination::Stack,
///             },
///         ],
///         0,
///     )
///     .unwrap();
/// assert_eq!(result, "Hello, Ferris!");
/// ```
///
/// When the virtual machine finishes executing [`Instruction::Call`],
/// [`Instruction::CallIntrinsic`], or [`Instruction::CallInstance`], the return
/// value is placed in the correct location and the stack is cleaned up to
/// remove all pushed arguments and local variables of the function being
/// called.
///
/// The Rust interface will automatically pop a value from the stack upon
/// returning. The [`FromStack`] trait allows a type to be converted seamlessly
/// as in the above example.
///
/// The previous example also highlights one other interesting aspect of the
/// virtual machine: all heap-allocated types are grouped into a single
/// [`Dynamic`] type. This means that the virtual machine doesn't actually know
/// anything about the `String` type. The virtual machine knows how to perform
/// operations with [`Dynamic`] values, and any Rust type that implements
/// [`DynamicValue`] can be used in the virtual machine.
///
/// Each [`Instruction`] variant is documented with its expected behavior.
///
/// # Custom Environments
///
/// The virtual machine has several opportunities to customize its behavior. For
/// default behavior, [`Environment`] is implemented for `()`.
///
/// There are multiple reasons to implement a custom [`Environment`]:
///
/// * The [`Environment::Intrinsic`] associated type allows extending the
///   virtual machine with intrinsic functions. Bud uses this to initialize map
///   and list literals at runtime via `NewMap` and `NewList` intrinsics.
/// * The [`Environment::String`] type can be replaced to use another string
///   type.
/// * The [`Environment::step()`] function can be overriden to pause execution
///   conditionally.
///
///
#[derive(Debug, Default, Clone, PartialEq)]
pub struct VirtualMachine<Env>
where
    Env: Environment,
{
    /// The stack for this virtual machine. Take care when manually manipulating
    /// the stack.
    pub stack: Stack,
    persistent_variables: Vec<Symbol>,
    local_module: Module<Env::Intrinsic>,
    environment: Env,
}

            
impl VirtualMachine<()> {
    /// Returns a default instance of Bud with no custom [`Environment`]
    #[must_use]
53
    pub fn empty() -> Self {
53
        Self::default_for(())
53
    }
}

            
impl<Env> VirtualMachine<Env>
where
    Env: Environment,
{
    /// Returns a new instance with the provided environment.
164
    pub fn new(
164
        environment: Env,
164
        initial_stack_capacity: usize,
164
        maximum_stack_capacity: usize,
164
    ) -> Self {
164
        Self {
164
            environment,
164
            stack: Stack::new(initial_stack_capacity, maximum_stack_capacity),
164
            local_module: Module::default(),
164
            persistent_variables: Vec::new(),
164
        }
164
    }

            
    /// Returns a new instance with the provided environment.
164
    pub fn default_for(environment: Env) -> Self {
164
        Self::new(environment, 0, usize::MAX)
164
    }

            
    /// Returns a reference to the environment for this instance.
1
    pub fn environment(&self) -> &Env {
1
        &self.environment
1
    }

            
    /// Returns a mutable refernce to the environment for this instance.
    pub fn environment_mut(&mut self) -> &mut Env {
        &mut self.environment
    }

            
    /// Returns a list of persistent variables defined with
    /// [`Scope::define_persistent_variable()`]
16
    pub fn persistent_variables(&self) -> &[Symbol] {
16
        &self.persistent_variables
16
    }

            
    /// Registers a function with the provided name and returns self. This is a
    /// builder-style function.
    #[must_use]
6
    pub fn with_function(mut self, function: Function<Env::Intrinsic>) -> Self {
6
        self.define_function(function);
6
        self
6
    }

            
    /// Registers a function with the provided name and returns self. This is a
    /// builder-style function.
    #[must_use]
1
    pub fn with_native_function(
1
        mut self,
1
        name: impl Into<Symbol>,
1
        function: impl NativeFunction + 'static,
1
    ) -> Self {
1
        self.define_native_function(name, function);
1
        self
1
    }

            
    /// Defines a native function with the provided name.
3
    pub fn define_native_function(
3
        &mut self,
3
        name: impl Into<Symbol>,
3
        function: impl NativeFunction + 'static,
3
    ) -> usize {
3
        self.local_module.define_native_function(name, function)
3
    }

            
    /// Runs a set of instructions.
4
    pub fn call<Output: FromStack, Args, ArgsIter>(
4
        &mut self,
4
        function: &Symbol,
4
        arguments: Args,
4
    ) -> Result<Output, Fault<'_, Env, Output>>
4
    where
4
        Args: IntoIterator<Item = Value, IntoIter = ArgsIter>,
4
        ArgsIter: Iterator<Item = Value> + ExactSizeIterator + DoubleEndedIterator,
4
    {
4
        match self.local_module.contents.get(function) {
4
            Some(ModuleItem::Function(vtable_index)) => {
4
                let arg_count = self.stack.extend(arguments)?;
                // TODO It'd be nice to not have to have an allocation here
4
                self.run(
4
                    vec![Instruction::Call {
4
                        vtable_index: Some(*vtable_index),
4
                        arg_count,
4
                        destination: Destination::Return,
4
                    }],
4
                    0,
4
                )
            }
            None => Err(Fault::from(FaultKind::UnknownFunction {
                kind: ValueKind::Void,
                name: function.clone(),
            })),
        }
4
    }

            
    /// Runs a set of instructions, allocating space for `variable_count`
    /// variables to be used by `instructions`. When this function returns, the
    /// stack space for the variables will be removed.
105
    pub fn run<'a, Output: FromStack>(
105
        &'a mut self,
105
        instructions: impl Into<Instructions<'a, Env::Intrinsic>>,
105
        variable_count: usize,
105
    ) -> Result<Output, Fault<'a, Env, Output>> {
105
        self.run_internal(instructions, variable_count, false)
105
    }

            
    /// Runs a set of instructions without modifying the stack before executing.
    ///
    /// The top `variable_count` slots on the stack are considered variables
    /// while executing `instructions`.
    ///
    /// When the execution finishes, the stack will not be truncated in any way.
    ///
    /// This function can be used to build an interactive environment, like a
    /// [REPL][repl].
    ///
    /// [repl]:
    ///     https://en.wikipedia.org/wiki/Read%E2%80%93eval%E2%80%93print_loop
7
    pub fn run_interactive<'a, Output: FromStack>(
7
        &'a mut self,
7
        instructions: impl Into<Instructions<'a, Env::Intrinsic>>,
7
        variable_count: usize,
7
    ) -> Result<Output, Fault<'a, Env, Output>> {
7
        self.run_internal(instructions, variable_count, true)
7
    }

            
112
    fn run_internal<'a, Output: FromStack>(
112
        &'a mut self,
112
        instructions: impl Into<Instructions<'a, Env::Intrinsic>>,
112
        variable_count: usize,
112
        interactive: bool,
112
    ) -> Result<Output, Fault<'a, Env, Output>> {
112
        let instructions = instructions.into();
112
        if !interactive && variable_count > 0 {
2
            self.stack.grow_by(variable_count)?;
110
        }

            
112
        let return_offset = self.stack.len();
112
        let variables_offset = return_offset
112
            .checked_sub(variable_count)
112
            .ok_or(FaultKind::StackUnderflow)?;
112
        let returned_value = match (StackFrame {
112
            module: &self.local_module,
112
            stack: &mut self.stack,
112
            environment: &mut self.environment,
112
            return_offset,
112
            destination: Destination::Return,
112
            variables_offset,
112
            arg_offset: 0,
112
            return_value: None,
112
            vtable_index: None,
112
            operation_index: 0,
112
            _output: PhantomData,
112
        }
112
        .execute_operations(&instructions))
        {
            Err(Fault {
3
                kind: FaultOrPause::Pause(paused_evaluation),
3
                stack,
3
            }) => {
3
                let paused_evaluation = PausedExecution {
3
                    context: Some(self),
3
                    operations: Some(instructions),
3
                    stack: paused_evaluation.stack,
3
                    _return: PhantomData,
3
                };
3
                return Err(Fault {
3
                    kind: FaultOrPause::Pause(paused_evaluation),
3
                    stack,
3
                });
            }
109
            other => other?,
        };
104
        if interactive {
7
            self.stack.truncate(return_offset);
97
        } else {
97
            self.stack.truncate(variables_offset);
97
        }
104
        Output::from_value(returned_value).map_err(Fault::from)
112
    }

            
89
    fn resume<'a, Output: FromStack>(
89
        &'a mut self,
89
        operations: Instructions<'a, Env::Intrinsic>,
89
        mut paused_stack: VecDeque<PausedFrame>,
89
    ) -> Result<Output, Fault<'a, Env, Output>> {
89
        let first_frame = paused_stack.pop_front().expect("at least one frame");
89
        let value = match (StackFrame {
89
            module: &self.local_module,
89
            stack: &mut self.stack,
89
            environment: &mut self.environment,
89
            return_offset: first_frame.return_offset,
89
            destination: first_frame.destination,
89
            variables_offset: first_frame.variables_offset,
89
            arg_offset: first_frame.arg_offset,
89
            return_value: first_frame.return_value,
89
            vtable_index: first_frame.vtable_index,
89
            operation_index: first_frame.operation_index,
89
            _output: PhantomData,
89
        }
89
        .resume_executing_execute_operations(&operations, paused_stack))
        {
3
            Ok(value) => value,
            Err(Fault {
86
                kind: FaultOrPause::Pause(paused_evaluation),
86
                stack,
86
            }) => {
86
                let paused_evaluation = PausedExecution {
86
                    context: Some(self),
86
                    operations: Some(operations),
86
                    stack: paused_evaluation.stack,
86
                    _return: PhantomData,
86
                };
86
                return Err(Fault {
86
                    kind: FaultOrPause::Pause(paused_evaluation),
86
                    stack,
86
                });
            }
            Err(other) => return Err(other),
        };
3
        Output::from_value(value).map_err(Fault::from)
89
    }

            
    // /// Compiles `source` and executes it in this context. Any declarations will
    // /// persist in the virtual machine, but all local variables will be removed
    // /// from the stack upon completion.
    // ///
    // /// To enable persisting of local variables, use [`Bud::evaluate()`].
    // pub fn run_source<Output: FromStack>(
    //     &mut self,
    //     source: &str,
    // ) -> Result<Output, Fault<'_, Env, Output>> {
    //     let unit = parse(source)?;
    //     unit.compile(self)?.execute_in(self)
    // }
}

            
/// A collection of [`Instruction`]s that may be borrowed.
///
/// This type is functionally equivalent to `Cow<'a, [Instruction<Intrinsic>]>`,
/// but it has more flexible `From` trait implementations.
#[derive(Debug, Eq, PartialEq)]
pub enum Instructions<'a, Intrinsic> {
    /// An owned collection of instructions.
    Owned(Vec<Instruction<Intrinsic>>),
    /// A borrowed slice of instructions.
    Borrowed(&'a [Instruction<Intrinsic>]),
}

            
impl<'a, Intrinsic> Deref for Instructions<'a, Intrinsic> {
    type Target = [Instruction<Intrinsic>];

            
201
    fn deref(&self) -> &Self::Target {
201
        match self {
153
            Instructions::Owned(instructions) => instructions,
48
            Instructions::Borrowed(instructions) => instructions,
        }
201
    }
}

            
impl<'a, Intrinsic> From<&'a [Instruction<Intrinsic>]> for Instructions<'a, Intrinsic> {
    fn from(instructions: &'a [Instruction<Intrinsic>]) -> Self {
        Self::Borrowed(instructions)
    }
}

            
impl<'a, Intrinsic> From<&'a Vec<Instruction<Intrinsic>>> for Instructions<'a, Intrinsic> {
1
    fn from(instructions: &'a Vec<Instruction<Intrinsic>>) -> Self {
1
        Self::Borrowed(instructions)
1
    }
}

            
impl<'a, Intrinsic, const SIZE: usize> From<&'a [Instruction<Intrinsic>; SIZE]>
    for Instructions<'a, Intrinsic>
{
8
    fn from(instructions: &'a [Instruction<Intrinsic>; SIZE]) -> Self {
8
        Self::Borrowed(instructions)
8
    }
}

            
impl<'a, Intrinsic> From<Vec<Instruction<Intrinsic>>> for Instructions<'a, Intrinsic> {
103
    fn from(instructions: Vec<Instruction<Intrinsic>>) -> Self {
103
        Self::Owned(instructions)
103
    }
}

            
impl<Env> Scope for VirtualMachine<Env>
where
    Env: Environment,
{
    type Environment = Env;

            
    fn resolve_function_vtable_index(&self, name: &Symbol) -> Option<usize> {
15
        if let Some(module_item) = self.local_module.contents.get(name) {
15
            match module_item {
15
                ModuleItem::Function(index) => Some(*index),
                // ModuleItem::Module(_) => None,
            }
        } else {
            None
        }
15
    }

            
97
    fn map_each_symbol(&self, callback: &mut impl FnMut(Symbol, ScopeSymbolKind)) {
97
        // Take care to order the functions based on their vtable index
97
        let mut functions = Vec::with_capacity(self.local_module.vtable.len());
143
        for (symbol, item) in &self.local_module.contents {
46
            match item {
46
                ModuleItem::Function(index) => functions.push((symbol.clone(), *index)),
            }
        }

            
97
        functions.sort_by(|a, b| a.1.cmp(&b.1));

            
143
        for (symbol, _) in functions {
46
            callback(symbol, ScopeSymbolKind::Function);
46
        }

            
130
        for variable in &self.persistent_variables {
33
            callback(variable.clone(), ScopeSymbolKind::Variable);
33
        }
97
    }

            
111
    fn define_function(&mut self, function: Function<Env::Intrinsic>) -> Option<usize> {
111
        Some(self.local_module.define_function(function))
111
    }

            
147
    fn define_persistent_variable(&mut self, name: Symbol, variable: crate::ir::Variable) {
147
        if variable.index() >= self.persistent_variables.len() {
65
            self.persistent_variables
114
                .resize_with(variable.index() + 1, || Symbol::from(""));
83
        }

            
147
        self.persistent_variables[variable.index()] = name;
147
    }
}

            
enum FlowControl {
    Return(Value),
    JumpTo(usize),
}

            
#[derive(Debug)]
struct StackFrame<'a, Env, Output>
where
    Env: Environment,
{
    module: &'a Module<Env::Intrinsic>,
    stack: &'a mut Stack,
    environment: &'a mut Env,
    // Each stack frame cannot pop below this offset.
    return_offset: usize,
    destination: Destination,
    variables_offset: usize,
    arg_offset: usize,
    return_value: Option<Value>,

            
    vtable_index: Option<usize>,
    operation_index: usize,

            
    _output: PhantomData<Output>,
}

            
impl<'a, Env, Output> StackFrame<'a, Env, Output>
where
    Env: Environment,
{
462
    fn resume_executing_execute_operations(
462
        &mut self,
462
        operations: &[Instruction<Env::Intrinsic>],
462
        mut resume_from: VecDeque<PausedFrame>,
462
    ) -> Result<Value, Fault<'static, Env, Output>> {
462
        if let Some(call_to_resume) = resume_from.pop_front() {
            // We were calling a function when this happened. We need to finish the call.
373
            let vtable_index = call_to_resume
373
                .vtable_index
373
                .expect("can only resume a called function");
373
            let function = match &self.module.vtable[vtable_index] {
373
                VtableEntry::Function(function) => function,
                VtableEntry::NativeFunction(_) => unreachable!("cannot resume a native function"),
            };
373
            let mut running_frame = StackFrame {
373
                module: self.module,
373
                stack: self.stack,
373
                environment: self.environment,
373
                return_offset: call_to_resume.return_offset,
373
                destination: call_to_resume.destination,
373
                variables_offset: call_to_resume.variables_offset,
373
                arg_offset: call_to_resume.arg_offset,
373
                return_value: call_to_resume.return_value,
373
                vtable_index: call_to_resume.vtable_index,
373
                operation_index: call_to_resume.operation_index,
373
                _output: PhantomData,
373
            };
66
            let returned_value = match running_frame
373
                .resume_executing_execute_operations(&function.code, resume_from)
            {
66
                Ok(value) => value,
                Err(Fault {
307
                    kind: FaultOrPause::Pause(mut paused),
307
                    stack,
307
                }) => {
307
                    paused.stack.push_front(PausedFrame {
307
                        return_offset: self.return_offset,
307
                        arg_offset: self.arg_offset,
307
                        variables_offset: self.variables_offset,
307
                        return_value: self.return_value.take(),
307
                        vtable_index: self.vtable_index,
307
                        operation_index: self.operation_index,
307
                        destination: self.destination,
307
                    });
307
                    return Err(Fault {
307
                        kind: FaultOrPause::Pause(paused),
307
                        stack,
307
                    });
                }
                Err(err) => return Err(err),
            };

            
66
            self.clean_stack_after_call(
66
                call_to_resume.arg_offset,
66
                call_to_resume.destination,
66
                returned_value,
66
            )?;

            
            // The call that was executing when we paused has finished, we can
            // now resume executing our frame's instructions.
89
        }

            
155
        self.execute_operations(operations)
462
    }
1030
    fn execute_operations(
1030
        &mut self,
1030
        operations: &[Instruction<Env::Intrinsic>],
1030
    ) -> Result<Value, Fault<'static, Env, Output>> {
        loop {
4572
            if matches!(self.environment.step(), ExecutionBehavior::Pause) {
89
                let mut stack = VecDeque::new();
89
                stack.push_front(PausedFrame {
89
                    return_offset: self.return_offset,
89
                    arg_offset: self.arg_offset,
89
                    variables_offset: self.variables_offset,
89
                    return_value: self.return_value.take(),
89
                    vtable_index: self.vtable_index,
89
                    operation_index: self.operation_index,
89
                    destination: self.destination,
89
                });
89
                return Err(Fault {
89
                    kind: FaultOrPause::Pause(PausedExecution {
89
                        context: None,
89
                        operations: None,
89
                        stack,
89
                        _return: PhantomData,
89
                    }),
89
                    stack: vec![FaultStackFrame {
89
                        vtable_index: self.vtable_index,
89
                        instruction_index: self.operation_index,
89
                    }],
89
                });
4483
            }
4483

            
4483
            let operation = operations.get(self.operation_index);
4483
            let operation = if let Some(operation) = operation {
3987
                operation
            } else {
                // Implicit return;
496
                let return_value = self.return_value.take().unwrap_or_else(|| {
100
                    if self.return_offset < self.stack.len() {
99
                        std::mem::take(&mut self.stack[self.return_offset])
                    } else {
1
                        Value::Void
                    }
496
                });
496
                return Ok(return_value);
            };
3987
            self.operation_index += 1;
3987
            match self.execute_operation(operation) {
2894
                Ok(None) => {}
648
                Ok(Some(FlowControl::JumpTo(op_index))) => {
648
                    self.operation_index = op_index;
648
                }
370
                Ok(Some(FlowControl::Return(value))) => {
370
                    return Ok(value);
                }
75
                Err(mut fault) => {
75
                    if let FaultOrPause::Pause(paused_frame) = &mut fault.kind {
66
                        paused_frame.stack.push_front(PausedFrame {
66
                            return_offset: self.return_offset,
66
                            arg_offset: self.arg_offset,
66
                            variables_offset: self.variables_offset,
66
                            return_value: self.return_value.take(),
66
                            vtable_index: self.vtable_index,
66
                            operation_index: self.operation_index,
66
                            destination: self.destination,
66
                        });
72
                    }
75
                    fault.stack.insert(
75
                        0,
75
                        FaultStackFrame {
75
                            vtable_index: self.vtable_index,
75
                            instruction_index: self.operation_index - 1,
75
                        },
75
                    );
75
                    return Err(fault);
                }
            }
        }
1030
    }

            
    #[allow(clippy::too_many_lines)]
3987
    fn execute_operation(
3987
        &mut self,
3987
        operation: &Instruction<Env::Intrinsic>,
3987
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
3987
        match operation {
173
            Instruction::JumpTo(instruction_index) => {
173
                Ok(Some(FlowControl::JumpTo(*instruction_index)))
            }
            Instruction::Add {
643
                left,
643
                right,
643
                destination,
643
            } => self.checked_add(left, right, *destination),
            Instruction::Sub {
650
                left,
650
                right,
650
                destination,
650
            } => self.checked_sub(left, right, *destination),
            Instruction::Multiply {
8
                left,
8
                right,
8
                destination,
8
            } => self.checked_mul(left, right, *destination),
            Instruction::Divide {
3
                left,
3
                right,
3
                destination,
3
            } => self.checked_div(left, right, *destination),
            Instruction::LogicalAnd {
                left,
                right,
                destination,
            } => self.and(left, right, *destination),
            Instruction::LogicalOr {
                left,
                right,
                destination,
            } => self.or(left, right, *destination),
            Instruction::LogicalXor {
4
                left,
4
                right,
4
                destination,
4
            } => self.xor(left, right, *destination),
            Instruction::BitwiseAnd {
1
                left,
1
                right,
1
                destination,
1
            } => self.integer_op(left, right, *destination, |a, b| Ok(a & b)),
            Instruction::BitwiseOr {
1
                left,
1
                right,
1
                destination,
1
            } => self.integer_op(left, right, *destination, |a, b| Ok(a | b)),
            Instruction::BitwiseXor {
1
                left,
1
                right,
1
                destination,
1
            } => self.integer_op(left, right, *destination, |a, b| Ok(a ^ b)),
            Instruction::ShiftLeft {
2
                left,
2
                right,
2
                destination,
2
            } => self.integer_op(left, right, *destination, |a, b| {
2
                if b < 64 {
1
                    Ok(a << b)
                } else {
1
                    Ok(0)
                }
2
            }),
            Instruction::ShiftRight {
2
                left,
2
                right,
2
                destination,
2
            } => self.integer_op(left, right, *destination, |a, b| {
2
                if b < 64 {
1
                    Ok(a >> b)
                } else {
1
                    Ok(0)
                }
2
            }),
            Instruction::LogicalNot {
3
                value: left,
3
                destination,
3
            } => self.not(left, *destination),
            Instruction::BitwiseNot {
1
                value: left,
1
                destination,
1
            } => self.bitnot(left, *destination),
            Instruction::Convert {
7
                value,
7
                kind,
7
                destination,
7
            } => self.convert(value, kind, *destination),
            Instruction::If {
39
                condition: value,
39
                false_jump_to,
39
            } => self.r#if(value, *false_jump_to),
            Instruction::Compare {
859
                comparison,
859
                left,
859
                right,
859
                action,
859
            } => self.compare(*comparison, left, right, *action),
63
            Instruction::Push(value) => {
63
                match value {
59
                    ValueOrSource::Value(value) => self.stack.push(value.clone())?,
1
                    ValueOrSource::Argument(arg) => self.push_arg(*arg)?,
3
                    ValueOrSource::Variable(variable) => self.push_var(*variable)?,
                    ValueOrSource::Stack => {}
                }

            
61
                Ok(None)
            }
370
            Instruction::Return(value) => {
370
                let value = match value {
347
                    Some(ValueOrSource::Value(value)) => value.clone(),
23
                    Some(ValueOrSource::Variable(source)) => {
23
                        self.resolve_variable(*source)?.clone()
                    }
                    Some(ValueOrSource::Argument(source)) => {
                        self.resolve_argument(*source)?.clone()
                    }
                    Some(ValueOrSource::Stack) => self.stack.pop()?,
                    None => self.return_value.take().unwrap_or_default(),
                };

            
370
                Ok(Some(FlowControl::Return(value)))
            }
            Instruction::Load {
365
                variable_index,
365
                value,
365
            } => self.load(*variable_index, value),
            Instruction::Call {
766
                vtable_index,
766
                arg_count,
766
                destination,
766
            } => self.call(*vtable_index, *arg_count, *destination),
            Instruction::CallIntrinsic {
5
                intrinsic,
5
                arg_count,
5
                destination,
5
            } => self.intrinsic(intrinsic, *arg_count, *destination),
            Instruction::CallInstance {
21
                target,
21
                name,
21
                arg_count,
21
                destination,
21
            } => self.call_instance(target, name, *arg_count, *destination),
        }
3987
    }

            
759
    fn clean_stack_after_call(
759
        &mut self,
759
        arg_offset: usize,
759
        destination: Destination,
759
        returned_value: Value,
759
    ) -> Result<(), Fault<'static, Env, Output>> {
759
        // Remove everything from arguments on.
759
        self.stack.remove_range(arg_offset..);
759

            
759
        match destination {
545
            Destination::Variable(variable) => {
545
                *self.resolve_variable_mut(variable)? = returned_value;
545
                Ok(())
            }
204
            Destination::Stack => self.stack.push(returned_value).map_err(Fault::from),
            Destination::Return => {
10
                self.return_value = Some(returned_value);
10
                Ok(())
            }
        }
759
    }

            
    fn resolve_variable(&self, index: usize) -> Result<&Value, FaultKind> {
1440
        if let Some(index) = self.variables_offset.checked_add(index) {
1440
            if index < self.return_offset {
1440
                return Ok(&self.stack[index]);
            }
        }
        Err(FaultKind::InvalidVariableIndex)
1440
    }

            
    fn resolve_argument(&self, index: usize) -> Result<&Value, FaultKind> {
1314
        if let Some(index) = self.arg_offset.checked_add(index) {
1314
            if index < self.variables_offset {
1314
                return Ok(&self.stack[index]);
            }
        }
        Err(FaultKind::InvalidArgumentIndex)
1314
    }

            
    fn resolve_variable_mut(&mut self, index: usize) -> Result<&mut Value, FaultKind> {
1261
        if let Some(index) = self.variables_offset.checked_add(index) {
1261
            if index < self.return_offset {
1261
                return Ok(&mut self.stack[index]);
            }
        }
        Err(FaultKind::InvalidVariableIndex)
1261
    }

            
1362
    fn resolve_value_source_mut(&mut self, value: Destination) -> Result<&mut Value, FaultKind> {
1362
        match value {
333
            Destination::Variable(index) => self.resolve_variable_mut(index),
            Destination::Stack => {
648
                self.stack.grow_by(1)?;
648
                self.stack.top_mut()
            }
            Destination::Return => {
381
                if self.return_value.is_none() {
381
                    self.return_value = Some(Value::Void);
381
                }
381
                Ok(self.return_value.as_mut().expect("always initialized"))
            }
        }
1362
    }

            
437
    fn resolve_value_or_source<'v>(
437
        &'v mut self,
437
        value: &'v ValueOrSource,
437
    ) -> Result<Cow<'v, Value>, FaultKind> {
437
        match value {
3
            ValueOrSource::Argument(index) => self.resolve_argument(*index).map(Cow::Borrowed),
353
            ValueOrSource::Variable(index) => self.resolve_variable(*index).map(Cow::Borrowed),
78
            ValueOrSource::Value(value) => Ok(value).map(Cow::Borrowed),
3
            ValueOrSource::Stack => self.stack.pop().map(Cow::Owned),
        }
437
    }

            
    /// Does not mutate the stack, instead keeps track of popped values with `pop_index`,
    /// requires to call [`Stack::pop_n(pop_index)`](Stack::pop_n) afterwards
4326
    fn resolve_value_or_source_non_stack_mutating<'v>(
4326
        &'v self,
4326
        value: &'v ValueOrSource,
4326
        pop_index: &mut usize,
4326
    ) -> Result<&'v Value, FaultKind> {
4326
        match value {
1311
            ValueOrSource::Argument(index) => self.resolve_argument(*index),
1064
            ValueOrSource::Variable(index) => self.resolve_variable(*index),
1843
            ValueOrSource::Value(value) => Ok(value),
            ValueOrSource::Stack => {
108
                *pop_index += 1;
108
                self.stack.get(*pop_index - 1)
            }
        }
4326
    }

            
39
    fn r#if(
39
        &mut self,
39
        value: &ValueOrSource,
39
        false_jump_to: usize,
39
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
39
        if self.resolve_value_or_source(value)?.is_truthy() {
21
            Ok(None)
        } else {
18
            Ok(Some(FlowControl::JumpTo(false_jump_to)))
        }
39
    }

            
    #[allow(clippy::unnecessary_wraps)] // makes caller more clean
160
    fn equality<const INVERSE: bool>(left: &Value, right: &Value) -> bool {
160
        let mut result = left.eq(right);
160
        if INVERSE {
2
            result = !result;
158
        }
160
        result
160
    }

            
    fn compare_values(
        left: &Value,
        right: &Value,
        matcher: impl FnOnce(Ordering) -> bool,
    ) -> Result<bool, Fault<'static, Env, Output>> {
699
        if let Some(ordering) = left.partial_cmp(right) {
699
            Ok(matcher(ordering))
        } else {
            Err(Fault::type_mismatch(
                "invalid comparison between @expected and `@received-value` (@received-type)",
                left.kind(),
                right.clone(),
            ))
        }
699
    }

            
859
    fn compare(
859
        &mut self,
859
        comparison: Comparison,
859
        left: &ValueOrSource,
859
        right: &ValueOrSource,
859
        result: CompareAction,
859
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
859
        let mut to_pop = 0;
859
        let left = self.resolve_value_or_source_non_stack_mutating(left, &mut to_pop)?;
859
        let right = self.resolve_value_or_source_non_stack_mutating(right, &mut to_pop)?;

            
859
        let comparison_result = match comparison {
158
            Comparison::Equal => Self::equality::<false>(left, right),
2
            Comparison::NotEqual => Self::equality::<true>(left, right),
            Comparison::LessThan => {
19
                Self::compare_values(left, right, |ordering| ordering == Ordering::Less)?
            }
663
            Comparison::LessThanOrEqual => Self::compare_values(left, right, |ordering| {
663
                matches!(ordering, Ordering::Less | Ordering::Equal)
663
            })?,
            Comparison::GreaterThan => {
7
                Self::compare_values(left, right, |ordering| ordering == Ordering::Greater)?
            }
10
            Comparison::GreaterThanOrEqual => Self::compare_values(left, right, |ordering| {
10
                matches!(ordering, Ordering::Greater | Ordering::Equal)
10
            })?,
        };

            
859
        self.stack.pop_n(to_pop);
859

            
859
        match result {
36
            CompareAction::Store(dest) => {
36
                *self.resolve_value_source_mut(dest)? = Value::Boolean(comparison_result);

            
36
                Ok(None)
            }
823
            CompareAction::JumpIfFalse(target) => {
823
                if comparison_result {
366
                    Ok(None)
                } else {
457
                    Ok(Some(FlowControl::JumpTo(target)))
                }
            }
        }
859
    }

            
    fn push_var(&mut self, variable: usize) -> Result<(), Fault<'static, Env, Output>> {
3
        if let Some(stack_offset) = self.variables_offset.checked_add(variable) {
3
            if stack_offset < self.return_offset {
2
                let value = self.stack[stack_offset].clone();
2
                self.stack.push(value)?;
2
                return Ok(());
1
            }
        }
1
        Err(Fault::from(FaultKind::InvalidVariableIndex))
3
    }

            
    fn push_arg(&mut self, arg: usize) -> Result<(), Fault<'static, Env, Output>> {
1
        if let Some(stack_offset) = self.arg_offset.checked_add(arg) {
1
            if stack_offset < self.variables_offset {
                let value = self.stack[stack_offset].clone();
                self.stack.push(value)?;
                return Ok(());
1
            }
        }
1
        Err(Fault::from(FaultKind::InvalidArgumentIndex))
1
    }

            
365
    fn load(
365
        &mut self,
365
        variable: usize,
365
        value: &ValueOrSource,
365
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
365
        let value = self.resolve_value_or_source(value)?;
365
        *self.resolve_variable_mut(variable)? = value.into_owned();

            
365
        Ok(None)
365
    }

            
766
    fn call(
766
        &mut self,
766
        vtable_index: Option<usize>,
766
        arg_count: usize,
766
        destination: Destination,
766
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
766
        let vtable_index = vtable_index
766
            .or(self.vtable_index)
766
            .ok_or(FaultKind::InvalidVtableIndex)?;
766
        let function = &self
766
            .module
766
            .vtable
766
            .get(vtable_index)
766
            .ok_or(FaultKind::InvalidVtableIndex)?;

            
765
        match function {
763
            VtableEntry::Function(function) => {
763
                assert_eq!(function.arg_count, arg_count);

            
763
                let variables_offset = self.stack.len();
763
                let return_offset = variables_offset + function.variable_count;
763
                let arg_offset = variables_offset - function.arg_count;
763
                if function.variable_count > 0 {
594
                    self.stack.grow_to(return_offset)?;
169
                }

            
763
                let mut frame = StackFrame {
763
                    module: self.module,
763
                    stack: self.stack,
763
                    environment: self.environment,
763
                    return_offset,
763
                    destination,
763
                    variables_offset,
763
                    arg_offset,
763
                    return_value: None,
763
                    vtable_index: Some(vtable_index),
763
                    operation_index: 0,
763
                    _output: PhantomData,
763
                };
763
                let returned_value = frame.execute_operations(&function.code)?;

            
693
                self.clean_stack_after_call(arg_offset, destination, returned_value)?;

            
693
                Ok(None)
            }
2
            VtableEntry::NativeFunction(function) => {
2
                let return_offset = self.stack.len();
2
                let arg_offset = return_offset.checked_sub(arg_count);
2
                match arg_offset {
2
                    Some(arg_offset) if arg_offset >= self.return_offset => {}
                    _ => return Err(Fault::stack_underflow()),
                };

            
2
                let produced_value = function.invoke(&mut self.stack.pop_n(arg_count))?;
2
                match destination {
2
                    Destination::Variable(variable) => {
2
                        *self.resolve_variable_mut(variable)? = produced_value;
                    }
                    Destination::Stack => {
                        self.stack.push(produced_value)?;
                    }
                    Destination::Return => {
                        self.return_value = Some(produced_value);
                    }
                }
2
                Ok(None)
            }
        }
766
    }

            
21
    fn call_instance(
21
        &mut self,
21
        target: &ValueOrSource,
21
        name: &Symbol,
21
        arg_count: usize,
21
        destination: Destination,
21
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
        // To prevent overlapping a mutable borrow of the value plus immutable
        // borrows of the stack, we temporarily take the value from where it
        // lives.
21
        let stack_index = match target {
3
            ValueOrSource::Argument(index) => {
3
                if let Some(stack_index) = self.arg_offset.checked_add(*index) {
3
                    if stack_index < self.variables_offset {
3
                        stack_index
                    } else {
                        return Err(Fault::from(FaultKind::InvalidArgumentIndex));
                    }
                } else {
                    return Err(Fault::from(FaultKind::InvalidArgumentIndex));
                }
            }
18
            ValueOrSource::Variable(index) => {
18
                if let Some(stack_index) = self.variables_offset.checked_add(*index) {
18
                    if stack_index < self.return_offset {
18
                        stack_index
                    } else {
                        return Err(Fault::from(FaultKind::InvalidVariableIndex));
                    }
                } else {
                    return Err(Fault::from(FaultKind::InvalidVariableIndex));
                }
            }
            ValueOrSource::Value(value) => {
                // We don't have any intrinsic functions yet, and this Value can
                // only be a literal.
                return Err(Fault::from(FaultKind::UnknownFunction {
                    kind: value.kind(),
                    name: name.clone(),
                }));
            }
            ValueOrSource::Stack => {
                // If None, the target is the value prior to the arguments.
                if let Some(stack_index) = self
                    .stack
                    .len()
                    .checked_sub(arg_count)
                    .and_then(|index| index.checked_sub(1))
                {
                    if stack_index >= self.return_offset {
                        stack_index
                    } else {
                        return Err(Fault::stack_underflow());
                    }
                } else {
                    return Err(Fault::stack_underflow());
                }
            }
        };

            
        // Verify the argument list is valid.
21
        let return_offset = self.stack.len();
21
        let arg_offset = return_offset.checked_sub(arg_count);
21
        match arg_offset {
21
            Some(arg_offset) if arg_offset >= self.return_offset => {}
            _ => return Err(Fault::stack_underflow()),
        };

            
        // Pull the target out of its current location.
21
        let mut target_value = Value::Void;
21
        std::mem::swap(&mut target_value, &mut self.stack[stack_index]);
        // Call without resolving any errors
21
        let result = match &mut target_value {
21
            Value::Dynamic(value) => value.call(name, self.stack.pop_n(arg_count)),

            
            _ => {
                return Err(Fault::from(FaultKind::invalid_type(
                    "@received-kind does not support function calls",
                    target_value,
                )))
            }
        };
21
        match target {
21
            ValueOrSource::Value(_) | ValueOrSource::Argument(_) | ValueOrSource::Variable(_) => {
21
                // Return the target to its proper location
21
                std::mem::swap(&mut target_value, &mut self.stack[stack_index]);
21
            }
            ValueOrSource::Stack => {
                // Remove the target's stack space. We didn't do this earlier
                // because it would have caused a copy of all args. But at this
                // point, all the args have been drained during the call so the
                // target can simply be popped.
                self.stack.pop()?;
            }
        }

            
        // If there was a fault, return.
21
        let produced_value = result?;
20
        match destination {
14
            Destination::Variable(variable) => {
14
                *self.resolve_variable_mut(variable)? = produced_value;
            }
            Destination::Stack => {
3
                self.stack.push(produced_value)?;
            }
3
            Destination::Return => {
3
                self.return_value = Some(produced_value);
3
            }
        }

            
20
        Ok(None)
21
    }

            
5
    fn intrinsic(
5
        &mut self,
5
        intrinsic: &Env::Intrinsic,
5
        arg_count: usize,
5
        destination: Destination,
5
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
5
        // Verify the argument list is valid.
5
        let return_offset = self.stack.len();
5
        let arg_offset = return_offset.checked_sub(arg_count);
5
        match arg_offset {
5
            Some(arg_offset) if arg_offset >= self.return_offset => {}
            _ => return Err(Fault::stack_underflow()),
        };
5
        let args = self.stack.pop_n(arg_count);

            
        // If there was a fault, return.
5
        let produced_value = self.environment.intrinsic(intrinsic, args)?;
4
        match destination {
2
            Destination::Variable(variable) => {
2
                *self.resolve_variable_mut(variable)? = produced_value;
            }
            Destination::Stack => {
                self.stack.push(produced_value)?;
            }
2
            Destination::Return => {
2
                self.return_value = Some(produced_value);
2
            }
        }

            
4
        Ok(None)
5
    }

            
3
    fn not(
3
        &mut self,
3
        value: &ValueOrSource,
3
        destination: Destination,
3
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
3
        let value = self.resolve_value_or_source(value)?;

            
3
        *self.resolve_value_source_mut(destination)? = Value::Boolean(value.is_falsey());

            
3
        Ok(None)
3
    }

            
1
    fn bitnot(
1
        &mut self,
1
        value: &ValueOrSource,
1
        destination: Destination,
1
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
1
        let value = self.resolve_value_or_source(value)?;
1
        let value = Self::extract_integer(&value)?;

            
1
        *self.resolve_value_source_mut(destination)? = Value::Integer(!value);

            
1
        Ok(None)
1
    }

            
7
    fn convert(
7
        &mut self,
7
        value: &ValueOrSource,
7
        kind: &ValueKind,
7
        destination: Destination,
7
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
7
        let value = self.resolve_value_or_source(value)?.into_owned();
7
        *self.resolve_value_source_mut(destination)? = value.convert(kind, self.environment)?;

            
7
        Ok(None)
7
    }

            
    fn extract_integer(value: &Value) -> Result<i64, Fault<'static, Env, Output>> {
15
        if let Some(value) = value.as_i64() {
15
            Ok(value)
        } else {
            Err(Fault::from(FaultKind::type_mismatch(
                "operation only supports @expected, received @receoved-value (@received-kind)",
                ValueKind::Integer,
                value.clone(),
            )))
        }
15
    }

            
7
    fn integer_op(
7
        &mut self,
7
        left: &ValueOrSource,
7
        right: &ValueOrSource,
7
        destination: Destination,
7
        body: impl FnOnce(i64, i64) -> Result<i64, Fault<'static, Env, Output>>,
7
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
7
        let left = self.resolve_value_or_source(left)?;
7
        let left = Self::extract_integer(&left)?;
7
        let right = self.resolve_value_or_source(right)?;
7
        let right = Self::extract_integer(&right)?;
7
        let produced_value = body(left, right)?;
7
        *self.resolve_value_source_mut(destination)? = Value::Integer(produced_value);

            
7
        Ok(None)
7
    }

            
    fn and(
        &mut self,
        left: &ValueOrSource,
        right: &ValueOrSource,
        destination: Destination,
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
        let left = self.resolve_value_or_source(left)?;
        let left = left.is_truthy();

            
        *self.resolve_value_source_mut(destination)? = Value::Boolean(if left {
            let right = self.resolve_value_or_source(right)?;
            right.is_truthy()
        } else {
            false
        });

            
        Ok(None)
    }

            
    fn or(
        &mut self,
        left: &ValueOrSource,
        right: &ValueOrSource,
        destination: Destination,
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
        let left = self.resolve_value_or_source(left)?;
        let left = left.is_truthy();

            
        *self.resolve_value_source_mut(destination)? = Value::Boolean(if left {
            true
        } else {
            let right = self.resolve_value_or_source(right)?;
            right.is_truthy()
        });

            
        Ok(None)
    }

            
4
    fn xor(
4
        &mut self,
4
        left: &ValueOrSource,
4
        right: &ValueOrSource,
4
        destination: Destination,
4
    ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
4
        let left = self.resolve_value_or_source(left)?;
4
        let left = left.is_truthy();
4
        let right = self.resolve_value_or_source(right)?;
4
        let right = right.is_truthy();
4

            
4
        *self.resolve_value_source_mut(destination)? = Value::Boolean(left ^ right);

            
4
        Ok(None)
4
    }
}

            
macro_rules! checked_op {
    ($name:ident, $unchecked_name:ident, $fullname:literal) => {
        impl<'a, Env, Output> StackFrame<'a, Env, Output>
        where
            Env: Environment,
        {
1304
            fn $name(
1304
                &mut self,
1304
                left: &ValueOrSource,
1304
                right: &ValueOrSource,
1304
                result: Destination,
1304
            ) -> Result<Option<FlowControl>, Fault<'static, Env, Output>> {
1304
                const TYPE_MISMATCH: &str = concat!(
1304
                    "can't ",
1304
                    $fullname,
1304
                    " @expected and `@received-value` (@received-type)"
1304
                );
1304
                let mut to_pop = 0;
1304
                let left_value =
1304
                    self.resolve_value_or_source_non_stack_mutating(left, &mut to_pop)?;
1304
                let right_value =
1304
                    self.resolve_value_or_source_non_stack_mutating(right, &mut to_pop)?;

            
1304
                let produced_value = match (left_value, right_value) {
1298
                    (Value::Integer(left), Value::Integer(right)) => {
1298
                        left.$name(*right).map_or(Value::Void, Value::Integer)
                    }
3
                    (Value::Real(left), Value::Real(right)) => {
3
                        Value::Real(left.$unchecked_name(*right))
                    }
2
                    (Value::Dynamic(left), right) => {
2
                        if let Some(value) = left.$name(right, false)? {
2
                            value
                        } else if let Value::Dynamic(right) = right {
                            if let Some(value) = right.$name(left_value, true)? {
                                value
                            } else {
                                return Err(Fault::type_mismatch(
                                    TYPE_MISMATCH,
                                    ValueKind::Dynamic(left.kind()),
                                    right_value.clone(),
                                ));
                            }
                        } else {
                            return Err(Fault::type_mismatch(
                                TYPE_MISMATCH,
                                ValueKind::Dynamic(left.kind()),
                                right.clone(),
                            ));
                        }
                    }
1
                    (left, Value::Dynamic(right)) => {
1
                        if let Some(value) = right.$name(left, true)? {
1
                            value
                        } else {
                            return Err(Fault::type_mismatch(
                                TYPE_MISMATCH,
                                ValueKind::Dynamic(right.kind()),
                                left_value.clone(),
                            ));
                        }
                    }
                    (Value::Real(_), other) => {
                        return Err(Fault::type_mismatch(
                            TYPE_MISMATCH,
                            ValueKind::Real,
                            other.clone(),
                        ))
                    }
                    (Value::Integer(_), other) => {
                        return Err(Fault::type_mismatch(
                            TYPE_MISMATCH,
                            ValueKind::Integer,
                            other.clone(),
                        ))
                    }
                    (other, _) => {
                        return Err(Fault::invalid_type(
                            concat!(
                                "`@received-value` (@received-type) does not support ",
                                $fullname
                            ),
                            other.clone(),
                        ))
                    }
                };
1304
                self.stack.pop_n(to_pop);
1304
                *self.resolve_value_source_mut(result)? = produced_value;
1304
                Ok(None)
1304
            }
        }
    };
}

            
checked_op!(checked_add, add, "add");
checked_op!(checked_sub, sub, "subtract");
checked_op!(checked_mul, mul, "multiply");
checked_op!(checked_div, div, "divide");

            
/// An unexpected event occurred while executing the virtual machine.
#[derive(Debug, PartialEq)]
pub struct Fault<'a, Env, ReturnType>
where
    Env: Environment,
{
    /// The kind of fault this is.
    pub kind: FaultOrPause<'a, Env, ReturnType>,
    /// The stack trace of the virtual machine when the fault was raised.
    pub stack: Vec<FaultStackFrame>,
}

            
impl<Env, ReturnType> Clone for Fault<'static, Env, ReturnType>
where
    Env: Environment,
{
    fn clone(&self) -> Self {
        Self {
            kind: self.kind.clone(),
            stack: self.stack.clone(),
        }
    }
}

            
impl<'a, Env, ReturnType> Fault<'a, Env, ReturnType>
where
    Env: Environment,
{
    fn stack_underflow() -> Self {
        Self::from(FaultKind::StackUnderflow)
    }

            
    fn invalid_type(message: impl Into<String>, received: Value) -> Self {
        Self::from(FaultKind::invalid_type(message, received))
    }

            
    fn type_mismatch(message: impl Into<String>, expected: ValueKind, received: Value) -> Self {
        Self::from(FaultKind::type_mismatch(message, expected, received))
    }
}

            
impl<'a, Env, ReturnType> From<FaultKind> for Fault<'a, Env, ReturnType>
where
    Env: Environment,
{
5
    fn from(kind: FaultKind) -> Self {
5
        Self {
5
            kind: FaultOrPause::Fault(kind),
5
            stack: Vec::default(),
5
        }
5
    }
}

            
impl<'a, Env, ReturnType> std::error::Error for Fault<'a, Env, ReturnType>
where
    Env: std::fmt::Debug + Environment,
    ReturnType: std::fmt::Debug,
{
}

            
impl<'a, Env, ReturnType> Display for Fault<'a, Env, ReturnType>
where
    Env: Environment,
{
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match &self.kind {
            FaultOrPause::Fault(fault) => Display::fmt(fault, f),
            FaultOrPause::Pause(_) => f.write_str("paused execution"),
        }
    }
}

            
/// A reason for a virtual machine [`Fault`].
#[derive(Debug, PartialEq)]
pub enum FaultOrPause<'a, Env, ReturnType>
where
    Env: Environment,
{
    /// A fault occurred while processing instructions.
    Fault(FaultKind),
    /// Execution was paused by the [`Environment`] as a result of returning
    /// [`ExecutionBehavior::Pause`] from [`Environment::step`].
    ///
    /// The contained [`PausedExecution`] can be used to resume executing the
    /// code.
    Pause(PausedExecution<'a, Env, ReturnType>),
}

            
impl<Env, ReturnType> Clone for FaultOrPause<'static, Env, ReturnType>
where
    Env: Environment,
{
    fn clone(&self) -> Self {
        match self {
            Self::Fault(arg0) => Self::Fault(arg0.clone()),
            Self::Pause(_) => unreachable!("paused evaluations cannot be static lifetimes"),
        }
    }
}

            
/// An unexpected event within the virtual machine.
#[derive(Debug, PartialEq, Clone)]
pub enum FaultKind {
    /// An attempt to push a value to the stack was made after the stack has
    /// reached its capacity.
    StackOverflow,
    /// An attempt to pop a value off of the stack was made when no values were
    /// present in the current code's stack frame.
    StackUnderflow,
    /// An invalid variable index was used.
    InvalidVariableIndex,
    /// An invalid argument index was used.
    InvalidArgumentIndex,
    /// An invalid vtable index was used.
    InvalidVtableIndex,
    /// A call was made to a function that does not exist.
    UnknownFunction {
        /// The kind of the value the function was called on.
        kind: ValueKind,
        /// The name of the function being called.
        name: Symbol,
    },
    /// A value type was unexpected in the given context.
    TypeMismatch {
        /// The error message explaining the type mismatch.
        ///
        /// These patterns will be replaced in `message` before being Displayed:
        ///
        /// - @expected
        /// - @received-value
        /// - @received-kind
        message: String,
        /// The kind expected in this context.
        expected: ValueKind,
        /// The value that caused an error.
        received: Value,
    },
    /// An invalid value type was encountered.
    InvalidType {
        /// The error message explaining the type mismatch.
        ///
        /// These patterns will be replaced in `message` before being Displayed:
        ///
        /// - @received-value
        /// - @received-kind
        message: String,
        /// The value that caused an error.
        received: Value,
    },
    /// An error arose from dynamic types.
    Dynamic(DynamicFault),
    /// An argument that was expected to a function was not passed.
    ArgumentMissing(Symbol),
    /// Too many arguments were passed to a function.
    TooManyArguments(Value),
    /// A value that does not support hashing was used as a key in a hash map.
    ValueCannotBeHashed(Value),
    /// A value was encountered that was out of range of valid values.
    ValueOutOfRange(&'static str),
}

            
impl FaultKind {
    /// An invalid type was encountered.
    ///
    /// These patterns will be replaced in `message` before being Displayed:
    ///
    /// - @received-value
    /// - @received-kind
    pub fn invalid_type(message: impl Into<String>, received: Value) -> Self {
        FaultKind::InvalidType {
            message: message.into(),
            received,
        }
    }

            
    /// An type mismatch occurred.
    ///
    /// These patterns will be replaced in `message` before being Displayed:
    ///
    /// - @expected
    /// - @received-value
    /// - @received-kind
    pub fn type_mismatch(message: impl Into<String>, expected: ValueKind, received: Value) -> Self {
        FaultKind::TypeMismatch {
            message: message.into(),
            expected,
            received,
        }
    }

            
    /// Returns a [`FaultKind::Dynamic`].
    pub fn dynamic<T: Debug + Display + 'static>(fault: T) -> Self {
        Self::Dynamic(DynamicFault::new(fault))
    }
}

            
impl From<std::io::Error> for FaultKind {
    fn from(io_err: std::io::Error) -> Self {
        Self::Dynamic(DynamicFault::new(io_err))
    }
}

            
impl std::error::Error for FaultKind {}

            
impl Display for FaultKind {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            FaultKind::StackOverflow => f.write_str("stack pushed to while at maximum capacity"),
            FaultKind::StackUnderflow => f.write_str("stack popped but no values present"),
            FaultKind::InvalidVariableIndex => {
                f.write_str("a variable index was outside of the range allocated for the function")
            }
            FaultKind::InvalidArgumentIndex => f.write_str(
                "an argument index was beyond the number of arguments passed to the function",
            ),
            FaultKind::InvalidVtableIndex => f.write_str(
                "a vtable index was beyond the number functions registerd in the current module",
            ),
            FaultKind::UnknownFunction { kind, name } => {
                write!(f, "unknown function {name} on {}", kind.as_str())
            }
            FaultKind::TypeMismatch {
                message,
                expected,
                received,
            } => {
                let message = message.replace("@expected", expected.as_str());
                let message = message.replace("@received-type", received.kind().as_str());
                let message = message.replace("@received-value", &received.to_string());
                f.write_str(&message)
            }
            FaultKind::InvalidType { message, received } => {
                let message = message.replace("@received-type", received.kind().as_str());
                let message = message.replace("@received-value", &received.to_string());
                f.write_str(&message)
            }
            FaultKind::Dynamic(dynamic) => dynamic.fmt(f),
            FaultKind::ArgumentMissing(missing) => write!(f, "missing argument `{missing}`"),
            FaultKind::TooManyArguments(extra) => write!(f, "unexpected argument `{extra}`"),
            FaultKind::ValueCannotBeHashed(value) => {
                write!(
                    f,
                    "value does not support hashing: `{value}` ({})",
                    value.kind()
                )
            }
            FaultKind::ValueOutOfRange(what) => write!(f, "`{what}` is out of valid range"),
        }
    }
}

            
/// A stack frame entry of a [`Fault`].
#[derive(Debug, Eq, PartialEq, Clone)]
pub struct FaultStackFrame {
    /// The vtable index of the function being executed. If None, the
    /// instructions being executed were passed directly into
    /// [`VirtualMachine::run()`].
    pub vtable_index: Option<usize>,
    /// The index of the instruction that was executing when this fault was
    /// raised.
    pub instruction_index: usize,
}

            
/// A paused code execution.
#[derive(Debug, PartialEq)]
pub struct PausedExecution<'a, Env, ReturnType>
where
    Env: Environment,
{
    context: Option<&'a mut VirtualMachine<Env>>,
    operations: Option<Instructions<'a, Env::Intrinsic>>,
    stack: VecDeque<PausedFrame>,
    _return: PhantomData<ReturnType>,
}

            
impl<'a, Env, ReturnType> PausedExecution<'a, Env, ReturnType>
where
    Env: Environment,
    ReturnType: FromStack,
{
    /// Returns a reference to the [`Environment`] from the virtual machine that
    /// is paused.
    #[must_use]
    pub fn environment(&self) -> &Env {
        &self.context.as_ref().expect("context missing").environment
    }

            
    /// Returns a mutable reference to the [`Environment`] from the virtual
    /// machine that is paused.
    #[must_use]
89
    pub fn environment_mut(&mut self) -> &mut Env {
89
        &mut self.context.as_mut().expect("context missing").environment
89
    }

            
    /// Resumes executing the virtual machine.
89
    pub fn resume(self) -> Result<ReturnType, Fault<'a, Env, ReturnType>>
89
    where
89
        Env: Environment,
89
    {
89
        let context = self
89
            .context
89
            .expect("context should be present before returning to the user");
89
        let operations = self
89
            .operations
89
            .expect("operations should be present before returning to the user");
89
        context.resume(operations, self.stack)
89
    }
}

            
#[derive(Debug, Eq, PartialEq)]
struct PausedFrame {
    return_offset: usize,
    arg_offset: usize,
    variables_offset: usize,

            
    return_value: Option<Value>,
    vtable_index: Option<usize>,
    operation_index: usize,
    destination: Destination,
}

            
/// A type that can be constructed from popping from the virtual machine stack.
pub trait FromStack: Sized {
    /// Returns an instance constructing from the stack.
    fn from_value(value: Value) -> Result<Self, FaultKind>;
}

            
impl FromStack for Value {
554
    fn from_value(value: Value) -> Result<Self, FaultKind> {
554
        Ok(value)
554
    }
}

            
impl FromStack for i64 {
278
    fn from_value(value: Value) -> Result<Self, FaultKind> {
278
        match value {
278
            Value::Integer(integer) => Ok(integer),
            other => Err(FaultKind::type_mismatch(
                "@expected expected but received `@received-value` (@received-type)",
                ValueKind::Integer,
                other,
            )),
        }
278
    }
}

            
impl FromStack for f64 {
    fn from_value(value: Value) -> Result<Self, FaultKind> {
        match value {
            Value::Real(number) => Ok(number),
            other => Err(FaultKind::type_mismatch(
                "@expected expected but received `@received-value` (@received-type)",
                ValueKind::Real,
                other,
            )),
        }
    }
}

            
impl FromStack for bool {
216
    fn from_value(value: Value) -> Result<Self, FaultKind> {
216
        match value {
216
            Value::Boolean(value) => Ok(value),
            other => Err(FaultKind::type_mismatch(
                "@expected expected but received `@received-value` (@received-type)",
                ValueKind::Boolean,
                other,
            )),
        }
216
    }
}

            
impl FromStack for () {
60
    fn from_value(_value: Value) -> Result<Self, FaultKind> {
60
        Ok(())
60
    }
}

            
impl<T> FromStack for T
where
    T: DynamicValue + Clone,
{
11
    fn from_value(value: Value) -> Result<Self, FaultKind> {
11
        value.into_dynamic().map_err(|value| {
            FaultKind::type_mismatch(
                "invalid type",
                ValueKind::Dynamic(Symbol::from(type_name::<T>())),
                value,
            )
11
        })
11
    }
}

            
1
#[test]
1
fn sizes() {
1
    assert_eq!(
1
        std::mem::size_of::<Dynamic>(),
1
        std::mem::size_of::<*const u8>()
1
    );
1
    assert_eq!(
1
        std::mem::size_of::<Symbol>(),
1
        std::mem::size_of::<*const u8>()
1
    );
1
    assert_eq!(
1
        std::mem::size_of::<Value>(),
1
        std::mem::size_of::<(*const u8, usize)>()
1
    );
1
}

            
/// Customizes the behavior of a virtual machine instance.
pub trait Environment: 'static {
    /// The string type for this environment.
    type String: DynamicValue + for<'a> From<&'a str> + From<String>;

            
    /// The intrinsics offered by this environment.
    type Intrinsic: Clone + PartialEq + Display + Debug + FromStr;

            
    /// Evalutes the `intrinsic` operation with the provided arguments.
    ///
    /// This is invoked when the virtual machine executes an
    /// [`Instruction::CallIntrinsic`].
    fn intrinsic(
        &mut self,
        intrinsic: &Self::Intrinsic,
        args: PoppedValues<'_>,
    ) -> Result<Value, FaultKind>;

            
    /// Called once before each instruction is executed.
    ///
    /// If [`ExecutionBehavior::Continue`] is returned, the next instruction
    /// will be exected.
    ///
    /// If [`ExecutionBehavior::Pause`] is returned, the virtual machine is
    /// paused and a [`FaultOrPause::Pause`] is raised. If the execution is
    /// resumed, the first function call will be before executing the same
    /// instruction as the one when [`ExecutionBehavior::Pause`] was called.
    fn step(&mut self) -> ExecutionBehavior;

            
    /// Converts `value` to a custom type supported by the runtime.
    ///
    /// The provided implementation supports the `String` type.
    fn convert(&self, value: &Value, kind: &Symbol) -> Result<Value, FaultKind> {
        if kind == "String" {
            self.convert_string(value)
        } else {
            Err(FaultKind::invalid_type(
                format!("@received-kind cannot be converted to {kind}"),
                value.clone(),
            ))
        }
    }

            
    /// Converts `value` to a [`Value`] containing an instance of `Self::String`.
    ///
    /// The provided implementation supports the `String` type.
1
    fn convert_string(&self, value: &Value) -> Result<Value, FaultKind> {
1
        match value {
            Value::Void => return Ok(Value::dynamic(<Self::String as From<&str>>::from(""))),
1
            Value::Integer(value) => {
1
                return Ok(Value::dynamic(<Self::String as From<String>>::from(
1
                    value.to_string(),
1
                )))
            }
            Value::Real(value) => {
                return Ok(Value::dynamic(<Self::String as From<String>>::from(
                    value.to_string(),
                )))
            }
            Value::Boolean(value) => {
                return Ok(Value::dynamic(<Self::String as From<String>>::from(
                    value.to_string(),
                )))
            }
            Value::Dynamic(value) => {
                if let Some(value) = value.convert(&Symbol::from("String")) {
                    return Ok(value);
                }
            }
        }
        Err(FaultKind::invalid_type(
            "@received-kind cannot be converted to String",
            value.clone(),
        ))
1
    }
}

            
impl Environment for () {
    type String = String;
    type Intrinsic = Noop;

            
    fn intrinsic(
        &mut self,
        _intrinsic: &Self::Intrinsic,
        _args: PoppedValues<'_>,
    ) -> Result<Value, FaultKind> {
        Ok(Value::Void)
    }

            
    #[inline]
1531
    fn step(&mut self) -> ExecutionBehavior {
1531
        ExecutionBehavior::Continue
1531
    }
}

            
/// An [`Environment`] that allows executing an amount of instructions before
/// pausing the virtual machine.
#[derive(Debug, Default)]
#[must_use]
pub struct Budgeted<Env> {
    /// The wrapped environment.
    pub env: Env,
    remaining_steps: usize,
}

            
impl Budgeted<()> {
    /// Returns a budgeted default environment.
12
    pub fn empty() -> Self {
12
        Self::new(0, ())
12
    }
}

            
impl<Env> Budgeted<Env> {
    /// Returns a new instance with the provided initial budget.
14
    pub const fn new(initial_budget: usize, env: Env) -> Self {
14
        Self {
14
            env,
14
            remaining_steps: initial_budget,
14
        }
14
    }

            
    /// Returns the current balance of the budget.
    #[must_use]
1
    pub const fn balance(&self) -> usize {
1
        self.remaining_steps
1
    }

            
    /// Returns the current balance of the budget.
    #[must_use]
621
    pub fn charge(&mut self) -> bool {
621
        if self.remaining_steps > 0 {
532
            self.remaining_steps -= 1;
532
            true
        } else {
89
            false
        }
621
    }

            
    /// Adds an additional budget. This value will saturate `usize` instead of
    /// panicking or overflowing.
89
    pub fn add_budget(&mut self, additional_budget: usize) {
89
        self.remaining_steps = self.remaining_steps.saturating_add(additional_budget);
89
    }
}

            
impl<Env> Environment for Budgeted<Env>
where
    Env: Environment,
{
    type String = Env::String;
    type Intrinsic = Env::Intrinsic;

            
    #[inline]
78
    fn step(&mut self) -> ExecutionBehavior {
78
        if self.charge() {
39
            self.env.step()
        } else {
39
            ExecutionBehavior::Pause
        }
78
    }

            
    fn intrinsic(
        &mut self,
        intrinsic: &Self::Intrinsic,
        args: PoppedValues<'_>,
    ) -> Result<Value, FaultKind> {
        self.env.intrinsic(intrinsic, args)
    }
}

            
/// The virtual machine behavior returned from [`Environment::step()`].
pub enum ExecutionBehavior {
    /// The virtual machine should continue executing.
    Continue,
    /// The virtual machine should pause before the next instruction is
    /// executed.
    Pause,
}

            
1
#[test]
1
fn budget() {
1
    let mut context = VirtualMachine::default_for(Budgeted::new(0, ()));
1
    let mut pause_count = 0;
1
    let mut fault = context
1
        .run::<i64>(
1
            &[
1
                Instruction::Add {
1
                    left: ValueOrSource::Value(Value::Integer(1)),
1
                    right: ValueOrSource::Value(Value::Integer(2)),
1
                    destination: Destination::Variable(0),
1
                },
1
                Instruction::Add {
1
                    left: ValueOrSource::Variable(0),
1
                    right: ValueOrSource::Value(Value::Integer(3)),
1
                    destination: Destination::Variable(0),
1
                },
1
                Instruction::Add {
1
                    left: ValueOrSource::Variable(0),
1
                    right: ValueOrSource::Value(Value::Integer(4)),
1
                    destination: Destination::Return,
1
                },
1
            ],
1
            1,
1
        )
1
        .unwrap_err();
1
    let output = loop {
4
        pause_count += 1;
4
        println!("Paused {pause_count}");
4
        let mut pending = match fault.kind {
4
            FaultOrPause::Pause(pending) => pending,
            FaultOrPause::Fault(error) => unreachable!("unexpected error: {error}"),
        };
4
        pending.environment_mut().add_budget(1);
4

            
4
        fault = match pending.resume() {
1
            Ok(result) => break result,
3
            Err(err) => err,
        };
    };

            
1
    assert_eq!(output, 10);
1
    assert_eq!(pause_count, 4); // Paused once at the start, then once per instruction.
1
}

            
1
#[test]
1
fn budget_with_frames() {
1
    let test = Function {
1
        name: Symbol::from("test"),
1
        arg_count: 1,
1
        variable_count: 2,
1
        code: vec![
1
            Instruction::If {
1
                condition: ValueOrSource::Argument(0),
1
                false_jump_to: 12,
1
            },
1
            Instruction::Load {
1
                variable_index: 0,
1
                value: ValueOrSource::Value(Value::Integer(1)),
1
            },
1
            Instruction::Push(ValueOrSource::Value(Value::Integer(1))),
1
            Instruction::Push(ValueOrSource::Value(Value::Integer(2))),
1
            Instruction::Add {
1
                left: ValueOrSource::Variable(0),
1
                right: ValueOrSource::Value(Value::Integer(2)),
1
                destination: Destination::Variable(0),
1
            },
1
            Instruction::Push(ValueOrSource::Value(Value::Integer(3))),
1
            Instruction::Add {
1
                left: ValueOrSource::Variable(0),
1
                right: ValueOrSource::Value(Value::Integer(3)),
1
                destination: Destination::Variable(0),
1
            },
1
            Instruction::Push(ValueOrSource::Value(Value::Integer(4))),
1
            Instruction::Add {
1
                left: ValueOrSource::Variable(0),
1
                right: ValueOrSource::Value(Value::Integer(4)),
1
                destination: Destination::Variable(0),
1
            },
1
            Instruction::Push(ValueOrSource::Value(Value::Integer(5))),
1
            Instruction::Add {
1
                left: ValueOrSource::Variable(0),
1
                right: ValueOrSource::Value(Value::Integer(5)),
1
                destination: Destination::Variable(0),
1
            },
1
            Instruction::Return(Some(ValueOrSource::Variable(0))),
1
            // If we were passed false, call ourself twice.
1
            Instruction::Push(ValueOrSource::Value(Value::Boolean(true))),
1
            Instruction::Call {
1
                vtable_index: None,
1
                arg_count: 1,
1
                destination: Destination::Variable(0),
1
            },
1
            Instruction::Push(ValueOrSource::Value(Value::Boolean(true))),
1
            Instruction::Call {
1
                vtable_index: None,
1
                arg_count: 1,
1
                destination: Destination::Variable(1),
1
            },
1
            Instruction::Add {
1
                left: ValueOrSource::Variable(0),
1
                right: ValueOrSource::Variable(1),
1
                destination: Destination::Variable(0),
1
            }, // should produce 30
1
            Instruction::Push(ValueOrSource::Variable(0)),
1
        ],
1
    };
1
    let mut context = VirtualMachine::default_for(Budgeted::new(0, ())).with_function(test);
1
    let mut fault = context
1
        .run::<i64>(
1
            &[
1
                Instruction::Push(ValueOrSource::Value(Value::Boolean(false))),
1
                Instruction::Call {
1
                    vtable_index: Some(0),
1
                    arg_count: 1,
1
                    destination: Destination::Stack,
1
                },
1
            ],
1
            0,
1
        )
1
        .unwrap_err();
1
    let output = loop {
35
        println!("Paused");
35
        let mut pending = match fault.kind {
35
            FaultOrPause::Pause(pending) => pending,
            FaultOrPause::Fault(error) => unreachable!("unexpected error: {error}"),
        };
35
        pending.environment_mut().add_budget(1);
35

            
35
        fault = match pending.resume() {
1
            Ok(result) => break result,
34
            Err(err) => err,
        };
    };

            
1
    assert_eq!(output, 30);
1
}

            
/// A block of code that can be executed on the virtual machine.
#[derive(Debug)]
pub struct CodeBlock<Intrinsic> {
    /// The number of variables this code block requires.
    pub variables: usize,

            
    /// The virtual machine instructions.
    pub code: Vec<Instruction<Intrinsic>>,
}

            
impl<Intrinsic> CodeBlock<Intrinsic> {
    /// Returns a [`Display`] implementor that indents each printed operation
    /// with `indentation`.
    #[must_use]
    pub fn display_indented<'a>(&'a self, indentation: &'a str) -> CodeBlockDisplay<'a, Intrinsic> {
        CodeBlockDisplay {
            block: self,
            indentation,
        }
    }

            
    /// Executes this code block using `vm`, returning the result.
1
    pub fn execute_in<'a, Env, Output>(
1
        &'a self,
1
        vm: &'a mut VirtualMachine<Env>,
1
    ) -> Result<Output, Fault<'a, Env, Output>>
1
    where
1
        Env: Environment<Intrinsic = Intrinsic>,
1
        Output: FromStack,
1
    {
1
        vm.run(&self.code, self.variables)
1
    }
}

            
/// Displays a [`CodeBlock`] with optional indentation.
pub struct CodeBlockDisplay<'a, Intrinsic> {
    block: &'a CodeBlock<Intrinsic>,
    indentation: &'a str,
}

            
impl<'a, Intrinsic> Display for CodeBlockDisplay<'a, Intrinsic>
where
    Intrinsic: Display,
{
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        let mut is_first = true;
        for i in &self.block.code {
            if is_first {
                is_first = false;
            } else {
                f.write_char('\n')?;
            }
            f.write_str(self.indentation)?;
            Display::fmt(i, f)?;
        }
        Ok(())
    }
}

            
impl<Intrinsic> Display for CodeBlock<Intrinsic>
where
    Intrinsic: Display,
{
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        Display::fmt(
            &CodeBlockDisplay {
                block: self,
                indentation: "",
            },
            f,
        )
    }
}

            
/// A stack of [`Value`]s.
#[derive(Debug, Clone, Eq, PartialEq)]
pub struct Stack {
    values: Vec<Value>,
    length: usize,
    remaining_capacity: usize,
}

            
impl Default for Stack {
    fn default() -> Self {
        Self {
            values: Vec::default(),
            length: 0,
            remaining_capacity: usize::MAX,
        }
    }
}

            
impl Stack {
    /// Returns a new stack with enough reserved space to store
    /// `initial_capacity` values without reallocating and will not allow
    /// pushing more than `maximum_capacity` values.
    #[must_use]
931
    pub fn new(initial_capacity: usize, maximum_capacity: usize) -> Self {
931
        Self {
931
            values: Vec::with_capacity(initial_capacity),
931
            length: 0,
931
            remaining_capacity: maximum_capacity,
931
        }
931
    }

            
    /// Pushes `value` to the stack.
    ///
    /// # Errors
    ///
    /// Returns [`FaultKind::StackOverflow`] if the stack's maximum capacity has
    /// been reached.
    #[inline]
268
    pub fn push(&mut self, value: Value) -> Result<(), FaultKind> {
268
        if self.remaining_capacity > 0 {
268
            self.remaining_capacity -= 1;
268
            if self.length < self.values.len() {
193
                self.values[self.length] = value;
200
            } else {
75
                self.values.push(value);
75
            }
268
            self.length += 1;
268
            Ok(())
        } else {
            Err(FaultKind::StackOverflow)
        }
268
    }

            
    /// Pushes multiple arguments to the stack.
4
    pub fn extend<Args, ArgsIter>(&mut self, args: Args) -> Result<usize, FaultKind>
4
    where
4
        Args: IntoIterator<Item = Value, IntoIter = ArgsIter>,
4
        ArgsIter: Iterator<Item = Value> + ExactSizeIterator + DoubleEndedIterator,
4
    {
4
        let mut args = args.into_iter().rev();
4
        let arg_count = args.len();
4
        if self.remaining_capacity >= arg_count {
4
            self.remaining_capacity -= arg_count;
4
            let new_length = self.length + arg_count;
4
            let current_vec_length = self.values.len();
4
            if new_length < current_vec_length {
                // We can replace the existing values in this range
                self.values.splice(self.length..new_length, args);
            } else {
4
                while self.length < current_vec_length {
                    self.values[self.length] = args.next().expect("length checked");
                    self.length += 1;
                }
                // The remaining can be added to the end of the vec
4
                self.values.extend(args);
            }

            
4
            self.length = new_length;
4

            
4
            Ok(arg_count)
        } else {
            Err(FaultKind::StackOverflow)
        }
4
    }

            
    /// Pops `count` elements from the top of the stack.
    ///
    /// This iterator returns the values in the sequence that they are ordered
    /// on the stack, which is different than calling pop() `count` times
    /// sequentially. For example, if the stack contains `[0, 1, 2, 3]`, calling
    /// pop() twice will result in `3, 2`. Calling `pop_n(2)` will result in `2,
    /// 3`.
27181
    pub fn pop_n(&mut self, count: usize) -> PoppedValues<'_> {
27181
        // Make sure we aren't trying to pop too many
27181
        let end = self.length;
27181
        let count = count.min(end);
27181
        let start = end - count;
27181
        self.remaining_capacity += count;
27181
        self.length -= count;
27181
        PoppedValues {
27181
            stack: self,
27181
            current: start,
27181
            end,
27181
        }
27181
    }

            
    /// Returns a reference to the top [`Value`] on the stack, or returns a
    /// [`FaultKind::StackUnderflow`] if no values are present.
    #[inline]
    pub fn top(&self) -> Result<&Value, FaultKind> {
        if self.length > 0 {
            Ok(&self.values[self.length - 1])
        } else {
            Err(FaultKind::StackUnderflow)
        }
    }

            
    /// Returns a reference to the `index` [`Value`] from the end of the stack, or returns a
    /// [`FaultKind::StackUnderflow`] if no value is present.
    #[inline]
108
    pub fn get(&self, index: usize) -> Result<&Value, FaultKind> {
108
        if index < self.length {
108
            Ok(&self.values[self.length - 1 - index])
        } else {
            Err(FaultKind::StackUnderflow)
        }
108
    }

            
    /// Returns a reference to the top [`Value`] on the stack, or returns a
    /// [`FaultKind::StackUnderflow`] if no values are present.
    #[inline]
648
    pub fn top_mut(&mut self) -> Result<&mut Value, FaultKind> {
648
        if self.length > 0 {
648
            Ok(&mut self.values[self.length - 1])
        } else {
            Err(FaultKind::StackUnderflow)
        }
648
    }

            
    /// Pops a [`Value`] from the stack.
    ///
    /// # Errors
    ///
    /// Returns [`FaultKind::StackUnderflow`] if the stack is empty.
    #[inline]
    pub fn pop(&mut self) -> Result<Value, FaultKind> {
3
        if let Some(new_length) = self.length.checked_sub(1) {
3
            let value = std::mem::take(&mut self.values[new_length]);
3
            self.remaining_capacity += 1;
3
            self.length = new_length;
3
            Ok(value)
        } else {
            Err(FaultKind::StackUnderflow)
        }
3
    }

            
    /// Truncates the stack to `new_length`. If the `new_length` is larger than
    /// the current length, this function does nothing.
1166
    pub fn truncate(&mut self, new_length: usize) {
1166
        let values_to_remove = self.length.checked_sub(new_length);
1142
        match values_to_remove {
1142
            Some(values_to_remove) if values_to_remove > 0 => {
1081
                self.pop_n(values_to_remove);
1081
            }
85
            _ => {}
        }
1166
    }

            
    /// Returns the number of [`Value`]s contained in this stack.
    #[inline]
    #[must_use]
1004
    pub fn len(&self) -> usize {
1004
        self.length
1004
    }

            
    /// Returns true if this stack has no values.
    #[inline]
    #[must_use]
1
    pub fn is_empty(&self) -> bool {
1
        self.len() == 0
1
    }

            
    /// Returns the number of [`Value`]s that can be pushed to this stack before
    /// a [`FaultKind::StackOverflow`] is raised.
    #[must_use]
    pub const fn remaining_capacity(&self) -> usize {
        self.remaining_capacity
    }

            
    #[inline]
759
    fn remove_range<R>(&mut self, range: R)
759
    where
759
        R: RangeBounds<usize>,
759
    {
759
        let mut start = match range.start_bound() {
759
            Bound::Included(start) => *start,
            Bound::Excluded(start) => start.saturating_sub(1),
            Bound::Unbounded => 0,
        };
759
        let end = match range.end_bound() {
            Bound::Included(end) => end.saturating_add(1),
            Bound::Excluded(end) => *end,
759
            Bound::Unbounded => self.length,
        };
759
        let removed = end - start;
759
        if removed > 0 {
712
            if let Some(values_to_copy) = self.length.checked_sub(end) {
                // We have values at the end we should copy first
712
                for index in 0..values_to_copy {
                    let value = std::mem::take(&mut self.values[end + index]);
                    self.values[start + index] = value;
                }
712
                start += values_to_copy;
            }
            // Replace the values with Void to free any ref-counted values.
712
            if end > start {
712
                // For some odd reason, fill_with is faster than fill here.
1921
                self.values[start..end].fill_with(|| Value::Void);
712
            }
47
        }
759
        self.remaining_capacity += removed;
759
        self.length -= removed;
759
    }

            
    // fn clear(&mut self) {
    //     if self.length > 0 {
    //         self.values[0..self.length].fill_with(|| Value::Void);
    //     }
    //     self.remaining_capacity += self.length;
    //     self.length = 0;
    // }

            
    #[inline]
594
    fn grow_to(&mut self, new_size: usize) -> Result<(), FaultKind> {
594
        let extra_capacity = new_size.saturating_sub(self.length);
594
        if let Some(remaining_capacity) = self.remaining_capacity.checked_sub(extra_capacity) {
594
            self.remaining_capacity = remaining_capacity;
594
            if new_size >= self.values.len() {
207
                self.values.resize_with(new_size, || Value::Void);
543
            }
594
            self.length = new_size;
594
            Ok(())
        } else {
            Err(FaultKind::StackOverflow)
        }
594
    }

            
    /// Grows the stack by `additional_voids`, inserting [`Value::Void`] to fill
    /// in any newly allocated space.
    #[inline]
    pub fn grow_by(&mut self, additional_voids: usize) -> Result<(), FaultKind> {
651
        if let Some(remaining_capacity) = self.remaining_capacity.checked_sub(additional_voids) {
651
            self.remaining_capacity = remaining_capacity;
651
            let new_size = self.length + additional_voids;
651
            if new_size > self.values.len() {
52
                self.values.resize_with(new_size, || Value::Void);
602
            }
651
            self.length = new_size;
651
            Ok(())
        } else {
            Err(FaultKind::StackOverflow)
        }
651
    }
}

            
impl Index<usize> for Stack {
    type Output = Value;

            
    #[inline]
2756
    fn index(&self, index: usize) -> &Self::Output {
2756
        &self.values[index]
2756
    }
}

            
impl IndexMut<usize> for Stack {
    #[inline]
1402
    fn index_mut(&mut self, index: usize) -> &mut Self::Output {
1402
        &mut self.values[index]
1402
    }
}

            
/// An iterator over a sequence of values being removed from the top of a
/// [`Stack`].
///
/// This iterator returns the values in the sequence that they are ordered on
/// the stack, which is different than calling pop() `count` times sequentially.
/// For example, if the stack contains `[0, 1, 2, 3]`, calling pop() twice will
/// result in `3, 2`. Calling `pop_n(2)` will result in `2, 3`.
pub struct PoppedValues<'a> {
    stack: &'a mut Stack,
    end: usize,
    current: usize,
}

            
impl<'a> PoppedValues<'a> {
    /// Returns the next value or returns a [`FaultKind::ArgumentMissing`] if no
    /// more parameters are found.
144
    pub fn next_argument(&mut self, name: &str) -> Result<Value, FaultKind> {
144
        self.next()
144
            .ok_or_else(|| FaultKind::ArgumentMissing(Symbol::from(name)))
144
    }

            
    /// Checks if all values have been iterated. If not,
    /// [`FaultKind::TooManyArguments`] will be returned.
    pub fn verify_empty(&mut self) -> Result<(), FaultKind> {
240
        if let Some(extra) = self.next() {
            Err(FaultKind::TooManyArguments(extra))
        } else {
240
            Ok(())
        }
240
    }
}

            
impl<'a> Drop for PoppedValues<'a> {
27181
    fn drop(&mut self) {
27181
        self.stack.values[self.current..self.end].fill_with(|| Value::Void);
27181
    }
}

            
impl<'a> Iterator for PoppedValues<'a> {
    type Item = Value;

            
660
    fn next(&mut self) -> Option<Self::Item> {
660
        if self.current < self.end {
372
            let result = Some(std::mem::take(&mut self.stack.values[self.current]));
372
            self.current += 1;
372
            result
        } else {
288
            None
        }
660
    }

            
84
    fn size_hint(&self) -> (usize, Option<usize>) {
84
        let remaining = self.end - self.current;
84
        (remaining, Some(remaining))
84
    }
}

            
impl<'a> ExactSizeIterator for PoppedValues<'a> {}

            
/// A [`Fault`] that arose from a [`Dynamic`] value.
#[derive(Debug, Clone)]
pub struct DynamicFault(Arc<dyn AnyDynamicError>);

            
impl PartialEq for DynamicFault {
    fn eq(&self, other: &Self) -> bool {
        self.0.data_ptr() == other.0.data_ptr()
    }
}

            
impl DynamicFault {
    /// Returns a new instance containing the provided error.
2
    pub fn new<T: Debug + Display + 'static>(error: T) -> Self {
2
        Self(Arc::new(DynamicErrorContents(Some(error))))
2
    }

            
    /// Returns a reference to the original error, if `T` is the same type that
    /// was provided during construction.
    #[must_use]
1
    pub fn downcast_ref<T: Debug + Display + 'static>(&self) -> Option<&T> {
1
        self.0.as_any().downcast_ref()
1
    }

            
    /// Returns the original error if `T` is the same type that was provided
    /// during construction. If not, `Err(self)` will be returned.
    pub fn try_unwrap<T: Debug + Display + 'static>(mut self) -> Result<T, Self> {
2
        if let Some(opt_any) = Arc::get_mut(&mut self.0)
2
            .and_then(|arc| arc.as_opt_any_mut().downcast_mut::<Option<T>>())
        {
2
            Ok(std::mem::take(opt_any).expect("value already taken"))
        } else {
            Err(self)
        }
2
    }
}

            
1
#[test]
1
fn dynamic_error_conversions() {
1
    let error = DynamicFault::new(true);
1
    assert!(*error.downcast_ref::<bool>().unwrap());
1
    assert!(error.try_unwrap::<bool>().unwrap());
1
}

            
#[derive(Debug)]
struct DynamicErrorContents<T>(Option<T>);

            
impl<T> Display for DynamicErrorContents<T>
where
    T: Display,
{
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        if let Some(value) = self.0.as_ref() {
            Display::fmt(value, f)
        } else {
            Ok(())
        }
    }
}

            
trait AnyDynamicError: Debug + Display {
    fn as_any(&self) -> &dyn Any;
    fn as_opt_any_mut(&mut self) -> &mut dyn Any;

            
    #[doc(hidden)]
    fn data_ptr(&self) -> *const u8;
}

            
impl<T> AnyDynamicError for DynamicErrorContents<T>
where
    T: Debug + Display + 'static,
{
1
    fn as_any(&self) -> &dyn Any {
1
        self.0.as_ref().expect("value taken")
1
    }

            
2
    fn as_opt_any_mut(&mut self) -> &mut dyn Any {
2
        &mut self.0
2
    }

            
    fn data_ptr(&self) -> *const u8 {
        (self as *const Self).cast::<u8>()
    }
}

            
1
#[test]
1
fn invalid_variables() {
1
    let test = Function {
1
        name: Symbol::from("test"),
1
        arg_count: 0,
1
        variable_count: 0,
1
        code: vec![Instruction::Push(ValueOrSource::Variable(0))],
1
    };
1
    let mut context = VirtualMachine::empty().with_function(test);
1
    assert!(matches!(
1
        context
1
            .run::<i64>(
1
                &[Instruction::Call {
1
                    vtable_index: Some(0),
1
                    arg_count: 0,
1
                    destination: Destination::Stack,
1
                }],
1
                0
1
            )
1
            .unwrap_err()
            .kind,
        FaultOrPause::Fault(FaultKind::InvalidVariableIndex)
    ));
1
}

            
1
#[test]
1
fn invalid_argument() {
1
    let test = Function {
1
        name: Symbol::from("test"),
1
        arg_count: 0,
1
        variable_count: 0,
1
        code: vec![Instruction::Push(ValueOrSource::Argument(0))],
1
    };
1
    let mut context = VirtualMachine::empty().with_function(test);
1
    assert!(matches!(
1
        context
1
            .run::<i64>(
1
                &[Instruction::Call {
1
                    vtable_index: Some(0),
1
                    arg_count: 0,
1
                    destination: Destination::Stack,
1
                }],
1
                0
1
            )
1
            .unwrap_err()
            .kind,
        FaultOrPause::Fault(FaultKind::InvalidArgumentIndex)
    ));
1
}

            
1
#[test]
1
fn invalid_vtable_index() {
1
    let mut context = VirtualMachine::empty();
1
    assert!(matches!(
1
        context
1
            .run::<i64>(
1
                &[Instruction::Call {
1
                    vtable_index: Some(0),
1
                    arg_count: 0,
1
                    destination: Destination::Stack,
1
                }],
1
                0
1
            )
1
            .unwrap_err()
            .kind,
        FaultOrPause::Fault(FaultKind::InvalidVtableIndex)
    ));
1
}

            
1
#[test]
1
fn function_without_return_value() {
1
    let test = Function {
1
        name: Symbol::from("test"),
1
        arg_count: 0,
1
        variable_count: 0,
1
        code: vec![],
1
    };
1
    let mut context = VirtualMachine::empty().with_function(test);
1
    assert_eq!(
1
        context
1
            .call::<Value, _, _>(&Symbol::from("test"), [])
1
            .unwrap(),
1
        Value::Void
1
    );
1
}

            
1
#[test]
1
fn function_needs_extra_cleanup() {
1
    let test = Function {
1
        name: Symbol::from("test"),
1
        arg_count: 0,
1
        variable_count: 0,
1
        code: vec![
1
            Instruction::Push(ValueOrSource::Value(Value::Integer(1))),
1
            Instruction::Push(ValueOrSource::Value(Value::Integer(2))),
1
        ],
1
    };
1
    let mut context = VirtualMachine::empty().with_function(test);
1
    assert_eq!(
1
        context
1
            .run::<Value>(
1
                &[Instruction::Call {
1
                    vtable_index: Some(0),
1
                    arg_count: 0,
1
                    destination: Destination::Stack,
1
                }],
1
                0
1
            )
1
            .unwrap(),
1
        Value::Integer(1)
1
    );

            
1
    assert!(context.stack.is_empty());
1
}

            
/// All errors that can be encountered executing Bud code.
#[derive(Debug, PartialEq)]
pub enum Error<'a, Env, ReturnType>
where
    Env: Environment,
{
    /// An error occurred while linking an [`Module`](ir::Module).
    Link(ir::LinkError),
    /// A fault occurred while running the virtual machine.
    Fault(Fault<'a, Env, ReturnType>),
}

            
impl<Env, ReturnType> Clone for Error<'static, Env, ReturnType>
where
    Env: Environment,
{
    fn clone(&self) -> Self {
        match self {
            Self::Link(arg0) => Self::Link(arg0.clone()),
            Self::Fault(arg0) => Self::Fault(arg0.clone()),
        }
    }
}

            
impl<'a, Env, ReturnType> Error<'a, Env, ReturnType>
where
    Env: Environment,
{
    /// Asserts that this error does not contain a paused execution. Returns an
    /// [`Error`] instance with a `'static` lifetime.
    ///
    /// # Panics
    ///
    /// If this contains [`Error::Fault`] with a kind of
    /// [`FaultOrPause::Pause`], this function will panic. Paused execution
    /// mutably borrows the virtual machine's state.
    #[must_use]
    pub fn expect_no_pause(self) -> Error<'static, Env, ReturnType> {
        match self {
            Error::Link(compilation) => Error::Link(compilation),
            Error::Fault(Fault {
                kind: FaultOrPause::Fault(fault),
                stack,
            }) => Error::Fault(Fault {
                kind: FaultOrPause::Fault(fault),
                stack,
            }),
            Error::Fault(_) => unreachable!("paused execution"),
        }
    }
}

            
impl<'a, Env, ReturnType> std::error::Error for Error<'a, Env, ReturnType>
where
    Env: std::fmt::Debug + Environment,
    ReturnType: std::fmt::Debug,
{
}

            
impl<'a, Env, ReturnType> Display for Error<'a, Env, ReturnType>
where
    Env: Environment,
{
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            Error::Link(err) => write!(f, "link error: {err}"),
            Error::Fault(err) => write!(f, "vm fault: {err}"),
        }
    }
}
impl<'a, Env, ReturnType> From<ir::LinkError> for Error<'a, Env, ReturnType>
where
    Env: Environment,
{
    fn from(err: ir::LinkError) -> Self {
        Self::Link(err)
    }
}

            
impl<'a, Env, ReturnType> From<Fault<'a, Env, ReturnType>> for Error<'a, Env, ReturnType>
where
    Env: Environment,
{
2
    fn from(fault: Fault<'a, Env, ReturnType>) -> Self {
2
        Self::Fault(fault)
2
    }
}

            
impl<'a, Env, ReturnType> From<FaultKind> for Error<'a, Env, ReturnType>
where
    Env: Environment,
{
    fn from(fault: FaultKind) -> Self {
        Self::Fault(Fault::from(fault))
    }
}

            
/// An intrinsic that does nothing.
///
/// This type can be used for [`Environment::Intrinsic`] if there is no need for
/// custom intrinsics.
1
#[derive(Clone, Copy, Eq, PartialEq, Debug)]
pub struct Noop;

            
impl FromStr for Noop {
    type Err = ();

            
1
    fn from_str(s: &str) -> Result<Self, Self::Err> {
1
        if s == "noop" {
1
            Ok(Self)
        } else {
            Err(())
        }
1
    }
}

            
impl Display for Noop {
2
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
2
        f.write_str("noop")
2
    }
}