1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
use crate::scope::{VmScope, VmScopeSymbol};
use intuicio_core::{
    context::Context,
    registry::Registry,
    script::{ScriptExpression, ScriptOperation},
};
use serde::{Deserialize, Serialize};
use std::{
    any::TypeId,
    collections::HashMap,
    io::Write,
    sync::{Arc, RwLock},
};

pub type VmDebuggerHandle<SE> = Arc<RwLock<dyn VmDebugger<SE>>>;
pub type SourceMapHandle<UL> = Arc<RwLock<SourceMap<UL>>>;

pub trait VmDebugger<SE: ScriptExpression> {
    #[allow(unused_variables)]
    fn on_enter_scope(&mut self, scope: &VmScope<SE>, context: &mut Context, registry: &Registry) {}

    #[allow(unused_variables)]
    fn on_exit_scope(&mut self, scope: &VmScope<SE>, context: &mut Context, registry: &Registry) {}

    #[allow(unused_variables)]
    fn on_enter_operation(
        &mut self,
        scope: &VmScope<SE>,
        operation: &ScriptOperation<SE>,
        position: usize,
        context: &mut Context,
        registry: &Registry,
    ) {
    }

    #[allow(unused_variables)]
    fn on_exit_operation(
        &mut self,
        scope: &VmScope<SE>,
        operation: &ScriptOperation<SE>,
        position: usize,
        context: &mut Context,
        registry: &Registry,
    ) {
    }

    fn into_handle(self) -> VmDebuggerHandle<SE>
    where
        Self: Sized + 'static,
    {
        Arc::new(RwLock::new(self))
    }
}

#[derive(Debug, Copy, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
pub struct SourceMapLocation {
    pub symbol: VmScopeSymbol,
    pub operation: Option<usize>,
}

impl SourceMapLocation {
    pub fn symbol(symbol: VmScopeSymbol) -> Self {
        Self {
            symbol,
            operation: None,
        }
    }

    pub fn symbol_operation(symbol: VmScopeSymbol, operation: usize) -> Self {
        Self {
            symbol,
            operation: Some(operation),
        }
    }
}

#[derive(Debug, Default, Clone, Serialize, Deserialize)]
pub struct SourceMap<UL> {
    pub mappings: HashMap<SourceMapLocation, UL>,
}

impl<UL> SourceMap<UL> {
    pub fn map(&self, location: SourceMapLocation) -> Option<&UL> {
        self.mappings.get(&location)
    }
}

#[derive(Debug, Default, Copy, Clone, PartialEq, Eq)]
pub enum PrintDebuggerMode {
    Enter,
    Exit,
    #[default]
    All,
}

impl PrintDebuggerMode {
    pub fn can_enter(self) -> bool {
        self == Self::All || self == Self::Enter
    }

    pub fn can_exit(self) -> bool {
        self == Self::All || self == Self::Exit
    }
}

#[derive(Default)]
pub struct PrintDebugger {
    pub source_map: SourceMap<String>,
    pub stack: bool,
    pub stack_bytes: bool,
    pub visit_stack: bool,
    pub registers: bool,
    pub registers_bytes: bool,
    pub visit_registers: bool,
    pub operation_details: bool,
    pub step_through: bool,
    pub mode: PrintDebuggerMode,
    #[allow(clippy::type_complexity)]
    printable: HashMap<TypeId, (&'static str, Box<dyn Fn(&[u8]) -> String>)>,
    step: usize,
}

impl PrintDebugger {
    pub fn full() -> Self {
        Self {
            source_map: Default::default(),
            stack: true,
            stack_bytes: true,
            visit_stack: true,
            registers: true,
            registers_bytes: true,
            visit_registers: true,
            operation_details: true,
            step_through: true,
            mode: PrintDebuggerMode::All,
            printable: Default::default(),
            step: 0,
        }
    }

    pub fn stack(mut self, mode: bool) -> Self {
        self.stack = mode;
        self
    }

    pub fn stack_bytes(mut self, mode: bool) -> Self {
        self.stack_bytes = mode;
        self
    }

    pub fn visit_stack(mut self, mode: bool) -> Self {
        self.visit_stack = mode;
        self
    }

    pub fn registers(mut self, mode: bool) -> Self {
        self.registers = mode;
        self
    }

    pub fn registers_bytes(mut self, mode: bool) -> Self {
        self.registers_bytes = mode;
        self
    }

    pub fn visit_registers(mut self, mode: bool) -> Self {
        self.visit_registers = mode;
        self
    }

    pub fn operation_details(mut self, mode: bool) -> Self {
        self.operation_details = mode;
        self
    }

    pub fn step_through(mut self, mode: bool) -> Self {
        self.step_through = mode;
        self
    }

    pub fn mode(mut self, mode: PrintDebuggerMode) -> Self {
        self.mode = mode;
        self
    }

    pub fn printable<T: std::fmt::Debug + 'static>(mut self) -> Self {
        self.printable.insert(
            TypeId::of::<T>(),
            (
                std::any::type_name::<T>(),
                Box::new(|bytes| unsafe {
                    format!("{:#?}", bytes.as_ptr().cast::<T>().as_ref().unwrap())
                }),
            ),
        );
        self
    }

    pub fn basic_printables(self) -> Self {
        self.printable::<()>()
            .printable::<bool>()
            .printable::<i8>()
            .printable::<i16>()
            .printable::<i32>()
            .printable::<i64>()
            .printable::<i128>()
            .printable::<isize>()
            .printable::<u8>()
            .printable::<u16>()
            .printable::<u32>()
            .printable::<u64>()
            .printable::<u128>()
            .printable::<usize>()
            .printable::<f32>()
            .printable::<f64>()
            .printable::<char>()
            .printable::<String>()
    }

    fn map(&self, location: SourceMapLocation) -> String {
        self.source_map
            .map(location)
            .map(|mapping| mapping.to_owned())
            .unwrap_or_else(|| format!("{:?}", location))
    }

    fn print_extra(&self, context: &mut Context) {
        if self.stack {
            println!("- stack position: {}", context.stack().position());
        }
        if self.stack_bytes {
            println!("- stack bytes:\n{:?}", context.stack().as_bytes());
        }
        if self.visit_stack {
            let mut index = 0;
            context.stack().visit(|type_id, layout, bytes, range, _| {
                assert_eq!(bytes.len(), layout.size());
                if let Some((type_name, callback)) = self.printable.get(&type_id) {
                    println!(
                        "- stack value #{} of type {}:\n{}",
                        index,
                        type_name,
                        callback(bytes)
                    );
                } else {
                    println!(
                        "- stack value #{} of unknown type id {:?} and layout: {:?}",
                        index, type_id, layout
                    );
                }
                println!(
                    "- stack value #{} bytes in range {:?}:\n{:?}",
                    index, range, bytes
                );
                index += 1;
            });
        }
        if self.registers {
            println!("- registers position: {}", context.registers().position());
            println!(
                "- registers count: {}",
                context.registers().registers_count()
            );
            println!("- registers barriers: {:?}", context.registers_barriers());
        }
        if self.registers_bytes {
            println!("- registers bytes:\n{:?}", context.registers().as_bytes());
        }
        if self.visit_registers {
            let mut index = 0;
            let registers_count = context.registers().registers_count();
            context
                .registers()
                .visit(|type_id, layout, bytes, range, valid| {
                    if let Some((type_name, callback)) = self.printable.get(&type_id) {
                        if valid {
                            println!(
                                "- register value #{} of type {}:\n{}",
                                registers_count - index - 1,
                                type_name,
                                callback(bytes)
                            );
                        } else {
                            println!(
                                "- invalid register value #{} of type {}",
                                registers_count - index - 1,
                                type_name
                            );
                        }
                    } else {
                        println!(
                            "- register value #{} of unknown type id {:?} and layout: {:?}",
                            registers_count - index - 1,
                            type_id,
                            layout
                        );
                    }
                    println!(
                        "- register value #{} bytes in range: {:?}:\n{:?}",
                        registers_count - index - 1,
                        range,
                        bytes
                    );
                    index += 1;
                });
        }
    }

    fn try_halt(&self) {
        if self.step_through {
            print!("#{} | Confirm to step through...", self.step);
            let _ = std::io::stdout().flush();
            let mut command = String::new();
            let _ = std::io::stdin().read_line(&mut command);
        }
    }
}

impl<SE: ScriptExpression + std::fmt::Debug> VmDebugger<SE> for PrintDebugger {
    fn on_enter_scope(&mut self, scope: &VmScope<SE>, context: &mut Context, _: &Registry) {
        println!();
        println!(
            "* #{} PrintDebugger | Enter scope:\n{}",
            self.step,
            self.map(SourceMapLocation::symbol(scope.symbol()))
        );
        if self.mode.can_enter() {
            self.print_extra(context);
            self.try_halt();
        }
        println!();
        self.step += 1;
    }

    fn on_exit_scope(&mut self, scope: &VmScope<SE>, context: &mut Context, _: &Registry) {
        println!();
        println!(
            "* #{} PrintDebugger | Exit scope:\n{}",
            self.step,
            self.map(SourceMapLocation::symbol(scope.symbol()))
        );
        if self.mode.can_exit() {
            self.print_extra(context);
            self.try_halt();
        }
        println!();
        self.step += 1;
    }

    fn on_enter_operation(
        &mut self,
        scope: &VmScope<SE>,
        operation: &ScriptOperation<SE>,
        position: usize,
        context: &mut Context,
        _: &Registry,
    ) {
        println!();
        println!(
            "* #{} PrintDebugger | Enter operation:\n{}",
            self.step,
            self.map(SourceMapLocation::symbol_operation(
                scope.symbol(),
                position
            ))
        );
        if self.mode.can_enter() {
            println!(
                "- operation: {}",
                if self.operation_details {
                    format!("{:#?}", operation)
                } else {
                    operation.label().to_owned()
                }
            );
            self.print_extra(context);
            self.try_halt();
        }
        println!();
        self.step += 1;
    }

    fn on_exit_operation(
        &mut self,
        scope: &VmScope<SE>,
        operation: &ScriptOperation<SE>,
        position: usize,
        context: &mut Context,
        _: &Registry,
    ) {
        println!();
        println!(
            "* #{} PrintDebugger | Exit operation:\n{}",
            self.step,
            self.map(SourceMapLocation::symbol_operation(
                scope.symbol(),
                position
            ))
        );
        if self.mode.can_exit() {
            println!(
                "- operation: {}",
                if self.operation_details {
                    format!("{:#?}", operation)
                } else {
                    operation.label().to_owned()
                }
            );
            self.print_extra(context);
            self.try_halt();
        }
        println!();
        self.step += 1;
    }
}