DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Refcards Trend Reports Events Over 2 million developers have joined DZone. Join Today! Thanks for visiting DZone today,
Edit Profile Manage Email Subscriptions Moderation Admin Console How to Post to DZone Article Submission Guidelines
View Profile
Sign Out
Refcards
Trend Reports
Events
Zones
Culture and Methodologies Agile Career Development Methodologies Team Management
Data Engineering AI/ML Big Data Data Databases IoT
Software Design and Architecture Cloud Architecture Containers Integration Microservices Performance Security
Coding Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Partner Zones AWS Cloud
by AWS Developer Relations
Culture and Methodologies
Agile Career Development Methodologies Team Management
Data Engineering
AI/ML Big Data Data Databases IoT
Software Design and Architecture
Cloud Architecture Containers Integration Microservices Performance Security
Coding
Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance
Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Partner Zones
AWS Cloud
by AWS Developer Relations
  1. DZone
  2. Data Engineering
  3. Data
  4. Build a WebAssembly Language for Fun and Profit: Parsing

Build a WebAssembly Language for Fun and Profit: Parsing

In the second post of this series on how to build a WebAssembly programming language, we cover the next phase of assembling our compiler, parsing.

Drew Youngwerth user avatar by
Drew Youngwerth
·
Oct. 12, 22 · Tutorial
Like (2)
Save
Tweet
Share
5.09K Views

Join the DZone community and get the full member experience.

Join For Free

In the last post of this series on how to build a WebAssembly programming language, we constructed a lexer. In this post, we’ll cover the next phase of our compiler, parsing. Parsing is the portion of our compiler that takes the token stream generated by the lexer and converts it into an abstract syntax tree (AST).

An AST is a tree-like data structure that organizes the tokens into a logical hierarchy that can more easily be translated into machine code. Thankfully, because wispy is an S-expression language, our code is essentially _already_ an AST. Take the following stream of tokens:

Common Lisp
 
“(“, “add”, “3”, “(“, “sub”, “2”, “1”, “)”, “)”


Each set of parentheses represents a subtree, where the first token is the operator node and the following tokens are its operands. If we run into another opening parenthesis before the current set is closed, we know it represents an operand that itself is a subtree. The above stream of tokens would be organized into a tree that looks like this:

 


If you're interested in writing a parser for a more complex C-like syntax, see my previous Building A Programming Language series.

More About AST

As we did with the lexer, we'll start by defining our types. These types will define the structure of our AST. Each type represents a “Node”, the circle from our diagram in the intro. Here are the basic nodes. We'll gloss over them, as they aren't a lot different from the tokens we defined in the lexer:

TypeScript
 
// src/types/ast.mts



export type IntNode = {

  type: "int";

  value: number;

};



export type FloatNode = {

  type: "float";

  value: number;

};



export type IdentifierNode = {

  type: "identifier";

  identifier: string;

};



export type TypedIdentifierNode = {

  type: "typed-identifier";

  // Note that here, we break down the identifier into its components

  identifier: string;

  typeIdentifier: string;

};

 

A new concept to the AST is the `BlockNode`. A `BlockNode` is an expression made up of a group of other nodes.

For example, `(add 1 2)` is a block of three nodes:

  1. An identifier that evaluates to a function, `add`.
  2. An Int that simply evaluates to the number `1`.
  3. An Int that simply evaluates to the number `2`.

How the block itself gets evaluated is up to the compiler.  We'll get to that in the next post.

Here's the definition:

TypeScript
 
// src/types/ast.mts



export type BlockNode = {

  type: "block";

  expressions: AstNode[];

};

 

Finally, we define the `AstNode`. Like the `Token` type from the lexer, `AstNode` is a discriminated union that can be one of any other node we previously defined:

TypeScript
 
export type AstNode = IntNode | FloatNode | IdentifierNode | TypedIdentifierNode | BlockNode;


You may have noticed that `BlockNode` has an array of `AstNode`s, Since `AstNode` _can be_ a `BlockNode`, `BlockNode`s can contain child `BlockNodes`. In other words, `BlockNode` is a recursive type. This ability to recursively represent children that can have children is the foundation of our AST. It's where the tree in AST is allowed to form.

At this point, `src/types/ast.mts` is finished and should look like this file.

Now export the types from `src/types/index.mts` as we did with the token types:

TypeScript
 
 // src/types/index.mts

export * from "./token.mjs";

export * from "./ast.mjs";

 

Constructing the AST

Now that we've defined the AST, it's time to build one.

Create a new `src/parser.mts` file and add all the imports we'll use:

TypeScript
 
// src/parser.mts

import {

  Token,

  IdentifierNode,

  TypedIdentifierNode,

  IdentifierToken,

  TypedIdentifierToken,

  FloatToken,

  FloatNode,

  IntToken,

  IntNode,

  AstNode,

  BlockNode,

} from "./types/index.mjs";

 

Now we can define our top-level parse function. The parse function takes the tokens generated by the lexer and returns a `BlockNode` that acts as our tree’s root.

TypeScript
 
// src/parser.mts

export const parse = (tokens: Token[]): BlockNode => {

  const blocks: BlockNode[] = [];



  // This loop is run as long as there are tokens to consume

  while (tokens.length) {

    // consumeTokenTree converts an array of tokens into a tree of tokens, more on that later.

    const tree = consumeTokenTree(tokens);



    // parseBlock turns our new tree of tokens into an actual BlockNode, recursively. More on that later as well.

    blocks.push(parseBlock(tree));

  }



  // Finally we return the top level BlockNode

  return {

    type: "block",

    expressions: blocks,

  };

};

```



Next we define the `consumeTokenTree` function. `consumeTokenTree` converts a flat array of tokens, into a tree of tokens.



Given this wispy expression:



```

(add (sub 3 1) (sub 5 2))

 

The lexer will produce this array of tokens:

JSON
 
// Note: I've simplified the Token format to just be strings to keep things short

["(", "add", "(", "sub", "3", "1", ")", "(", "sub", "5", "2", ")", ")"];

 

`consumeTokenTree` will take that flat array and turn it into a tree. This is as simple as putting every token in between a set of bracket tokens `()` into an array. So our token array from above becomes this token tree:

JSON
 
["add", [, "sub", "3", "1"], ["sub", "5", "2"]];

 

Here's the actual definition of `consumeTokenTree`:

TypeScript
 
// src/parser.mts



// This is token besides for the bracket tokens

export type NonBracketToken = Exclude<Token, "parenthesis" | "square-bracket">;



// The token tree is made of NonBracketTokens and other TokenTrees

export type TokenTree = (NonBracketToken | TokenTree)[];



const consumeTokenTree = (tokens: Token[]): TokenTree => {

  const tree: TokenTree = [];



  // Ensures the first token is a left bracket and then discards it, defined below this function.

  consumeLeftBracket(tokens);



  while (tokens.length) {

    // Preview the next token

    const token = tokens[0];



    // Check to see if the next token is a left bracket.

    if (token.type === "bracket" && getBracketDirection(token) === "left") {

      // If it is, we just ran into a sub-TokenTree. So we can simply call this function within

      // itself. Gotta love recursion.

      tree.push(consumeTokenTree(tokens));

      continue;

    }



    // Check to see if the next token is a right bracket

    if (token.type === "bracket" && getBracketDirection(token) === "right") {

      // If it is, we just found the end of the tree on our current level

      tree.shift(); // Discard the right bracket

      break; // Break the loop

    }



    // If the token isn't a bracket, it can simply be added to the tree on this level

    tree.push(token);



    // Consume / discard the token from the main tokens array

    tokens.shift();

  }



  // Return the tree. Don't forget to check out the helper functions below!

  return tree;

};



const consumeLeftBracket = (tokens: Token[]) => {

  const bracketDirection = getBracketDirection(tokens[0]);



  if (bracketDirection !== "left") {

    throw new Error("Expected left bracket");

  }



  return tokens.shift();

};



const getBracketDirection = (token: Token): "left" | "right" => {

  if (token.type !== "bracket") {

    throw new Error(`Expected bracket, got ${token.type}`);

  }



  // If we match a left bracket return left

  if (/[\(\[]/.test(token.value)) return "left";



  // Otherwise return right

  return "right";

};

 

Now that we have a token tree, we need to turn it into a block. To do so, we create a `parseBlock` function that takes the tree as its input and returns a `BlockNode`:

TypeScript
 
const parseBlock = (block?: TokenTree): BlockNode => {

  return {

    type: "block",

    // This is where the recursive magic happens

    expressions: block.map(parseExpression),

  };

};

 

As you may have noticed, `parseBlock` maps each item of the tree with a yet to be written `parseExpression` function. `parseExpression` takes either a `TokenTree` or a `NonBracketToken` and transforms it to its corresponding `AstNode` type. 

Here's the definition:

TypeScript
 
const parseExpression = (expression?: TokenTree | NonBracketToken): AstNode => {

  // If the expression is an Array, we were passed another TokenTree, so we can

  // pass the expression back to the parseBlock function

  if (expression instanceof Array) {

    return parseBlock(expression);

  }



  // The mapping here is pretty straight forward. Match the token type and pass the

  // expression on to a more specific expression parser.

  if (isTokenType(expression, "identifier")) return parseIdentifier(expression);

  if (isTokenType(expression, "typed-identifier")) return parseTypedIdentifier(expression);

  if (isTokenType(expression, "float")) return parseFloatToken(expression);

  if (isTokenType(expression, "int")) return parseIntToken(expression);



  throw new Error(`Unrecognized expression ${JSON.stringify(expression)}`);

};

 

Let's define the `isTokenType` function. This function is pretty neat and demonstrates one of the most powerful features of TypeScript, . Simply put, `isTokenType` tests the expression and narrows down the type to a specific `TokenType`. This allows TypeScript to be certain we are passing the correct tokens to their corresponding parser functions down the line.

Here's the definition:

TypeScript
 
export const isTokenType = <T extends Token["type"]>(

  item: TokenTree | NonBracketToken | undefined,

  type: T

): item is Extract<Token, { type: T }> => {

  return isToken(item) && item.type === type;

};



const isToken = (item?: TokenTree | NonBracketToken): item is NonBracketToken => {

  return !(item instanceof Array);

};

 

There's a lot happening there, so let's walk through it. First up, we have a generic definition, `<T extends Token["type"]>`. This is essentially saying that T must be one of the possible values of the `Token.type` field. Typescript is smart enough to know that means T must be one of `"int" | "float" | "identifier" | "typed-identifier" | "bracket`.

The next interesting piece of code is the return type predicate `item is Extract<Token, { type: T }>`. This predicate tells TypeScript that if the return value of `isTokenType` is true, then `item` must be the `Token` whose type matches the string passed as the `type` parameter.

In practice, that means that if we were to pass an unknown `Token` to `isTokenType`, TypeScript will be able to correctly narrow the value to a more specific token, like `IntToken`.

Now that we have our custom type guard defined, we can define the actual token parsers. The first three are simple; they essentially just return a copy or slightly modified copy of the token:

TypeScript
const parseFloatToken = (float: FloatToken): FloatNode => ({ ...float });



const parseIntToken = (int: IntToken): IntNode => ({ ...int });



const parseIdentifier = (identifier: IdentifierToken): IdentifierNode => {

  return {

    type: "identifier",

    identifier: identifier.value,

  };

};


The final parser is the `parseTypedIdentifier`. Remember that a typed identifier takes the form `identifier:type`. Parsing it is as simple as splitting the string by the colon. The first value of the returned array is the `identifier`, the second is the `type`.

Here's the definition:

TypeScript
const parseTypedIdentifier = (identifier: TypedIdentifierToken): TypedIdentifierNode => {

  const vals = identifier.value.split(":");



  return {

    type: "typed-identifier",

    identifier: vals[0],

    typeIdentifier: vals[1],

  };

};


Here’s the finished file. 

That's all the code required for a working parser. Before we move on, let's update the main `src/index.mts` file to view the output of the parser:

TypeScript
// src/index.mts

#!/usr/bin/env node

import { readFileSync } from "fs";

import { lex } from "./lexer.mjs";

import { parse } from "./parser.mjs";



const file = process.argv[2];

const input = readFileSync(file, "utf8");



const tokens = lex(input);

const ast = parse(tokens);

console.log(JSON.stringify(tokens, undefined, 2));

 

Build and run project:

Shell
npx tsc

wispy example.wispy

 

If all goes well, the output should look like this.

With that, the parser is finished. We can now convert the stream of tokens from the lexer into an AST. In the next post, we can get into the juicy bits: generating and running machine-readable code.

Abstract syntax Data structure Identifier WebAssembly Bracket (tournament) Build (game engine) Parser (programming language) Strings Tree (data structure) Data Types

Published at DZone with permission of Drew Youngwerth. See the original article here.

Opinions expressed by DZone contributors are their own.

Popular on DZone

  • How We Solved an OOM Issue in TiDB with GOMEMLIMIT
  • Building Microservice in Golang
  • DevOps vs Agile: Which Approach Will Win the Battle for Efficiency?
  • Stop Using Spring Profiles Per Environment

Comments

Partner Resources

X

ABOUT US

  • About DZone
  • Send feedback
  • Careers
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 600 Park Offices Drive
  • Suite 300
  • Durham, NC 27709
  • support@dzone.com
  • +1 (919) 678-0300

Let's be friends: