Created
August 16, 2013 02:11
-
-
Save askingalot/6246660 to your computer and use it in GitHub Desktop.
This is my attempt to solve the very first part of Exercise 3-8 from the O'reilly Erlang Programming book. This module *should* parse a simple mathematical expression into an erlang data structure. It does that (save unary negation) but it does so by wrapping each expression and sub expression in a tagged tuple. The trouble is, I can't seem to u…
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
-module(exp_parser). | |
-export([parse/1]). | |
% Parse simple math expressions. | |
% Currently works (for certain definitions of "works") | |
% for addition, subtraction and multiplication. | |
% Eventually it should handle a unary negation operator (~) | |
% The goal is to do the following: | |
% parse("(2 + 3)") => {plus, {num, 2}, {num, 3}} | |
% parse("((2 + 3) - 4)") => {minus, {plus, {num, 2}, {num, 3}, {num, 4}}} | |
% What actually happens is this: | |
% parse("(2 + 3)") => {expr, {plus, {num, 2}, {num, 3}}} | |
% parse("((2 + 3) - 4)") => {expr, {expr, {minus, {expr, {plus, {num, 2}, {num, 3}}}, {num, 4}}}} | |
% I can't seem to get rid of those darn outer "expr" tagged tuples | |
parse(Exp) -> | |
Tokens = tokenize(Exp), | |
inner_parse(Tokens). | |
%% The parsing functions | |
inner_parse([{TermL, L} | [{op, Op} | [{TermR, R} | Rest]]]) -> | |
inner_parse([ | |
{expr, {Op, {TermL, L}, {TermR, R} }} | | |
Rest | |
]); | |
inner_parse([{TermL, L} | [{op, Op} | [lparen | Rest]]]) -> | |
inner_parse([ | |
{expr, {Op, {TermL, L}, {expr, inner_parse(Rest) }}} | |
]); | |
inner_parse([lparen | Rest]) -> | |
{expr, inner_parse(Rest)}; | |
inner_parse([{expr, Exp} | [rparen | Rest]]) -> | |
inner_parse([{expr, Exp} | Rest]); | |
inner_parse([{expr, Exp}]) -> Exp. | |
%% "Tokenizing" functions (I'm not 100% sure "tokenize"" is what I mean here) | |
tokenize([]) -> []; | |
tokenize([32 | Rest]) -> tokenize(Rest); % ignore space characters | |
tokenize([$( | RestExp]) -> [lparen | tokenize(RestExp)]; | |
tokenize([$) | RestExp]) -> [rparen | tokenize(RestExp)]; | |
tokenize([Op | RestExp]) when Op =:= $+; Op =:= $-; Op =:= $* -> | |
[op(Op) | tokenize(RestExp)]; | |
tokenize([Digit | RestExp]) -> [digit(Digit) | tokenize(RestExp)]. | |
%% Tagging functions | |
op($+) -> {op, plus}; | |
op($-) -> {op, minus}; | |
op($*) -> {op, times}. | |
digit(Digit) -> {num, Digit - 48}. |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment