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
#[macro_use]
mod from;

mod display;
mod eval;
mod iter;
mod parse;

use super::{utils, Error, Primitive, Result};

use self::SExp::{Atom, Null, Pair};

/// An S-Expression. Can be parsed from a string via `FromStr`, or constructed
/// programmatically.
///
/// # Examples
/// ```
/// use parsley::SExp;
/// let null = "()".parse::<SExp>().unwrap();
/// assert_eq!(null, SExp::Null);
/// ```
/// ```
/// use parsley::SExp;
/// let parsed = "\"abcdefg\"".parse::<SExp>().unwrap();
/// assert_eq!(parsed, SExp::from("abcdefg"));
/// ```
#[derive(PartialEq, Clone)]
pub enum SExp {
    Null,
    Atom(Primitive),
    Pair { head: Box<SExp>, tail: Box<SExp> },
}

impl SExp {
    pub(super) fn split_car(self) -> ::std::result::Result<(Self, Self), Error> {
        match self {
            Null => Err(Error::NullList),
            Atom(_) => Err(Error::NotAList {
                atom: self.to_string(),
            }),
            Pair { head, tail } => Ok((*head, *tail)),
        }
    }

    pub(super) fn car(self) -> Result {
        Ok(self.split_car()?.0)
    }

    pub(super) fn cdr(self) -> Result {
        Ok(self.split_car()?.1)
    }

    pub(super) fn set_car(&mut self, new: Self) -> Result {
        match self {
            Null => Err(Error::NullList),
            Atom(_) => Err(Error::NotAList {
                atom: self.to_string(),
            }),
            Pair { head, .. } => {
                *head = Box::new(new);
                Ok(Atom(Primitive::Undefined))
            }
        }
    }

    pub(super) fn set_cdr(&mut self, new: Self) -> Result {
        match self {
            Null => Err(Error::NullList),
            Atom(_) => Err(Error::NotAList {
                atom: self.to_string(),
            }),
            Pair { tail, .. } => {
                *tail = Box::new(new);
                Ok(Atom(Primitive::Undefined))
            }
        }
    }

    /// The natural way to build up a list - from the end to the beginning.
    ///
    /// # Example
    /// ```
    /// use parsley::prelude::*;
    /// use parsley::SExp::Null;
    ///
    /// let macro_list = sexp![SExp::sym("quote"), ()];
    /// let cons_list = Null.cons(Null).cons(SExp::sym("quote"));
    ///
    /// assert_eq!(macro_list, cons_list);
    /// ```
    pub fn cons(self, exp: Self) -> Self {
        Pair {
            head: Box::new(exp),
            tail: Box::new(self),
        }
    }

    /// Convenience method to build a symbolic atom.
    ///
    /// # Example
    /// ```
    /// use parsley::prelude::*;
    /// let mut ctx = Context::base();
    ///
    /// // A null list is an empty application
    /// assert!(ctx.eval(SExp::Null).is_err());
    ///
    /// // The symbol `null` (defined in `Context::base`) creates a null when evaluated
    /// let result = ctx.run("null").unwrap();
    /// assert_eq!(result, SExp::Null);
    /// ```
    pub fn sym(sym: &str) -> Self {
        Atom(Primitive::Symbol(sym.to_string()))
    }

    /// Printable type for an expression.
    ///
    /// # Example
    /// ```
    /// use parsley::SExp;
    ///
    /// assert_eq!(SExp::Null.type_of(), "null");
    /// assert_eq!(SExp::from(3).type_of(), "number");
    /// assert_eq!(SExp::from(true).type_of(), "bool");
    /// assert_eq!(SExp::from((5,)).type_of(), "list");
    /// ```
    pub fn type_of(&self) -> &str {
        match self {
            Null => "null",
            Atom(p) => p.type_of(),
            Pair { .. } => "list",
        }
    }
}