1
//! An intermediate representation of virtual machine instructions.
2
//!
3
//! This intermediate representation provides conveniences for handling
4
//! variables, labels, and function calls.
5
use std::{
6
    borrow::{Borrow, BorrowMut},
7
    collections::HashMap,
8
    env,
9
    fmt::{Display, Write},
10
    marker::PhantomData,
11
    ops::{Deref, DerefMut},
12
    str::FromStr,
13
};
14

            
15
use crate::{
16
    symbol::Symbol, Comparison, Environment, Error, FromStack, Noop, StringLiteralDisplay, Value,
17
    ValueKind, ValueOrSource, VirtualMachine,
18
};
19

            
20
pub mod asm;
21

            
22
/// A label that can be jumped to.
23
349
#[derive(Debug, Clone, Eq, PartialEq)]
24
pub struct Label {
25
    pub(crate) index: usize,
26
    name: Option<Symbol>,
27
}
28

            
29
impl Display for Label {
30
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
31
32
        if let Some(name) = &self.name {
32
32
            write!(f, "#{name}")
33
        } else {
34
            write!(f, "#_{}", self.index)
35
        }
36
32
    }
37
}
38

            
39
impl From<&Label> for Label {
40
204
    fn from(value: &Label) -> Self {
41
204
        value.clone()
42
204
    }
43
}
44

            
45
/// A reference to a local variable.
46
863
#[derive(Debug, Clone, Eq, PartialEq)]
47
pub struct Variable {
48
    index: usize,
49
    name: Symbol,
50
}
51

            
52
impl Variable {
53
    /// Returns the index of this variable on the stack.
54
    #[must_use]
55
4308
    pub fn index(&self) -> usize {
56
4308
        self.index
57
4308
    }
58
}
59

            
60
impl Display for Variable {
61
8
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
62
8
        write!(f, "${}", self.name)
63
8
    }
64
}
65

            
66
/// A reference to an argument passed to a function.
67
126
#[derive(Debug, Clone, Eq, PartialEq)]
68
pub struct Argument {
69
    index: usize,
70
    name: Symbol,
71
}
72

            
73
impl Argument {
74
    /// Returns the index of this variable on the stack.
75
    #[must_use]
76
    pub fn index(&self) -> usize {
77
        self.index
78
    }
79
}
80

            
81
impl Display for Argument {
82
38
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
83
38
        write!(f, "@{}", self.name)
84
38
    }
85
}
86

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

            
362
        /// The number of arguments on the stack that should be used as
363
        /// arguments to this call.
364
        arg_count: usize,
365

            
366
        /// The destination for the result of the call.
367
        destination: Destination,
368
    },
369
    /// Calls an intrinsic runtime function.
370
    ///
371
    /// When calling a function, values on the stack are "passed" to the
372
    /// function being pushed to the stack before calling the function. To
373
    /// ensure the correct number of arguments are taken even when variable
374
    /// argument lists are supported, the number of arguments is passed and
375
    /// controls the baseline of the stack.
376
    ///
377
    /// Upon returning from a function call, the arguments will no longer be on
378
    /// the stack. The value returned from the function (or [`Value::Void`] if
379
    /// no value was returned) will be placed in `destination`.
380
    CallIntrinsic {
381
        /// The runtime intrinsic to call.
382
        intrinsic: Intrinsic,
383
        /// The number of arguments on the stack that should be used as
384
        /// arguments to this call.
385
        arg_count: usize,
386
        /// The destination for the result of the call.
387
        destination: Destination,
388
    },
389
    /// Calls a function by name on a value.
390
    ///
391
    /// When calling a function, values on the stack are "passed" to the
392
    /// function being pushed to the stack before calling the function. To
393
    /// ensure the correct number of arguments are taken even when variable
394
    /// argument lists are supported, the number of arguments is passed and
395
    /// controls the baseline of the stack.
396
    ///
397
    /// Upon returning from a function call, the arguments will no longer be on
398
    /// the stack. The value returned from the function (or [`Value::Void`] if
399
    /// no value was returned) will be placed in `destination`.
400
    CallInstance {
401
        /// The target of the function call. If [`LiteralOrSource::Stack`], the value on
402
        /// the stack prior to the arguments is the target of the call.
403
        target: LiteralOrSource,
404
        /// The name of the function to call.
405
        name: Symbol,
406
        /// The number of arguments on the stack that should be used as
407
        /// arguments to this call.
408
        arg_count: usize,
409
        /// The destination for the result of the call.
410
        destination: Destination,
411
    },
412
}
413

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

            
545
/// A literal value.
546
382
#[derive(Debug, Clone, PartialEq)]
547
pub enum Literal {
548
    /// A literal that represents [`Value::Void`].
549
    Void,
550
    /// A signed 64-bit integer literal value.
551
    Integer(i64),
552
    /// A real number literal value (64-bit floating point).
553
    Real(f64),
554
    /// A boolean literal.
555
    Boolean(bool),
556
    /// A string literal.
557
    String(String),
558
}
559

            
560
impl From<i64> for Literal {
561
    fn from(value: i64) -> Self {
562
        Self::Integer(value)
563
    }
564
}
565

            
566
impl From<f64> for Literal {
567
    fn from(value: f64) -> Self {
568
        Self::Real(value)
569
    }
570
}
571

            
572
impl From<bool> for Literal {
573
    fn from(value: bool) -> Self {
574
        Self::Boolean(value)
575
    }
576
}
577

            
578
impl From<String> for Literal {
579
    fn from(value: String) -> Self {
580
        Self::String(value)
581
    }
582
}
583

            
584
impl<'a> From<&'a str> for Literal {
585
12
    fn from(value: &'a str) -> Self {
586
12
        Self::String(value.to_owned())
587
12
    }
588
}
589

            
590
impl Literal {
591
    /// Create an instance of this literal in the given [`Environment`].
592
    #[must_use]
593
252
    pub fn instantiate<Env>(&self) -> Value
594
252
    where
595
252
        Env: Environment,
596
252
    {
597
252
        match self {
598
            Literal::Void => Value::Void,
599
187
            Literal::Integer(value) => Value::Integer(*value),
600
9
            Literal::Real(value) => Value::Real(*value),
601
43
            Literal::Boolean(value) => Value::Boolean(*value),
602
13
            Literal::String(value) => Value::dynamic(<Env::String as From<&str>>::from(value)),
603
        }
604
252
    }
605
}
606

            
607
impl Display for Literal {
608
134
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
609
134
        match self {
610
50
            Self::Integer(value) => Display::fmt(value, f),
611
2
            Self::Real(value) => write!(f, "{value:?}"),
612
4
            Self::Boolean(value) => Display::fmt(value, f),
613
2
            Self::String(string) => Display::fmt(&StringLiteralDisplay::new(string), f),
614
76
            Self::Void => f.write_str("void"),
615
        }
616
134
    }
617
}
618

            
619
/// The source of a value.
620
#[derive(Debug, Clone)]
621
pub enum ValueSource {
622
    /// The value is in an argument at the provided 0-based index.
623
    Argument(usize),
624
    /// The value is in a variable specified.
625
    Variable(Variable),
626
}
627

            
628
impl Display for ValueSource {
629
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
630
        match self {
631
            ValueSource::Argument(arg) => Display::fmt(arg, f),
632
            ValueSource::Variable(variable) => Display::fmt(variable, f),
633
        }
634
    }
635
}
636

            
637
impl<'a> From<&'a ValueSource> for crate::ValueSource {
638
    fn from(source: &'a ValueSource) -> Self {
639
        match source {
640
            ValueSource::Argument(arg) => Self::Argument(*arg),
641
            ValueSource::Variable(var) => Self::Variable(var.index),
642
        }
643
    }
644
}
645

            
646
/// A literal value or a location of a value
647
49
#[derive(Debug, Clone, PartialEq)]
648
pub enum LiteralOrSource {
649
    /// A literal.
650
    Literal(Literal),
651
    /// The value is in an argument at the provided 0-based index.
652
    Argument(Argument), // Make this like Variable
653
    /// The value is in a variable specified.
654
    Variable(Variable),
655
    /// The value is popped from the stack
656
    ///
657
    /// The order of popping is the order the fields apear in the [`Instruction`]
658
    Stack,
659
}
660

            
661
macro_rules! impl_simple_enum_from {
662
    ($enum:ident, $from_type:ident) => {
663
        impl From<$from_type> for $enum {
664
72
            fn from(value: $from_type) -> Self {
665
72
                Self::$from_type(value)
666
72
            }
667
        }
668
        impl<'a> From<&'a $from_type> for $enum {
669
48
            fn from(value: &'a $from_type) -> Self {
670
48
                Self::$from_type(value.clone())
671
48
            }
672
        }
673
    };
674
    ($enum:ident, $from_type:ty, $variant:ident) => {
675
        impl From<$from_type> for $enum {
676
            fn from(value: $from_type) -> Self {
677
                Self::$variant(value.into())
678
            }
679
        }
680
    };
681
}
682

            
683
impl_simple_enum_from!(LiteralOrSource, Literal);
684
impl_simple_enum_from!(LiteralOrSource, bool, Literal);
685
impl_simple_enum_from!(LiteralOrSource, i64, Literal);
686
impl_simple_enum_from!(LiteralOrSource, f64, Literal);
687
impl_simple_enum_from!(LiteralOrSource, String, Literal);
688
impl_simple_enum_from!(LiteralOrSource, &str, Literal);
689
impl_simple_enum_from!(LiteralOrSource, Argument);
690
impl_simple_enum_from!(LiteralOrSource, Variable);
691

            
692
impl LiteralOrSource {
693
    /// Instantiates this into a [`ValueOrSource`], promoting [`Literal`]s to
694
    /// [`Value`]s.
695
    #[must_use]
696
447
    pub fn instantiate<Env>(&self) -> ValueOrSource
697
447
    where
698
447
        Env: Environment,
699
447
    {
700
447
        match self {
701
252
            LiteralOrSource::Literal(literal) => ValueOrSource::Value(literal.instantiate::<Env>()),
702
23
            LiteralOrSource::Argument(index) => ValueOrSource::Argument(index.index),
703
167
            LiteralOrSource::Variable(index) => ValueOrSource::Variable(index.index),
704
5
            LiteralOrSource::Stack => ValueOrSource::Stack,
705
        }
706
447
    }
707
}
708

            
709
impl Display for LiteralOrSource {
710
204
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
711
204
        match self {
712
134
            LiteralOrSource::Literal(value) => Display::fmt(value, f),
713
38
            LiteralOrSource::Argument(arg) => Display::fmt(arg, f),
714
4
            LiteralOrSource::Variable(variable) => Display::fmt(variable, f),
715
28
            LiteralOrSource::Stack => Display::fmt("$", f),
716
        }
717
204
    }
718
}
719

            
720
/// A destination for a value.
721
78
#[derive(Debug, Clone, Eq, PartialEq)]
722
pub enum Destination {
723
    /// Store the value in the 0-based variable index provided.
724
    Variable(Variable),
725
    /// Push the value to the stack.
726
    Stack,
727
    /// Store the value in the return register.
728
    Return,
729
}
730

            
731
impl_simple_enum_from!(Destination, Variable);
732

            
733
impl Display for Destination {
734
116
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
735
116
        match self {
736
2
            Destination::Variable(variable) => Display::fmt(&variable, f),
737
100
            Destination::Stack => f.write_str("$"),
738
14
            Destination::Return => f.write_str("$$"),
739
        }
740
116
    }
741
}
742

            
743
impl<'a> From<&'a Destination> for crate::Destination {
744
1752
    fn from(source: &'a Destination) -> Self {
745
1752
        match source {
746
744
            Destination::Variable(variable) => Self::Variable(variable.index),
747
180
            Destination::Stack => Self::Stack,
748
828
            Destination::Return => Self::Return,
749
        }
750
1752
    }
751
}
752

            
753
/// An action to take during an [`Instruction::Compare`].
754
6
#[derive(Debug, Clone, Eq, PartialEq)]
755
pub enum CompareAction {
756
    /// Store the boolean result in the destination indicated.
757
    Store(Destination),
758
    /// If the comparison is false, jump to the 0-based instruction index
759
    /// indicated.
760
    JumpIfFalse(Label),
761
}
762

            
763
impl From<&CompareAction> for CompareAction {
764
    fn from(value: &CompareAction) -> Self {
765
        value.clone()
766
    }
767
}
768

            
769
impl From<Destination> for CompareAction {
770
    fn from(value: Destination) -> Self {
771
        Self::Store(value)
772
    }
773
}
774

            
775
impl From<&Destination> for CompareAction {
776
    fn from(value: &Destination) -> Self {
777
        value.clone().into()
778
    }
779
}
780

            
781
impl Display for CompareAction {
782
24
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
783
24
        match self {
784
10
            CompareAction::Store(destination) => Display::fmt(destination, f),
785
14
            CompareAction::JumpIfFalse(label) => write!(f, "jump {label}"),
786
        }
787
24
    }
788
}
789

            
790
impl CompareAction {
791
    /// Converts this intermediate representation of a compare action to the
792
    /// virtual machines [`CompareAction`](crate::CompareAction).
793
384
    pub fn link(&self, labels: &[Option<usize>]) -> Result<crate::CompareAction, LinkError> {
794
384
        match self {
795
192
            CompareAction::Store(destination) => {
796
192
                Ok(crate::CompareAction::Store(destination.into()))
797
            }
798
192
            CompareAction::JumpIfFalse(target) => Ok(crate::CompareAction::JumpIfFalse(
799
192
                labels
800
192
                    .get(target.index)
801
192
                    .and_then(|label| *label)
802
192
                    .ok_or_else(|| LinkError::InvalidLabel(target.clone()))?,
803
            )),
804
        }
805
384
    }
806
}
807

            
808
/// A type that helps build [`CodeBlock`]s.
809
pub struct CodeBlockBuilder<Intrinsic> {
810
    label_counter: usize,
811
    named_labels: HashMap<Symbol, Label>,
812
    ops: Vec<Instruction<Intrinsic>>,
813
    args: Vec<Argument>,
814
    temporary_variables: usize,
815
    scope: HashMap<Symbol, ScopeSymbol>,
816
    loops: LoopLabels,
817
    variables: HashMap<Symbol, Variable>,
818
}
819

            
820
impl<Intrinsic> Default for CodeBlockBuilder<Intrinsic> {
821
120
    fn default() -> Self {
822
120
        Self {
823
120
            label_counter: 0,
824
120
            named_labels: HashMap::default(),
825
120
            ops: Vec::default(),
826
120
            args: Vec::default(),
827
120
            temporary_variables: 0,
828
120
            scope: HashMap::default(),
829
120
            loops: LoopLabels::default(),
830
120
            variables: HashMap::default(),
831
120
        }
832
120
    }
833
}
834

            
835
impl<Intrinsic> CodeBlockBuilder<Intrinsic> {
836
    /// Adds a new argument with the given name.
837
14
    pub fn new_argument(&mut self, name: impl Into<Symbol>) -> Argument {
838
14
        let index = self.args.len();
839
14
        let argument = Argument {
840
14
            index,
841
14
            name: name.into(),
842
14
        };
843
14
        self.args.push(argument.clone());
844
14
        self.add_symbol(
845
14
            argument.name.clone(),
846
14
            ScopeSymbol::Argument(argument.clone()),
847
14
        );
848
14
        argument
849
14
    }
850

            
851
    /// Finds an argument by a given name, or None if not found.
852
    #[must_use]
853
4
    pub fn argument(&self, name: &Symbol) -> Option<Argument> {
854
4
        self.args.iter().find(|arg| &arg.name == name).cloned()
855
4
    }
856

            
857
    /// Adds a new symbol to this code block.
858
230
    fn add_symbol(&mut self, symbol: impl Into<Symbol>, value: ScopeSymbol) {
859
230
        self.scope.insert(symbol.into(), value);
860
230
    }
861

            
862
    /// Create a new label.
863
103
    pub fn new_label(&mut self) -> Label {
864
103
        let label_id = self.label_counter;
865
103
        self.label_counter += 1;
866
103
        Label {
867
103
            index: label_id,
868
103
            name: None,
869
103
        }
870
103
    }
871

            
872
    /// Create a new label with a given name.
873
8
    pub fn named_label(&mut self, name: impl Into<Symbol>) -> Label {
874
8
        let name = name.into();
875
8
        if let Some(label) = self.named_labels.get(&name).cloned() {
876
4
            label
877
        } else {
878
4
            let mut label = self.new_label();
879
4
            label.name = Some(name.clone());
880
4
            self.named_labels.insert(name, label.clone());
881
4
            label
882
        }
883
8
    }
884

            
885
    /// Push an instruction.
886
    ///
887
    /// To push a value to the stack use [`push_to_stack`](Self::push_to_stack).
888
782
    pub fn push(&mut self, operation: Instruction<Intrinsic>) {
889
782
        self.ops.push(operation);
890
782
    }
891

            
892
    /// Looks up a symbol.
893
    #[must_use]
894
151
    pub fn lookup(&self, symbol: &Symbol) -> Option<&ScopeSymbol> {
895
151
        self.scope.get(symbol)
896
151
    }
897

            
898
    /// Returns the loop information for a given name, or the current loop if no
899
    /// name is provided.
900
    #[must_use]
901
7
    pub fn loop_info(&self, name: Option<&Symbol>) -> Option<&LoopInfo> {
902
7
        self.loops.find(name)
903
7
    }
904

            
905
    /// Adds the appropriate instruction to store `value` into `destination`.
906
222
    pub fn store_into_destination(&mut self, value: LiteralOrSource, destination: Destination) {
907
222
        match destination {
908
90
            Destination::Variable(variable) => {
909
90
                self.push(Instruction::Load { value, variable });
910
90
            }
911
69
            Destination::Stack => {
912
69
                self.push(Instruction::Push(value));
913
69
            }
914
63
            Destination::Return => {
915
63
                self.push(Instruction::Return(Some(value)));
916
63
            }
917
        }
918
222
    }
919

            
920
    /// Adds the correct instruction to load a value from `symbol` and store it
921
    /// in `destination`.
922
    pub fn load_from_symbol(
923
        &mut self,
924
        symbol: &Symbol,
925
        destination: Destination,
926
    ) -> Result<(), LinkError> {
927
17
        match self.scope.get(symbol) {
928
            Some(ScopeSymbol::Argument(index)) => {
929
                self.store_into_destination(LiteralOrSource::Argument(index.clone()), destination);
930
                Ok(())
931
            }
932
17
            Some(ScopeSymbol::Variable(variable)) => {
933
17
                self.store_into_destination(
934
17
                    LiteralOrSource::Variable(variable.clone()),
935
17
                    destination,
936
17
                );
937
17
                Ok(())
938
            }
939
            _ => Err(LinkError::UndefinedIdentifier(symbol.clone())),
940
        }
941
17
    }
942

            
943
    /// Looks up an existing location for a variable with the provided `name`.
944
    /// If an existing location is not found, new space will be allocated for
945
    /// it and returned.
946
225
    pub fn variable_index_from_name(&mut self, name: &Symbol) -> Variable {
947
225
        let new_index = self.variables.len();
948
225
        let variable = self
949
225
            .variables
950
225
            .entry(name.clone())
951
225
            .or_insert_with(|| Variable {
952
193
                index: new_index,
953
193
                name: name.clone(),
954
225
            })
955
225
            .clone();
956
225
        if variable.index == new_index {
957
193
            self.add_symbol(name.clone(), ScopeSymbol::Variable(variable.clone()));
958
194
        }
959
225
        variable
960
225
    }
961

            
962
    /// Creates a new temporary variable.
963
    ///
964
    /// Internally this simply uses a counter to create a new variable each time
965
    /// this is called named `$1`, `$2`, and so on.
966
141
    pub fn new_temporary_variable(&mut self) -> Variable {
967
141
        self.temporary_variables += 1;
968
141
        let variable = self.variable_index_from_name(&Symbol::from(
969
141
            format!("${}", self.temporary_variables).as_str(),
970
141
        ));
971
141
        variable
972
141
    }
973

            
974
    /// Returns the completed code block.
975
    #[must_use]
976
117
    pub fn finish(self) -> CodeBlock<Intrinsic> {
977
117
        CodeBlock {
978
117
            arguments: self.args.into_iter().map(|arg| arg.name).collect(),
979
117
            variables: self.variables.len(),
980
117
            code: self.ops,
981
117
        }
982
117
    }
983

            
984
    /// Returns the collection of known variables.
985
    #[must_use]
986
98
    pub fn variables(&self) -> &HashMap<Symbol, Variable> {
987
98
        &self.variables
988
98
    }
989
}
990

            
991
macro_rules! op {
992
    ($($(#[doc = $doc:expr])* $name:ident $variant:ident {$($field:ident: $type:ty),+$(,)?});+$(;)?) => {
993
        $($(#[doc = $doc])*
994
3
        pub fn $name(
995
3
            &mut self,
996
3
            $($field: impl Into<$type>,)+
997
3
        ) {
998
3
            self.push(Instruction::$variant {
999
3
                $($field: $field.into(),)+
3
            })
3
        })+
    };
    ($($(#[doc = $doc:expr])* $name:ident $variant:ident ($($field:ident: $type:ty),+$(,)?));+$(;)?) => {
        $($(#[doc = $doc])*
125
        pub fn $name(
125
            &mut self,
125
            $($field: impl Into<$type>,)+
125
        ) {
125
            self.push(Instruction::$variant (
125
                $( $field.into(),)+
125
            ))
125
        })+
    };
}

            
macro_rules! unaryop {
    ($($(#[doc = $doc:expr])* $name:ident $variant:ident);+$(;)?) => {
        op!{$(
            $(#[doc = $doc])*
            $name $variant{value: LiteralOrSource, destination: Destination};
        )+}
    };
}

            
macro_rules! binop {
    ($($(#[doc = $doc:expr])* $name:ident $variant:ident);+$(;)?) => {
        op!{$(
            $(#[doc = $doc])*
            $name $variant{left: LiteralOrSource, right: LiteralOrSource, destination: Destination};
        )+}
    };
}

            
/// Builder like functions adding instructions skipping the need of pushing the instructions
/// manually.
impl<Intrinsic> CodeBlockBuilder<Intrinsic> {
    binop! {
        /// Adds `left` and `right` and places the result in `destination`.
        ///
        /// If this operation causes an overflow, [`Value::Void`] will be stored in
        /// the destination instead.
        add Add;
        /// Subtracts `right` from `left` and places the result in `destination`.
        ///
        /// If this operation causes an overflow, [`Value::Void`] will be stored in
        /// the destination instead.
        sub Sub;
        /// Multiply `left` by `right` and places the result in `destination`.
        ///
        /// If this operation causes an overflow, [`Value::Void`] will be stored in
        /// the destination instead.
        multiply Multiply;
        /// Divides `left` by `right` and places the result in `destination`.
        ///
        /// If this operation causes an overflow, [`Value::Void`] will be stored in
        /// the destination instead.
        divide Divide;
        /// Performs a logical and of `left` and `right` and places the result in
        /// `destination`. This operation always results in a [`Value::Boolean`].
        ///
        /// `left` and `right` will be checked for thruthyness. If both are truthy,
        /// this operation will store true in `destination`. Otherwise, false will
        /// be stored.
        ///
        /// # Short Circuiting
        ///
        /// This instruction will not evaluate `right`'s truthiness if `left` is
        /// false.
        logical_and LogicalAnd;
        /// Performs a logical or of `left` and `right` and places the result in
        /// `destination`. This operation always results in a [`Value::Boolean`].
        ///
        /// `left` and `right` will be checked for thruthyness. If either are
        /// truthy, this operation will store true in `destination`. Otherwise,
        /// false will be stored.
        ///
        /// # Short Circuiting
        ///
        /// This instruction will not evaluate `right`'s truthiness if `left` is
        /// true.
        logical_or LogicalOr;
        /// Performs a logical exclusive-or of `left` and `right` and places the result in
        /// `destination`. This operation always results in a [`Value::Boolean`].
        ///
        /// `left` and `right` will be checked for thruthyness. If one is truthy and
        /// the other is not, this operation will store true in `destination`.
        /// Otherwise, false will be stored.
        logical_xor LogicalXor;
    }
    unaryop! {
        /// Performs a logical `not` operation for `value`, storing the result in
        /// `destination`.
        ///
        /// If the value is truthy, false will be stored in the destination. If the
        /// value is falsey, true will be stored in the destination.
        logical_not LogicalNot
    }
    binop! {
        /// Performs a bitwise and of `left` and `right` and places the result in
        /// `destination`. This operation always results in a [`Value::Integer`].
        ///
        /// If either `left` or `right ` cannot be coerced to an integer, a fault will be
        /// returned.
        ///
        /// The result will have each bit set based on whether the corresponding bit
        /// in both `left` and `right` are both 1.
        bitwise_and BitwiseAnd;
        /// Performs a bitwise or of `left` and `right` and places the result in
        /// `destination`. This operation always results in a [`Value::Integer`].
        ///
        /// If either `left` or `right ` cannot be coerced to an integer, a fault will be
        /// returned.
        ///
        /// The result will have each bit set based on whether either corresponding bit
        /// in `left` or `right` are 1.
        bitwise_or BitwiseOr;
        /// Performs a bitwise exclusive-or of `left` and `right` and places the
        /// result in `destination`. This operation always results in a
        /// [`Value::Integer`].
        ///
        /// If either `left` or `right ` cannot be coerced to an integer, a fault will be
        /// returned.
        ///
        /// The result will have each bit set based on whether only one
        /// corresponding bit in either `left` or `right` are 1.
        bitwise_xor BitwiseXor;
    }
    unaryop! {
        /// Performs a bitwise not operation for `value`, storing the result in
        /// `destination`. This operation always results in a [`Value::Integer`].
        ///
        /// If `value` cannot be coerced to an integer, a fault will be returned.
        ///
        /// The result will be `value` with each bit flipped.
        bitwise_not BitwiseNot;
    }
    op! {
        /// Converts a value to another type, storing the result in `destination`.
        ///
        /// If `value` cannot be converted, a fault will be returned.
        convert Convert {
            value: LiteralOrSource,
            kind: ValueKind,
            destination: Destination,
        };
    }
    binop! {
        /// Performs a bitwise shift left of `left` by `right` bits, storing
        /// the result in `destination`.
        ///
        /// This operation requires both operands to be integers. If either are not
        /// integers, a fault will be returned.
        shift_left ShiftLeft;
        /// Performs a bitwise shift right of `left` by `right` bits, storing the
        /// result in `destination`.
        ///
        /// This operation requires both operands to be integers. If either are not
        /// integers, a fault will be returned.
        shift_right ShiftRight;
    }
    op! {
        /// Checks [`condition.is_truthy()`](Value::is_truthy), jumping to the
        /// target label if false.
        ///
        /// If truthy, the virtual machine continues executing the next instruction
        /// in sequence.
        ///
        /// If not truthy, the virtual machine jumps to label `false_jump_to`.
        ///
        /// Consider using [`begin_if()`](Self::begin_if) instead for a more convinient
        /// option.
        jump_if_false If {
            condition: LiteralOrSource,
            false_jump_to: Label,
        };
    }
    /// Begins an if block with the given condition.
    ///
    /// If the condition is the result of a comparsion consider
    /// [`begin_if_comparison()`](Self::begin_if_comparison).
3
    pub fn begin_if(&mut self, condition: impl Into<LiteralOrSource>) -> If<'_, Intrinsic> {
3
        let label = self.new_label();
3
        self.jump_if_false(condition, &label);
3
        If {
3
            label: Some(label),
3
            code_block: self,
3
        }
3
    }
    op! {
        /// Jump execution to the address of the given [`Label`].
        ///
        /// Consider using [`begin_loop()`](Self::begin_loop) instead of using
        /// `jump_to` for looping.
        jump_to JumpTo(label: Label);
        /// Labels the next instruction with the given [`Label`].
        label Label(label: Label);
    }
    /// Begins a loop with the given `name`. The result of the loop will be
    /// stored in `result`. If the loop does not return a result, the
    /// destination will be untouched.
12
    pub fn begin_loop(
12
        &mut self,
12
        name: Option<Symbol>,
12
        result: Destination,
12
    ) -> LoopScope<'_, Self, Intrinsic> {
12
        let break_label = self.new_label();
12
        let continue_label = self.new_label();
12
        self.loops.begin(LoopInfo {
12
            name,
12
            break_label: break_label.clone(),
12
            continue_label: continue_label.clone(),
12
            loop_result: result,
12
        });
12
        LoopScope {
12
            owner: self,
12
            break_label,
12
            continue_label,
12
            _intrinsic: PhantomData,
12
        }
12
    }
    op! {
        /// Compares `left` and `right` using `comparison` to evaluate a boolean
        /// result.
        ///
        /// If [`CompareAction::Store`] is used, the boolean result will be stored
        /// in the provided destination.
        ///
        /// If [`CompareAction::JumpIfFalse`] is used and the result is false,
        /// execution will jump to the label specified. If the result is true, the
        /// next instruction will continue executing. Consider `begin_if_comparison`
        /// for more convinient jumping.
        compare Compare {
            comparison: Comparison,
            left: LiteralOrSource,
            right: LiteralOrSource,
            action: CompareAction,
        }
    }
    /// Begins an if block with the given comparison.
25
    pub fn begin_if_comparison(
25
        &mut self,
25
        comparison: Comparison,
25
        left: impl Into<LiteralOrSource>,
25
        right: impl Into<LiteralOrSource>,
25
    ) -> If<'_, Intrinsic> {
25
        let label = self.new_label();
25
        self.push(Instruction::Compare {
25
            comparison,
25
            left: left.into(),
25
            right: right.into(),
25
            action: CompareAction::JumpIfFalse(label.clone()),
25
        });
25
        If {
25
            label: Some(label),
25
            code_block: self,
25
        }
25
    }
    op! {
        /// Pushes a value to the stack.
        push_to_stack Push(value: LiteralOrSource)
    }
    op! {
        /// Loads a `value` into a variable.
        load Load {
            value: LiteralOrSource,
            variable: Variable,
        }
    }
    // I have to admit, part of having two functions for return was, that I didn't know how
    // to name a single function.
    /// Returns a value from the current stack frame.
    pub fn return_value(&mut self, value: impl Into<LiteralOrSource>) {
        self.push(Instruction::Return(Some(value.into())));
    }
    /// Returns from the current stack frame without a value.
    pub fn return_void(&mut self) {
        self.push(Instruction::Return(None));
    }
    /// Calls a function.
    ///
    /// When calling a function, values on the stack are "passed" to the
    /// function being pushed to the stack before calling the function. To
    /// ensure the correct number of arguments are taken even when variable
    /// argument lists are supported, the number of arguments is passed and
    /// controls the baseline of the stack.
    ///
    /// Upon returning from a function call, the arguments will no longer be on
    /// the stack. The value returned from the function (or [`Value::Void`] if
    /// no value was returned) will be placed in `destination`.
    ///
    /// There is also [`recurse()`](Self::recurse) always recursing the current function.
    pub fn call(
        &mut self,
        function: impl Into<Symbol>,
        arg_count: usize,
        destination: impl Into<Destination>,
    ) {
        self.push(Instruction::Call {
            function: Some(function.into()),
            arg_count,
            destination: destination.into(),
        });
    }
    /// Calls the current function recursively.
    ///
    /// When calling a function, values on the stack are "passed" to the
    /// function being pushed to the stack before calling the function. To
    /// ensure the correct number of arguments are taken even when variable
    /// argument lists are supported, the number of arguments is passed and
    /// controls the baseline of the stack.
    ///
    /// Upon returning from a function call, the arguments will no longer be on
    /// the stack. The value returned from the function (or [`Value::Void`] if
    /// no value was returned) will be placed in `destination`.
    pub fn recurse(&mut self, arg_count: usize, destination: impl Into<Destination>) {
        self.push(Instruction::Call {
            function: None,
            arg_count,
            destination: destination.into(),
        });
    }
    /// Calls an intrinsic runtime function.
    ///
    /// When calling a function, values on the stack are "passed" to the
    /// function being pushed to the stack before calling the function. To
    /// ensure the correct number of arguments are taken even when variable
    /// argument lists are supported, the number of arguments is passed and
    /// controls the baseline of the stack.
    ///
    /// Upon returning from a function call, the arguments will no longer be on
    /// the stack. The value returned from the function (or [`Value::Void`] if
    /// no value was returned) will be placed in `destination`.
    pub fn call_intrinsic(
        &mut self,
        intrinsic: impl Into<Intrinsic>,
        arg_count: usize,
        destination: impl Into<Destination>,
    ) {
        self.push(Instruction::CallIntrinsic {
            intrinsic: intrinsic.into(),
            arg_count,
            destination: destination.into(),
        });
    }
    /// Calls a function by name on a value.
    ///
    /// When calling a function, values on the stack are "passed" to the
    /// function being pushed to the stack before calling the function. To
    /// ensure the correct number of arguments are taken even when variable
    /// argument lists are supported, the number of arguments is passed and
    /// controls the baseline of the stack.
    ///
    /// Upon returning from a function call, the arguments will no longer be on
    /// the stack. The value returned from the function (or [`Value::Void`] if
    /// no value was returned) will be placed in `destination`.
    pub fn call_instance(
        &mut self,
        target: impl Into<LiteralOrSource>,
        name: impl Into<Symbol>,
        arg_count: usize,
        destination: impl Into<Destination>,
    ) {
        self.push(Instruction::CallInstance {
            target: target.into(),
            name: name.into(),
            arg_count,
            destination: destination.into(),
        });
    }
}

            
/// An if within a [`CodeBlockBuilder`].
#[must_use]
pub struct If<'a, Intrinsic> {
    label: Option<Label>,
    code_block: &'a mut CodeBlockBuilder<Intrinsic>,
}

            
impl<Intrinsic> Deref for If<'_, Intrinsic> {
    type Target = CodeBlockBuilder<Intrinsic>;

            
    fn deref(&self) -> &Self::Target {
        self.code_block
    }
}

            
impl<Intrinsic> DerefMut for If<'_, Intrinsic> {
72
    fn deref_mut(&mut self) -> &mut Self::Target {
72
        self.code_block
72
    }
}

            
impl<Intrinsic> Drop for If<'_, Intrinsic> {
    fn drop(&mut self) {
28
        if let Some(label) = self.label.take() {
6
            self.code_block.label(label);
24
        }
28
    }
}

            
impl<'a, Intrinsic> If<'a, Intrinsic> {
    /// Ends the `if` block, equivalent to dropping.
    pub fn end(self) {}

            
    /// Ends the `if` block, and starts an `else` block.
22
    pub fn begin_else(mut self) -> Else<'a, Intrinsic> {
22
        let label = self.code_block.new_label();
22
        self.code_block.jump_to(&label);
22
        self.code_block.label(
22
            self.label.take().expect(
22
                "should only be None if `.else` or `.end` was called, both consuming self.",
22
            ),
22
        );
22
        Else {
22
            label,
22
            code_block: self,
22
        }
22
    }
}

            
#[must_use]
/// An else within a [`CodeBlockBuilder`]
pub struct Else<'a, Intrinsic> {
    label: Label,
    code_block: If<'a, Intrinsic>,
}

            
impl<Intrinsic> Deref for Else<'_, Intrinsic> {
    type Target = CodeBlockBuilder<Intrinsic>;

            
    fn deref(&self) -> &Self::Target {
        &self.code_block
    }
}

            
impl<Intrinsic> DerefMut for Else<'_, Intrinsic> {
22
    fn deref_mut(&mut self) -> &mut Self::Target {
22
        &mut self.code_block
22
    }
}

            
impl<T> Drop for Else<'_, T> {
22
    fn drop(&mut self) {
22
        self.code_block.label(&self.label);
22
    }
}

            
impl<T> Else<'_, T> {
    /// Ends the `else` block, equivalent to dropping.
    pub fn end(self) {}
}

            
/// A loop within a [`CodeBlockBuilder`].
#[must_use]
pub struct LoopScope<'a, T, Intrinsic>
where
    T: BorrowMut<CodeBlockBuilder<Intrinsic>>,
{
    owner: &'a mut T,
    /// The label for a `break` operation.
    pub break_label: Label,
    /// The label for a `continue` operation.
    pub continue_label: Label,

            
    _intrinsic: PhantomData<Intrinsic>,
}

            
impl<'a, T, Intrinsic> LoopScope<'a, T, Intrinsic>
where
    T: BorrowMut<CodeBlockBuilder<Intrinsic>>,
{
    /// Marks the next instruction as where the `break` operation should jump
    /// to.
12
    pub fn label_break(&mut self) {
12
        self.owner.borrow_mut().label(self.break_label.clone());
12
    }

            
    /// Marks the next instruction as where the `continue` operation should jump
    /// to.
12
    pub fn label_continue(&mut self) {
12
        self.owner.borrow_mut().label(self.continue_label.clone());
12
    }
}

            
impl<'a, T, Intrinsic> Borrow<CodeBlockBuilder<Intrinsic>> for LoopScope<'a, T, Intrinsic>
where
    T: BorrowMut<CodeBlockBuilder<Intrinsic>>,
{
    fn borrow(&self) -> &CodeBlockBuilder<Intrinsic> {
        (*self.owner).borrow()
    }
}

            
impl<'a, T, Intrinsic> BorrowMut<CodeBlockBuilder<Intrinsic>> for LoopScope<'a, T, Intrinsic>
where
    T: BorrowMut<CodeBlockBuilder<Intrinsic>>,
{
    fn borrow_mut(&mut self) -> &mut CodeBlockBuilder<Intrinsic> {
        self.owner.borrow_mut()
    }
}

            
impl<'a, T, Intrinsic> Deref for LoopScope<'a, T, Intrinsic>
where
    T: BorrowMut<CodeBlockBuilder<Intrinsic>>,
{
    type Target = CodeBlockBuilder<Intrinsic>;

            
    fn deref(&self) -> &Self::Target {
        self.borrow()
    }
}

            
impl<'a, T, Intrinsic> DerefMut for LoopScope<'a, T, Intrinsic>
where
    T: BorrowMut<CodeBlockBuilder<Intrinsic>>,
{
73
    fn deref_mut(&mut self) -> &mut Self::Target {
73
        self.owner.borrow_mut()
73
    }
}

            
impl<'a, T, Intrinsic> Drop for LoopScope<'a, T, Intrinsic>
where
    T: BorrowMut<CodeBlockBuilder<Intrinsic>>,
{
12
    fn drop(&mut self) {
12
        self.loops.exit_block();
12
    }
}

            
120
#[derive(Debug, Default)]
struct LoopLabels {
    scopes: Vec<LoopInfo>,
}

            
impl LoopLabels {
144
    fn begin(&mut self, info: LoopInfo) {
144
        self.scopes.push(info);
144
    }

            
144
    fn exit_block(&mut self) {
144
        self.scopes.pop();
144
    }

            
84
    fn find(&self, name: Option<&Symbol>) -> Option<&LoopInfo> {
84
        if name.is_some() {
24
            self.scopes
24
                .iter()
24
                .rev()
48
                .find(|info| info.name.as_ref() == name)
        } else {
60
            self.scopes.last()
        }
84
    }
}

            
/// Information about a loop.
#[derive(Debug)]
pub struct LoopInfo {
    /// The name of the loop, if specified.
    pub name: Option<Symbol>,
    /// The label for the `break` operation of the loop.
    pub break_label: Label,
    /// The label for the `continue` operation of the loop.
    pub continue_label: Label,
    /// The desination to store the loops result into.
    pub loop_result: Destination,
}

            
/// A block of intermediate instructions.
2
#[derive(Debug, PartialEq)]
pub struct CodeBlock<Intrinsic> {
    /// The number of arguments this code block expects to be on the stack.
    pub arguments: Vec<Symbol>,
    /// The number of variables this code block uses.
    pub variables: usize,
    /// The list of instructions.
    pub code: Vec<Instruction<Intrinsic>>,
}

            
impl<Intrinsic> CodeBlock<Intrinsic> {
    /// Returns a builder for a new [`CodeBlock`].
    #[must_use]
1
    pub fn build() -> CodeBlockBuilder<Intrinsic> {
1
        CodeBlockBuilder::default()
1
    }

            
    /// Links the code block against `scope`, resolving all labels and function
    /// calls.
    #[allow(clippy::too_many_lines)]
112
    pub fn link<S, E>(&self, scope: &S) -> Result<crate::CodeBlock<Intrinsic>, LinkError>
112
    where
112
        S: Scope<Environment = E>,
112
        E: Environment<Intrinsic = Intrinsic>,
112
    {
112
        let mut labels = Vec::new();
112
        let mut labels_encountered = 0;
482
        for (index, op) in self.code.iter().enumerate() {
482
            if let Instruction::Label(label) = op {
71
                if labels.len() <= label.index {
49
                    labels.resize(label.index + 1, None);
49
                }
71
                labels[label.index] = Some(index - labels_encountered);
71
                labels_encountered += 1;
411
            }
        }
112
        self.code
112
            .iter()
482
            .filter_map(|op| compile_instruction(op, &labels, scope).transpose())
112
            .collect::<Result<_, LinkError>>()
112
            .map(|instructions| crate::CodeBlock {
112
                variables: self.variables,
112
                code: instructions,
112
            })
112
    }
}

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

            
#[allow(clippy::too_many_lines)] // Most are straight mappings...
482
fn compile_instruction<S>(
482
    op: &Instruction<<S::Environment as Environment>::Intrinsic>,
482
    labels: &[Option<usize>],
482
    scope: &S,
482
) -> Result<Option<crate::Instruction<<S::Environment as Environment>::Intrinsic>>, LinkError>
482
where
482
    S: Scope,
482
{
482
    Ok(Some(match op {
        Instruction::Add {
41
            left,
41
            right,
41
            destination,
41
        } => crate::Instruction::Add {
41
            left: left.instantiate::<S::Environment>(),
41
            right: right.instantiate::<S::Environment>(),
41
            destination: destination.into(),
41
        },
        Instruction::Sub {
12
            left,
12
            right,
12
            destination,
12
        } => crate::Instruction::Sub {
12
            left: left.instantiate::<S::Environment>(),
12
            right: right.instantiate::<S::Environment>(),
12
            destination: destination.into(),
12
        },
        Instruction::Multiply {
8
            left,
8
            right,
8
            destination,
8
        } => crate::Instruction::Multiply {
8
            left: left.instantiate::<S::Environment>(),
8
            right: right.instantiate::<S::Environment>(),
8
            destination: destination.into(),
8
        },
        Instruction::Divide {
3
            left,
3
            right,
3
            destination,
3
        } => crate::Instruction::Divide {
3
            left: left.instantiate::<S::Environment>(),
3
            right: right.instantiate::<S::Environment>(),
3
            destination: destination.into(),
3
        },
        Instruction::LogicalOr {
            left,
            right,
            destination,
        } => crate::Instruction::LogicalOr {
            left: left.instantiate::<S::Environment>(),
            right: right.instantiate::<S::Environment>(),
            destination: destination.into(),
        },
        Instruction::LogicalAnd {
            left,
            right,
            destination,
        } => crate::Instruction::LogicalAnd {
            left: left.instantiate::<S::Environment>(),
            right: right.instantiate::<S::Environment>(),
            destination: destination.into(),
        },
        Instruction::LogicalXor {
4
            left,
4
            right,
4
            destination,
4
        } => crate::Instruction::LogicalXor {
4
            left: left.instantiate::<S::Environment>(),
4
            right: right.instantiate::<S::Environment>(),
4
            destination: destination.into(),
4
        },
        Instruction::BitwiseOr {
1
            left,
1
            right,
1
            destination,
1
        } => crate::Instruction::BitwiseOr {
1
            left: left.instantiate::<S::Environment>(),
1
            right: right.instantiate::<S::Environment>(),
1
            destination: destination.into(),
1
        },
        Instruction::BitwiseAnd {
1
            left,
1
            right,
1
            destination,
1
        } => crate::Instruction::BitwiseAnd {
1
            left: left.instantiate::<S::Environment>(),
1
            right: right.instantiate::<S::Environment>(),
1
            destination: destination.into(),
1
        },
        Instruction::BitwiseXor {
1
            left,
1
            right,
1
            destination,
1
        } => crate::Instruction::BitwiseXor {
1
            left: left.instantiate::<S::Environment>(),
1
            right: right.instantiate::<S::Environment>(),
1
            destination: destination.into(),
1
        },
        Instruction::ShiftLeft {
2
            left,
2
            right,
2
            destination,
2
        } => crate::Instruction::ShiftLeft {
2
            left: left.instantiate::<S::Environment>(),
2
            right: right.instantiate::<S::Environment>(),
2
            destination: destination.into(),
2
        },
        Instruction::ShiftRight {
2
            left,
2
            right,
2
            destination,
2
        } => crate::Instruction::ShiftRight {
2
            left: left.instantiate::<S::Environment>(),
2
            right: right.instantiate::<S::Environment>(),
2
            destination: destination.into(),
2
        },
3
        Instruction::LogicalNot { value, destination } => crate::Instruction::LogicalNot {
3
            value: value.instantiate::<S::Environment>(),
3
            destination: destination.into(),
3
        },
1
        Instruction::BitwiseNot { value, destination } => crate::Instruction::BitwiseNot {
1
            value: value.instantiate::<S::Environment>(),
1
            destination: destination.into(),
1
        },
        Instruction::Convert {
7
            value,
7
            kind,
7
            destination,
7
        } => crate::Instruction::Convert {
7
            value: value.instantiate::<S::Environment>(),
7
            kind: kind.clone(),
7
            destination: destination.into(),
7
        },
        Instruction::If {
19
            condition,
19
            false_jump_to,
19
        } => crate::Instruction::If {
19
            condition: condition.instantiate::<S::Environment>(),
19
            false_jump_to: labels[false_jump_to.index].expect("label not inserted"),
19
        },
41
        Instruction::JumpTo(label) => {
41
            crate::Instruction::JumpTo(labels[label.index].expect("label not inserted"))
        }
71
        Instruction::Label(_label) => return Ok(None), // Labels are no-ops
        Instruction::Compare {
32
            comparison,
32
            left,
32
            right,
32
            action,
32
        } => crate::Instruction::Compare {
32
            comparison: *comparison,
32
            left: left.instantiate::<S::Environment>(),
32
            right: right.instantiate::<S::Environment>(),
32
            action: action.link(labels)?,
        },
43
        Instruction::Push(value) => crate::Instruction::Push(value.instantiate::<S::Environment>()),
50
        Instruction::Return(value) => crate::Instruction::Return(
50
            value
50
                .as_ref()
50
                .map(LiteralOrSource::instantiate::<S::Environment>),
50
        ),
90
        Instruction::Load { value, variable } => crate::Instruction::Load {
90
            variable_index: variable.index,
90
            value: value.instantiate::<S::Environment>(),
90
        },
        Instruction::Call {
25
            function,
25
            arg_count,
25
            destination,
        } => {
25
            let vtable_index = function
25
                .as_ref()
25
                .map(|symbol| {
15
                    scope
15
                        .resolve_function_vtable_index(symbol)
15
                        .ok_or_else(|| LinkError::UndefinedFunction(symbol.clone()))
25
                })
25
                .transpose()?;
25
            crate::Instruction::Call {
25
                vtable_index,
25
                arg_count: *arg_count,
25
                destination: destination.into(),
25
            }
        }
        Instruction::CallInstance {
20
            target,
20
            name,
20
            arg_count,
20
            destination,
20
        } => crate::Instruction::CallInstance {
20
            target: target.instantiate::<S::Environment>(),
20
            name: name.clone(),
20
            arg_count: *arg_count,
20
            destination: destination.into(),
20
        },
        Instruction::CallIntrinsic {
5
            intrinsic,
5
            arg_count,
5
            destination,
5
        } => crate::Instruction::CallIntrinsic {
5
            intrinsic: intrinsic.clone(),
5
            arg_count: *arg_count,
5
            destination: destination.into(),
5
        },
    }))
482
}

            
/// A scope for linking and compiling code.
pub trait Scope {
    /// The environment for this scope.
    ///
    /// This is used when instantiating literals as values.
    type Environment: Environment;

            
    /// Returns the vtable index of a function with the provided name.
    fn resolve_function_vtable_index(&self, name: &Symbol) -> Option<usize>;
    /// Invokes `callback` for each symbol defined in this scope.
    fn map_each_symbol(&self, callback: &mut impl FnMut(Symbol, ScopeSymbolKind));

            
    /// Defines a function with the provided name.
    fn define_function(
        &mut self,
        function: crate::Function<<Self::Environment as Environment>::Intrinsic>,
    ) -> Option<usize>;

            
    /// Defines a persistent variable.
    ///
    /// This is used to enable interactive sessions.
    fn define_persistent_variable(&mut self, name: Symbol, variable: Variable);
}

            
impl Scope for () {
    type Environment = ();

            
    fn resolve_function_vtable_index(&self, _name: &Symbol) -> Option<usize> {
        None
    }

            
    fn map_each_symbol(&self, _callback: &mut impl FnMut(Symbol, ScopeSymbolKind)) {}

            
    fn define_function(&mut self, _function: crate::Function<Noop>) -> Option<usize> {
        None
    }

            
    fn define_persistent_variable(&mut self, _name: Symbol, _variable: Variable) {}
}

            
/// The kind of a [`ScopeSymbol`].
#[derive(Debug)]
pub enum ScopeSymbolKind {
    /// The symbol is an argument passed into the executing function.
    Argument,
    /// The symbol is a local variable.
    Variable,
    /// The symbol is a function.
    Function,
}

            
/// A registered symbol.
#[derive(Debug)]
pub enum ScopeSymbol {
    /// An argument passed into the executing function.
    Argument(Argument),
    /// A local variable.
    Variable(Variable),
    /// A function name.
    Function(Symbol),
}

            
/// A function, in its intermediate form.
2
#[derive(Debug, PartialEq)]
pub struct Function<Intrinsic> {
    /// The name of the function, if provided.
    pub name: Symbol,
    /// The body of the function.
    pub body: CodeBlock<Intrinsic>,
}

            
impl<Intrinsic> Function<Intrinsic>
where
    Intrinsic: Display,
{
    /// Returns a new function
115
    pub fn new(name: impl Into<Symbol>, body: CodeBlock<Intrinsic>) -> Self {
115
        Self {
115
            name: name.into(),
115
            body,
115
        }
115
    }

            
    /// Links this function against `scope`, returning a function that is ready
    /// to be executed.
110
    pub fn link<S, E>(&self, scope: &mut S) -> Result<crate::Function<Intrinsic>, LinkError>
110
    where
110
        S: Scope<Environment = E>,
110
        E: Environment<Intrinsic = Intrinsic>,
110
    {
110
        let name = self.name.clone();
110
        let block = self.body.link(scope)?;
110
        if env::var("PRINT_IR").is_ok() {
            println!("{}", block.display_indented("  "));
110
        }
110
        let function = crate::Function {
110
            name,
110
            arg_count: self.body.arguments.len(),
110
            code: block.code,
110
            variable_count: block.variables,
110
        };
110
        Ok(function)
110
    }

            
    /// Links this function against `scope`, and registers the linked function
    /// with `scope`. The `usize` returned is the vtable index of the function.
103
    pub fn link_into<S, E>(&self, scope: &mut S) -> Result<usize, LinkError>
103
    where
103
        S: Scope<Environment = E>,
103
        E: Environment<Intrinsic = Intrinsic>,
103
    {
103
        let function = self.link(scope)?;

            
103
        let vtable_index = scope
103
            .define_function(function)
103
            .ok_or(LinkError::InvalidScopeOperation)?;
103
        Ok(vtable_index)
103
    }
}

            
impl<Intrinsic> Display for Function<Intrinsic>
where
    Intrinsic: Display,
{
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
2
        write!(f, "function {}", self.name)?;
4
        for arg in &self.body.arguments {
2
            write!(f, " @{arg}")?;
        }
2
        f.write_char('\n')?;

            
2
        Display::fmt(&self.body, f)?;

            
2
        Ok(())
2
    }
}

            
/// A collection of functions and modules.
1
#[derive(Debug, PartialEq)]
pub struct Module<Intrinsic> {
    /// A list of functions defined in the module.
    pub vtable: Vec<Function<Intrinsic>>,
    /// A list of submodules.
    pub modules: Vec<Module<Intrinsic>>,
    /// The initialization function of this module, if any.
    pub init: Option<Function<Intrinsic>>,
}

            
impl<Intrinsic> Default for Module<Intrinsic> {
3
    fn default() -> Self {
3
        Self {
3
            vtable: Vec::default(),
3
            modules: Vec::default(),
3
            init: None,
3
        }
3
    }
}
impl<Intrinsic> Module<Intrinsic>
where
    Intrinsic: Clone + FromStr + Display,
{
    /// Returns a new module.
    #[must_use]
105
    pub fn new(
105
        vtable: Vec<Function<Intrinsic>>,
105
        modules: Vec<Module<Intrinsic>>,
105
        init: Option<Function<Intrinsic>>,
105
    ) -> Self {
105
        Self {
105
            vtable,
105
            modules,
105
            init,
105
        }
105
    }

            
    /// Returns a module parsed from Bud Assembly (`budasm`).
1
    pub fn from_asm(assembly: &str) -> Result<Self, asm::AsmError> {
1
        asm::Parser::parse(assembly)
1
    }

            
    /// Runs all code in this unit in the passed context.
96
    pub fn load_into<'a, Output: FromStack, Env>(
96
        &self,
96
        context: &'a mut VirtualMachine<Env>,
96
    ) -> Result<Output, Error<'a, Env, Output>>
96
    where
96
        Env: Environment<Intrinsic = Intrinsic>,
96
    {
        // // Process all modules first
        // for _module in &self.modules {
        //     todo!()
        // }

            
        // Compile each function
96
        for (index, function) in self.vtable.iter().enumerate() {
9
            if env::var("PRINT_IR").is_ok() {
                println!(
                    "function #{index} - {}({})",
                    function.name,
                    function
                        .body
                        .arguments
                        .iter()
                        .map(Symbol::as_str)
                        .collect::<Vec<_>>()
                        .join(", ")
                );
9
            }
9
            function.link_into(context)?;
        }

            
        // Execute the module initializer if it exists
96
        if let Some(init) = &self.init {
92
            if env::var("PRINT_IR").is_ok() {
                println!("function init");
92
            }
92
            let vtable_index = init.link_into(context)?;
92
            context
92
                .run(
92
                    vec![crate::Instruction::Call {
92
                        vtable_index: Some(vtable_index),
92
                        arg_count: 0,
92
                        destination: crate::Destination::Stack,
92
                    }],
92
                    0,
92
                )
92
                .map_err(Error::from)
        } else {
4
            Output::from_value(Value::Void).map_err(Error::from)
        }
96
    }
}

            
impl<Intrinsic> Display for Module<Intrinsic>
where
    Intrinsic: Display,
{
2
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
2
        let mut needs_end_of_line = false;
2
        if let Some(init) = &self.init {
2
            Display::fmt(&init.body, f)?;
2
            needs_end_of_line = true;
        }

            
4
        for function in &self.vtable {
2
            if needs_end_of_line {
2
                f.write_char('\n')?;
            } else {
                needs_end_of_line = true;
            }
2
            Display::fmt(function, f)?;
        }

            
2
        Ok(())
2
    }
}

            
/// An error occurred while linking code.
#[derive(Debug, Eq, PartialEq, Clone)]
pub enum LinkError {
    /// An undefined function was encountered.
    UndefinedFunction(Symbol),
    /// An undefined identifier was encountered.
    UndefinedIdentifier(Symbol),
    /// An invalid label was used.
    InvalidLabel(Label),
    /// An invalid operation for the provided [`Scope`] was attempted.
    InvalidScopeOperation,
}

            
impl Display for LinkError {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            LinkError::UndefinedFunction(symbol) => {
                write!(f, "undefined function: {symbol}")
            }
            LinkError::InvalidScopeOperation => {
                write!(f, "the scope used did not support a required operation")
            }
            LinkError::UndefinedIdentifier(symbol) => {
                write!(f, "undefined identifier: {symbol}")
            }
            LinkError::InvalidLabel(label) => {
                if let Some(name) = &label.name {
                    write!(f, "invalid label: #{name}")
                } else {
                    write!(f, "invalid label: {}", label.index)
                }
            }
        }
    }
}

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

            
// #[test]
// fn optimizations() {
//     let unit = crate::parser::parse(
//         r#"function fibonacci(n)
//             if n <= 2
//                 1
//             else
//                 this(n - 1) + this(n - 2)
//             end
//         end
//         "#,
//     )
//     .unwrap()
//     .compile();
//     println!("Unoptimized code:\n{}", unit.vtable[0].body);
//     println!("Unoptimized length: {}", unit.vtable[0].body.code.len());
//     let mut graph = crate::optimizer::CodeGraph::new(&unit.vtable[0].body.code);
//     println!("Graph:\n {graph}");
//     let dag = graph.dags();
//     println!("Dag:\n {dag:?}");
//     // dag.optimize(&mut graph);
// }