Parsing Text the Racket Way
Have you ever needed to process some raw text and extract only parts of it? Most of the time, you can get by with some nasty regular expressions with groups, but sometimes the pattern that you’re trying to process is too complicated for regular expressions. That’s what parsers are good for, and they’re also the first step in an interpreter/compiler!
In this post, we’ll discover parsers and create a domain-specific language for creating parsers in Racket.
A parser is conceptually a function from a string to some other data structure. It reads in text and processes it into some data representation. For example, a JSON parser takes in JSON text and processes it into lists and maps of numbers, booleans, strings, and nulls. If you’ve ever tried to write something like a parser yourself, you probably used regular expressions. But regular expressions can quickly become unwieldy as the "language" of text you’re processing becomes more complicated. And they’re not re-usable. You can’t easily reference one regular expression from another. Let’s start by making our own version of regular expressions that are less compact, but easier to read and more re-usable.
Let’s start out by thinking how this is going to work. We want a function that takes in a regular expression and a string and tells us whether the string matches the pattern specified by the regular expression. For example:
| (regexp-match? (seq (text "foo") (repeat (alt (text "bar") (text "baz")))) | 
| "foobarbazbarbar") | 
Here is the grammar for our little regular expression language:
| regexp | = | (repeat regexp) | ||
| | | (alt regexp regexp) | |||
| | | (seq regexp regexp) | |||
| | | (text string-expr) | 
repeat matches zero or more occurrences of the sub-pattern, alt matches if either sub-pattern matches, seq matches if the first sub-pattern matches and the second sub-pattern matches the text after the text matched by the first one, and text matches the exact string passed to it.
In order to support seq and repeat, we’ll need some way to match a pattern on the beginning of a string and not expect it to match the entire string. Then, if it matched, we’re going to need to know where the matched text ends so we can keep going on the rest of the text.
To keep track of where we are in the target string, we’ll use an index:
The text will be a string, and the index will be a natural number indicating where in the string we should start looking as we match text. As we go through the string, we’ll increase the index.
Next, we have to figure out how we’re going to represent regular expressions. What does a regular expression do? It should be able to take in a stream and either match text or fail. We’ll represent matching the text by returning a new stream advanced to after the match, and failure as returning #f. So a regular expression is a function which takes in a stream and either returns a stream or #f. Let’s start implementing!
| 
 | ||||||||
| > ((text "foo") (stream "foo" 0)) | ||||||||
| (stream "foo" 3) | ||||||||
| > ((text "foo") (stream "foobar" 0)) | ||||||||
| (stream "foobar" 3) | ||||||||
| > ((text "foo") (stream "fo" 0)) | ||||||||
| #f | ||||||||
| > ((text "foo") (stream "" 0)) | ||||||||
| #f | ||||||||
| > ((text "foo") (stream "hello" 0)) | ||||||||
| #f | ||||||||
| > ((text "foo") (stream "aafooaa" 2)) | ||||||||
| (stream "aafooaa" 5) | 
We make sure the next text in the stream (starting at index) is expected-str and if it is, we advance the stream past that text. Otherwise, we return #f. We also make sure there is enough text left in the stream to even match the text to avoid an index out of bounds error.
Let’s do seq now:
| 
 | ||||
| > ((seq (text "foo") (text "bar")) (stream "foobar" 0)) | ||||
| (stream "foobar" 6) | ||||
| > ((seq (text "foo") (text "bar")) (stream "foobarbaz" 0)) | ||||
| (stream "foobarbaz" 6) | ||||
| > ((seq (text "foo") (text "bar")) (stream "fooxxx" 0)) | ||||
| #f | ||||
| > ((seq (text "foo") (text "bar")) (stream "xxxbar" 0)) | ||||
| #f | 
We run re1 on the initial input stream and if it succeeds, we run re2 on the advanced input stream.
Now alt:
| 
 | ||||
| > ((alt (text "foo") (text "bar")) (stream "foo" 0)) | ||||
| (stream "foo" 3) | ||||
| > ((alt (text "foo") (text "bar")) (stream "bar" 0)) | ||||
| (stream "bar" 3) | ||||
| > ((alt (text "foo") (text "bar")) (stream "hello" 0)) | ||||
| #f | 
Pretty straightforward translation! We try the first pattern and if it fails, we try the second on the same stream, from the same index that we started with (since there is no mutation, it doesn’t matter if re1 "advanced" the stream before failing).
Now, let’s wrap it up with repeat:
| 
 | ||||||
| > ((repeat (text "ha")) (stream "ha" 0)) | ||||||
| (stream "ha" 2) | ||||||
| > ((repeat (text "ha")) (stream "" 0)) | ||||||
| (stream "" 0) | ||||||
| > ((repeat (text "ha")) (stream "hahahahahahaha" 0)) | ||||||
| (stream "hahahahahahaha" 14) | ||||||
| > ((repeat (text "ha")) (stream "hahahahahahaha very funny" 0)) | ||||||
| (stream "hahahahahahaha very funny" 14) | 
If re succeeds, we recur. Otherwise, we succeed anyway with the original input stream. Remember, we succeed on zero or more matches, so if the sub-pattern fails, the repeat still succeeds.
It’s important to note that this is a greedy implementation of repeat that will cause some patterns to fail when they shouldn’t:
| > ((seq (repeat (text "a")) (text "a")) (stream "aaa" 0)) | 
| #f | 
This should theoretically succeed with the (repeat (text "a")) matching the first two "a"s and the second (text "a") matching the third, but since the repetition succeeds greedily matching the whole string, the second text pattern fails since the stream ended. We could implement backtracking matching, but to keep things simple, we’ll just be mindful of this behavior and continue on.
To provide our desired interface, let’s implement regexp-match?:
| 
 | ||||
| > (regexp-match? (text "foo") "foo") | ||||
| #t | ||||
| > (regexp-match? (text "foo") "foobar") | ||||
| #f | 
We add that index condition to make sure the pattern matches the entire string, not just a prefix.
What we have right now is less powerful than regular expressions in some ways, like the fact that we can’t use groups to extract pieces of text. We’ll address that soon. However, what we have is more powerful than regular expressions in other ways. For example, we can create recursive regular expressions to match patterns that are impossible to match with typical regular expressions:
| 
 | ||||||
| > (regexp-match? balanced-parentheses "()") | ||||||
| #t | ||||||
| > (regexp-match? balanced-parentheses "(())") | ||||||
| #t | ||||||
| > (regexp-match? balanced-parentheses "(((())))") | ||||||
| #t | ||||||
| > (regexp-match? balanced-parentheses "(") | ||||||
| #f | ||||||
| > (regexp-match? balanced-parentheses "())") | ||||||
| #f | 
That’s impossible with typical non-recursive regular expressions. Also, that lambda may seem pointless, but if we don’t do that, we won’t be able to construct recursive regular expressions without going into an infinite loop. The lambda delays the recursion.
To avoid writing that lambda, we can make a macro:
| > (define-syntax-rule (regexp re) (lambda (in) (re in))) | |||||
| 
 | 
We can also re-use regular expressions and create abstractions:
| 
 | ||||
| > (regexp-match? (parenthesized (text "foo")) "(foo)") | ||||
| #t | ||||
| > (define spaces (repeat (text " "))) | ||||
| 
 | ||||
| 
 | ||||
| > (regexp-match? (sexpr number) "(1 (100 10 0) ())") | ||||
| #t | 
Nice! Using just these simple tools, you could make a JSON recognizer, or even a recognizer for most programming languages. I say recognizer instead of parser because all we get is a boolean, not structured data. For that, we’ll need full-blown parsers.
A parser is going to be like a regular expression, except instead of just returning an input stream or #f, it can return a result with the input stream on success. It will still just return #f on failure.
Let’s define a grammar for parsers:
| parser | = | string-literal | ||
| | | (text string-expr) | |||
| | | (alt parser ...+) | |||
| | | (seq parser ...+) | |||
| | | (repeat parser) | |||
| | | (bind id parser) | |||
| | | (=> parser expr) | |||
| | | racket-expr | 
text will return the matched text, string literals get converted into text parsers, alt will return the result of whichever parser succeeds, seq will return a cons pair containing each sub-parser result, repeat will return a list of parse results from the sub-parser, bind binds the result of the sub-parser to a variable and returns it, and => ignores the sub-parser result and returns the value of the sub-expression instead. It’s usually used with bind to combine results of sub-parsers. The racket-expr case is for referencing defined parsers like spaces and parenthesized.
Here is an example:
| (struct addition [left right] #:transparent) | 
| (struct multiplication [left right] #:transparent) | 
| (define expr (parser (alt number-expr addition-expr multiplication-expr))) | 
| (define number-expr | 
| (parser (alt (=> (text "1") 1) | 
| (=> (text "0") 0)))) | 
| (define addition-expr | 
| (parser | 
| (=> (seq "(" (bind left expr) "+" (bind right expr) ")") | 
| (addition left right)))) | 
| (define multiplication-expr | 
| (parser | 
| (=> (seq "(" (bind left expr) "*" (bind right expr) ")") | 
| (multiplication left right)))) | 
| (parse expr "((1+1)*(1+1))") | 
In this example, we define a parser for a tiny arithmetic language. We define structs for an abstract syntax tree and parse strings into our structs.
Since we have bind, we’re going to need macros. And the binding structure is pretty weird here. We’re binding a variable deep inside an expression and using it outside. It’s sort of like match. We’re going to need a full-on macro compiler. In fact, our compiler will look a lot like the compiler for match that we made in this post.
Let’s start by defining what we can as procedures and then add macros on top. Instead of returning either #f or an input stream, we’re going to return a new structure containing both an input stream and a parse result on success:
| > (struct parse-result [in^ value] #:transparent) | 
We can define parse and text as procedures:
| 
 | |||||||||
| 
 | |||||||||
| > (parse (text "foo") "foo") | |||||||||
| "foo" | |||||||||
| > (parse (text "foo") "fooooooo") | |||||||||
| #f | |||||||||
| > (parse (text "foo") "bar") | |||||||||
| #f | 
parse is like regexp-match?, but we return the result of the parse instead of a boolean.
text is like regexp text, except we return the matched string in a parse-result with the resulting stream on success.
Unfortunately, we can’t easily define runtime representations for our other parsers like seq. Due to the nature of how we’re going to do binding, we’re going to inline them in our compiler.
Let’s write our compiler top-down:
| > (require (for-syntax syntax/parse)) | ||||||||||||||||||
| > (define-syntax-rule (parser p) (lambda (in) (compile-parse p in (lambda (in^ v) (parse-result in^ v)) (lambda () #f)))) | ||||||||||||||||||
| 
 | ||||||||||||||||||
| 
 | 
The parser form is like the regexp form we defined before. It wraps the parser in a lambda, but it also invokes our compiler macro.
Our compiler takes in a parser’s syntax p, an identifier that the input stream is bound to, in, syntax for an on-success procedure that takes in the resulting input stream and the parse result’s value, and syntax for an on-fail procedure which takes in zero arguments. Like our match compiler we made in another post, this compiler uses continuation-passing style with those on-success and on-fail procedures.
For each case, we defer to sub-compilers that we’ll write in a moment, except for the parser reference case, which we’ve inlined. The parser reference case treats the parser syntax as a Racket expression that produces a parser, like parenthesized or spaces.
Now let’s start defining these sub-compilers:
| 
 | 
To parse an empty seq, we simply succeed with an empty list. Otherwise, we run the first parser and cons its result ot the results of the rest of the seq’s results. The rest is just threading around the input stream.
Unlike our regular expression seq, this one can take zero or more sub-parsers, not just two.
| 
 | 
An empty alt fails. Otherwise, we just try each sub-parser.
| 
 | 
For =>, which is called a semantic action, we ignore the result of the sub-parse and just return e instead.
| 
 | 
For bind, we bind the result to the variable name on success.
Here is an example expansion of a semantic action and binding so we can see how they fit together:
| (parser (=> (bind x "foo") | 
| (string-upcase x))) | 
Our compiler creates nested on-success lambdas, which is where binding happens. The resulting syntax is almost inside-out from the original, having the innermost sub-parsers on the outside executing first, as they should, and the outermost parsers on the inside executing last, on the results of the sub-parsers. That’s how bindings inside the parser are usable in outer parts of the parser.
Next up is repeat, which is a little tricky because of binding. Consider this example:
| (define number-expr | 
| (parser (alt (=> (text "1") 1) | 
| (=> (text "0") 0)))) | 
| (define array-expr | 
| (parser (=> (seq "[" (repeat (seq (bind n number-expr) ",")) "]") | 
| n))) | 
| (parse array-expr "[1,0,1,]") | 
The bind is in the repeat, but its variable is used outside of the repeat. What should n be bound to outside of the repeat? This is like the syntax pattern
In that pattern, x gets bound to the list of all variables bound in the let. We’ll do something similar, so outside of the repeat, any variable that got bound inside will end up bound to the list of values it was bound to internally. So the result of that parse should be (list 1 0 1).
| > (require (for-syntax syntax/parse)) | ||||||||||||||||||
| 
 | ||||||||||||||||||
| 
 | 
We loop, running p as many times as we can. Each time, we take all of the values bound inside p and cons them to a list that contains the values of that variable for each parse of p.
For example:
(repeat (seq (bind n number-expr) ","))
In the end, we reverse the lists because we built them up backwards, and then bind each variable to its corresponding list for outer use.
Now let’s parse some strings!
| > (struct addition [left right] #:transparent) | ||||
| > (struct multiplication [left right] #:transparent) | ||||
| > (define expr (parser (alt number-expr addition-expr multiplication-expr))) | ||||
| 
 | ||||
| 
 | ||||
| 
 | ||||
| > (parse expr "((0+1)*(1+0))") | ||||
| (multiplication (addition 0 1) (addition 1 0)) | ||||
| 
 | ||||
| > (parse array-expr "[1,0,1,]") | ||||
| '(1 0 1) | 
It is nice that we can define our own parsers and compose them, but there is a limitation with higher order parsers. For example:
| 
 | |||
| 
 | |||
| x: undefined; | |||
| cannot reference an identifier before its definition | |||
| in module: top-level | 
Since parenthesized is just a procedure call, our compiler can’t go inside of it and see if variables are bound, so x winds up unbound.
If instead, parenthesized was some kind of parser macro, then it would work. But we’d need our own custom DSL expander to support parser macros. There is a tool I’m helping develop that will make it easy to do this, but that’s a post for another day.
Either way, what we’ve just made is very powerful. We can now write parsers for JSON and even most programming languages! And our parsers are composable, declarative, and have the full power of Racket. We created custom syntax for a parsing DSL that inter-operates with normal Racket code, which is something that isn’t possible in most programming languages. This is a task where language-oriented programming comes in very handy.