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
//! Error handling
//!
//! This is reference documentation.
//! The Texlang documentation has a [dedicated page about error handling
//! ](<https://texcraft.dev/texlang/09-errors.html>).

use std::collections::HashMap;

use crate::token;
use crate::token::trace;
use crate::vm;
use texcraft_stdext::algorithms::spellcheck::{self, WordDiff};

pub mod display;

/// A fully traced error
///
/// Note that serializing and deserializing this type results in type erasure.
/// Also the serialization format is private.
/// This is not by design: the minimal amount of work was done to make the type
///     serializable, and future work to make this better is welcome!
#[derive(Debug)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub struct TracedTexError {
    #[cfg_attr(
        feature = "serde",
        serde(
            serialize_with = "serialize_error",
            deserialize_with = "deserialize_error"
        )
    )]
    pub error: Box<dyn TexError>,
    pub stack_trace: Vec<StackTraceElement>,
    pub token_traces: HashMap<token::Token, trace::SourceCodeTrace>,
    pub end_of_input_trace: Option<trace::SourceCodeTrace>,
}

#[cfg(feature = "serde")]
#[allow(clippy::borrowed_box)] // we need this exact function signature for serde.
fn serialize_error<S>(value: &Box<dyn TexError>, serializer: S) -> Result<S::Ok, S::Error>
where
    S: serde::Serializer,
{
    use serde::Serialize;
    let serializable_error = SerializableError {
        kind: value.kind().clone(),
        title: value.title(),
        notes: value.notes(),
        source_annotation: value.source_annotation(),
    };
    serializable_error.serialize(serializer)
}

#[cfg(feature = "serde")]
fn deserialize_error<'de, D>(deserializer: D) -> Result<Box<dyn TexError>, D::Error>
where
    D: serde::Deserializer<'de>,
{
    use serde::Deserialize;
    let serializable_error = SerializableError::deserialize(deserializer)?;
    Ok(Box::new(serializable_error))
}

#[derive(Clone, Debug)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
struct SerializableError {
    kind: Kind,
    title: String,
    notes: Vec<display::Note>,
    source_annotation: String,
}

impl TexError for SerializableError {
    fn kind(&self) -> Kind {
        self.kind.clone()
    }
    fn title(&self) -> String {
        self.title.clone()
    }
    fn notes(&self) -> Vec<display::Note> {
        self.notes.clone()
    }
    fn source_annotation(&self) -> String {
        self.source_annotation.clone()
    }
}

impl TracedTexError {
    pub(crate) fn new(
        error: Box<dyn TexError>,
        tracer: &trace::Tracer,
        cs_name_interner: &token::CsNameInterner,
        stack_trace: Vec<StackTraceElement>,
    ) -> Self {
        let (end_of_input_trace, mut tokens) = match error.kind() {
            Kind::Token(token) => (None, vec![token]),
            Kind::EndOfInput => (Some(tracer.trace_end_of_input()), vec![]),
            Kind::FailedPrecondition => (None, vec![]),
        };
        for note in error.notes() {
            if let display::Note::SourceCodeTrace(_, token) = note {
                tokens.push(token);
            }
        }
        let token_traces: HashMap<token::Token, trace::SourceCodeTrace> = tokens
            .into_iter()
            .map(|token| (token, tracer.trace(token, cs_name_interner)))
            .collect();
        TracedTexError {
            error,
            stack_trace,
            token_traces,
            end_of_input_trace,
        }
    }
}

/// Implementations of this trait describe an error in which in the input ended prematurely.
pub trait EndOfInputError: std::fmt::Debug + 'static {
    fn doing(&self) -> String;
    fn notes(&self) -> Vec<display::Note> {
        vec![]
    }
}

/// An error for work-in-progress Texlang code.
///
/// When working on Texlang code it's often nice to figure out the logic first,
///     and then go through later to polish the error cases.
/// This function returns a "TODO" error that helps with this process.
///
/// Use the return value of this function in any place you plan to generate an error.
/// Later on, follow Texlang best practices and create a specific error
///     type for the case with a good error message.
#[allow(non_snake_case)]
pub fn TODO() -> impl TexError + EndOfInputError {
    TodoError {}
}

#[derive(Debug)]
struct TodoError {}

impl EndOfInputError for TodoError {
    fn doing(&self) -> String {
        "? (TODO: add a specific end of input error for this case.)".into()
    }
    fn notes(&self) -> Vec<display::Note> {
        vec![
            "the Rust source code uses `texlang::error::TODO()` for this error case".into(),
            "a more specific end of input error needs to be added".into(),
        ]
    }
}

impl TexError for TodoError {
    fn kind(&self) -> Kind {
        Kind::FailedPrecondition
    }
    fn title(&self) -> String {
        "? (TODO: add a specific error for this case.)".into()
    }
    fn notes(&self) -> Vec<display::Note> {
        vec![
            "the Rust source code uses `texlang::error::TODO()` for this error case".into(),
            "a more specific error needs to be added".into(),
        ]
    }
}

#[derive(Debug)]
pub(crate) struct EofError {
    doing: String,
    notes: Vec<display::Note>,
}

impl EofError {
    pub(crate) fn new<E: EndOfInputError>(err: E) -> Self {
        Self {
            doing: err.doing(),
            notes: err.notes(),
        }
    }
}

impl TexError for EofError {
    fn kind(&self) -> Kind {
        Kind::EndOfInput
    }

    fn title(&self) -> String {
        format!("Unexpected end of input while {}", self.doing)
    }
    fn notes(&self) -> Vec<display::Note> {
        self.notes.clone()
    }
}

/// Element of a stack trace.
#[derive(Clone, Debug)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub struct StackTraceElement {
    pub context: OperationKind,
    pub token: token::Token,
    pub trace: trace::SourceCodeTrace,
}

impl std::fmt::Display for TracedTexError {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        display::format_error(f, self)
    }
}

/// The type of an error.
#[derive(Clone, Debug, PartialEq, Eq)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub enum Kind {
    /// An error at a particular TeX token.
    ///
    /// For example, a TeX command expects a number but the next token is a letter.
    Token(token::Token),
    /// An end-of-input error.
    ///
    /// For example, a TeX command expects a number but there is no more input.
    EndOfInput,
    /// Some external condition does not hold and so the TeX code is incorrect.
    ///
    /// For example, a TeX command tries to open a file a particular path,
    ///     but the file does not exist.
    FailedPrecondition,
}

/// Implementations of this trait describe an error in TeX source code.
pub trait TexError: std::fmt::Debug + 'static {
    fn kind(&self) -> Kind;

    fn title(&self) -> String;

    fn notes(&self) -> Vec<display::Note> {
        vec![]
    }

    fn source_annotation(&self) -> String {
        TexError::default_source_annotation(self)
    }

    fn default_source_annotation(&self) -> String {
        match TexError::kind(self) {
            Kind::Token(t) => match (t.char(), t.cat_code()) {
                (Some(c), Some(code)) => {
                    format!["character token with value {c} and category code {code}",]
                }
                _ => "control sequence".to_string(),
            },
            Kind::EndOfInput => "input ended here".into(),
            Kind::FailedPrecondition => "error occurred while running this command".into(),
        }
    }

    fn source_code_trace_override(&self) -> Option<&trace::SourceCodeTrace> {
        None
    }
    // TODO: have a method that returns the exact error messages as Knuth's TeX
    // The method will return a vector of static strings
}

#[derive(Copy, Clone, Debug)]
#[cfg_attr(feature = "serde", derive(::serde::Serialize, ::serde::Deserialize))]
pub enum OperationKind {
    Expansion,
    Execution,
    VariableIndex,
    VariableAssignment,
}

impl OperationKind {
    fn action(&self) -> &'static str {
        match self {
            OperationKind::Expansion => "expanding this command",
            OperationKind::Execution => "executing this command",
            OperationKind::VariableIndex => "determining the index of this variable",
            OperationKind::VariableAssignment => "determining the value to assign to this variable",
        }
    }
}

#[derive(Debug)]
pub struct SimpleTokenError {
    pub token: token::Token,
    pub title: String,
}

impl SimpleTokenError {
    /// Create a new simple token error.
    pub fn new<T: AsRef<str>>(token: token::Token, title: T) -> SimpleTokenError {
        SimpleTokenError {
            token,
            title: title.as_ref().into(),
        }
    }
}

impl TexError for SimpleTokenError {
    fn kind(&self) -> Kind {
        Kind::Token(self.token)
    }

    fn title(&self) -> String {
        self.title.clone()
    }
}

#[derive(Debug)]
pub struct SimpleFailedPreconditionError {
    pub title: String,
    pub text_notes: Vec<String>,
}

impl SimpleFailedPreconditionError {
    /// Create a new simple failed precondition error.
    pub fn new<T: AsRef<str>>(title: T) -> Self {
        Self {
            title: title.as_ref().into(),
            text_notes: vec![],
        }
    }

    pub fn with_note<T: Into<String>>(mut self, note: T) -> Self {
        self.text_notes.push(note.into());
        self
    }
}

impl TexError for SimpleFailedPreconditionError {
    fn kind(&self) -> Kind {
        Kind::FailedPrecondition
    }

    fn title(&self) -> String {
        self.title.clone()
    }

    fn notes(&self) -> Vec<display::Note> {
        let mut notes = vec![];
        for text_note in &self.text_notes {
            notes.push(text_note.into())
        }
        notes
    }
}

/// Concrete error for the case when a command is undefined.
///
/// This error is returned when a control sequence or active character
///     is not defined.
#[derive(Debug)]
pub struct UndefinedCommandError {
    /// The token that was referred to an undefined command.
    pub token: token::Token,
    /// Control sequences that are spelled similarly to the token.
    pub close_names: Vec<WordDiff>,
}

impl UndefinedCommandError {
    /// Create a new undefined command error.
    pub fn new<S>(vm: &vm::VM<S>, token: token::Token) -> UndefinedCommandError {
        let name = match &token.value() {
            token::Value::CommandRef(command_ref) => command_ref.to_string(vm.cs_name_interner()),
            _ => panic!("undefined command error does not work for non-command-ref tokens"),
        };
        let mut all_names = Vec::<&str>::new();
        for (cs_name, _) in vm.get_commands_as_map_slow().into_iter() {
            all_names.push(cs_name);
        }
        let close_names = spellcheck::find_close_words(&all_names, &name);

        UndefinedCommandError { token, close_names }
    }
}

impl TexError for UndefinedCommandError {
    fn kind(&self) -> Kind {
        Kind::Token(self.token)
    }

    fn title(&self) -> String {
        "undefined control sequence".into()
    }

    fn notes(&self) -> Vec<display::Note> {
        let mut notes: Vec<display::Note> = Default::default();
        use texcraft_stdext::color::Colorize;
        if let Some(close_name) = self.close_names.first() {
            notes.push(format!["did you mean \\{}?\n", close_name.right().bold(),].into());
        }
        notes
    }
}