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
//! An abstract syntax tree for the Monkey programming language from
//! <https://interpreterbook.com/>.

use std::fmt;

/// The top level structure of a Monkey program.
#[derive(Debug, Default)]
pub struct Program {
    /// The statements that make up the `Program`.
    pub statements: Vec<Statement>,
}

impl Program {
    /// Creates a new `Program` for use with a `parser::Parser`.
    pub fn new() -> Self {
        Program { statements: vec![] }
    }
}

/// Possible statement types in Monkey.
#[derive(Debug)]
pub enum Statement {
    Let(LetStatement),
    Return(ReturnStatement),
}

impl fmt::Display for Statement {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        match *self {
            Statement::Let(ref stmt) => write!(f, "let {} = {};", stmt.name, stmt.value),
            Statement::Return(ref stmt) => write!(f, "return {};", stmt.value),
        }
    }
}

/// A statement that binds an expression to an identifier.
#[derive(Debug)]
pub struct LetStatement {
    pub name: Identifier,
    pub value: Expression,
}

/// A statement that returns a value.
#[derive(Debug)]
pub struct ReturnStatement {
    pub value: Expression,
}

/// A computed expression.
#[derive(Debug)]
pub enum Expression {
    // TODO(mdlayher): remove!
    Todo,

    Identifier(Identifier),
}

impl fmt::Display for Expression {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        match *self {
            Expression::Todo => write!(f, "TODO"),
            Expression::Identifier(ref id) => id.fmt(f),
        }
    }
}

/// A programmer-created identifier.
#[derive(Debug)]
pub struct Identifier {
    pub value: String,
}

impl fmt::Display for Identifier {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        write!(f, "{}", self.value)
    }
}