This is part two of a six-part tour of a no-frills Brainfuck interpreter in Haskell. The source code for this project is available on github, and each post is written in literate Haskell, so you can execute these documents directly with GHC.
module Brainfuck.Parse whereThe purpose of this module is very focused: take a String and turn it into a Program. Thankfully, parsing Brainfuck code is just barely more complicated than parsing binary, and requires no error handling.
Even though Haskell has some great monadic parsing libraries, we’re not going to need any of them. Here’s our import list:
import           Brainfuck.Types
import qualified Data.Maybe      as Maybe
import qualified Data.Vector     as VecThe core of this module is a single function: parseChar. There are 8 significant characters in Brainfuck, and anything else is considered a comment. Since we just want to discard the comments, we’ll represent them as Nothing in the Maybe Command type:
parseChar :: Char -> Maybe Command
parseChar c =
  case c of
    '>' -> Just IncPtr
    '<' -> Just DecPtr
    '+' -> Just IncVal
    '-' -> Just DecVal
    '.' -> Just PrintChar
    ',' -> Just ReadChar
    '[' -> Just JumpAhead
    ']' -> Just JumpBack
    _   -> NothingNow we just need to map over the input string with parseChar, discard the Nothings and unwrap the Justs, and return a vector:
parseProgram :: String -> Program
parseProgram = Vec.fromList . Maybe.mapMaybe parseCharMaybe.mapMaybe does a lot of the work here for us–it applies parseChar to every character individually and only keeps the Just values, unwrapping them to get the underlying Command data. It returns a list, though, so we still have to call Vec.fromList on the result.
But that’s it! …pretty much. Well, actually there’s one more thing. A Brainfuck program isn’t really just a flat list of tokens–every JumpAhead command has to have a corresponding JumpBack command (and vice-versa), and we’ll need a quick way to tell which one matches up with which. In the next part of this series, we’ll look at the Brainfuck.JumpMap module, which handles building that map.