creating:syntax

This is an old revision of the document!


PHP's gd library is missing or unable to create PNG images

TLA⁺ is a large, complicated, and ambiguous language that takes a huge amount of work to parse correctly & completely. This is assisted by a comprehensive test corpus exercising the language's nooks & crannies, but here we will make life easy on ourselves. This tutorial only uses a minimal subset of TLA⁺ syntax, just enough to handle the classic DieHard spec. While that may seem limiting, this tutorial tries to focus on the difficult & interesting parts of parsing the language instead of more mundane drudgework like handling all hundred-some user-definable operator symbols. You are encouraged to extend this minimal core as you wish; language tooling is best developed incrementally! Slowly filling in the details of this rough language sketch has a satisfying meditative aspect.

Here is what our minimal language subset includes:

  • The ---- MODULE Name ---- header and ==== footer
  • Named parameterized operator definitions like op == ... and op(x, y, z) == ...
  • Single-line comments like \* comment text
  • Declaration of VARIABLES
  • Finite set literals, like {1, 2, 3, 4, 5}
  • The ENABLED, negative (-x), and logical negation (~) prefix operators
  • Some infix operators: \in, =, +, -, and <
  • The variable-priming suffix operator
  • Parentheses to control expression grouping
  • Vertically-aligned conjunction & disjunction lists
  • The IF/THEN/ELSE construct
  • Natural numbers like 0, 5, 10, etc.
  • Boolean values TRUE and FALSE

As outlined above, you are free to add missing features (or even your own invented features!) as you wish.

Read part I (the first three chapters) of free online textbook Crafting Interpreters by Robert Nystrom. We will be closely following the material in this book, modifying it to our uses. The first two chapters are a nice introduction and overview of language implementation generally. Chapter three specifies a toy language called Lox, to be used as an object of study for the remainder of the book. Our minimal TLA⁺ subset has some similarity to Lox with regard to expressions involving integers and booleans, but also differences - you can skip the section on closures (unless you want to implement higher-order operator parameters yourself) and the section on classes. What's important is that it's similar enough for all the fundamentals to still apply!

Code snippets are shown often in this tutorial. When a snippet is similar to code given in the book with the exception of a few lines, the differing lines will be highlighted. Highlighting is also used to identify new code being added to a large section of code given previously, with surrounding lines included for context. Sometimes the code given here is so different from that provided by the book that highlighting is simply ommitted to reduce visual noise. A parenthetical will specify the meaning of highlighted code when ambiguous.

Part II:: A Tree-Walk Interpreter is where we start to merge with and modify the given code. Everything in section 4.1 can be left unchanged from what's given, although of course it makes sense to change some of the names from "Lox" to "TlaPlus" or similar. You should thus have followed along and arrived at something similar to the below file TlaPlus.java:

  1. package com.craftinginterpreters.tla;
  2.  
  3. import java.io.BufferedReader;
  4. import java.io.IOException;
  5. import java.io.InputStreamReader;
  6. import java.nio.charset.Charset;
  7. import java.nio.file.Files;
  8. import java.nio.file.Paths;
  9. import java.util.List;
  10.  
  11. public class TlaPlus {
  12. static boolean hadError = false;
  13.  
  14. public static void main(String[] args) throws IOException {
  15. if (args.length > 1) {
  16. System.out.println("Usage: jlox [script]");
  17. System.exit(64);
  18. } else if (args.length == 1) {
  19. runFile(args[0]);
  20. } else {
  21. runPrompt();
  22. }
  23. }
  24.  
  25. private static void runFile(String path) throws IOException {
  26. byte[] bytes = Files.readAllBytes(Paths.get(path));
  27. run(new String(bytes, Charset.defaultCharset()));
  28.  
  29. // Indicate an error in the exit code.
  30. if (hadError) System.exit(65);
  31. }
  32.  
  33. private static void runPrompt() throws IOException {
  34. BufferedReader reader = new BufferedReader(input);
  35.  
  36. for (;;) {
  37. System.out.print("> ");
  38. String line = reader.readLine();
  39. if (line == null) break;
  40. run(line);
  41. hadError = false;
  42. }
  43. }
  44.  
  45. private static void run(String source) {
  46. Scanner scanner = new Scanner(source);
  47. List<Token> tokens = scanner.scanTokens();
  48.  
  49. // For now, just print the tokens.
  50. for (Token token : tokens) {
  51. System.out.println(token);
  52. }
  53. }
  54.  
  55. static void error(int line, String message) {
  56. report(line, "", message);
  57. }
  58.  
  59. private static void report(int line, String where,
  60. String message) {
  61. System.err.println(
  62. "[line " + line + "] Error" + where + ": " + message);
  63. hadError = true;
  64. }
  65. }

The TokenType class in section 4.2 is our first major departure from the book. Instead of Lox tokens, we use the atomic components of our minimal TLA⁺ language subset defined above. Adapting the snippet in section 4.2.1 we get:

  1. package com.craftinginterpreters.tla;
  2.  
  3. enum TokenType {
  4. // Single-character tokens.
  5. LEFT_PAREN, RIGHT_PAREN, LEFT_BRACE, RIGHT_BRACE,
  6. COMMA, MINUS, PLUS, LESS_THAN, NEGATION, PRIME
  7.  
  8. // One or two character tokens.
  9. AND, OR, EQUALS, DEF_EQ,
  10.  
  11. // Literals.
  12. IDENTIFIER, NAT_NUMBER, TRUE, FALSE,
  13.  
  14. // Keywords.
  15. VARIABLES, ENABLED, IF, THEN, ELSE, IN,
  16. SINGLE_LINE, MODULE, DOUBLE_LINE
  17.  
  18. EOF
  19. }

There is a very minor design decision here, of the type encountered innumerable times when writing a parser. TLA⁺ includes boolean values TRUE and FALSE, but we don't need to give them their own token types; they can be parsed as ordinary IDENTIFIER tokens then later resolved to the built-in operators TRUE and FALSE. However, since we are writing our interpreter in Java and Java has primitive boolean literals, it is convenient to add specialized tokens for TRUE and FALSE so we can resolve them to primitive Java values on the spot. The existing TLA⁺ tools do not take this approach, and instead later resolve the identifiers TRUE and FALSE from a set of built-in operators. This sort of works-either-way design dilemma occurs often, and we will see it again when trying to decide whether to disallow a snippet of invalid TLA⁺ at the syntactic or semantic level.

In section 4.2.3, we make one very critical addition to the information about each token tracked in the Token class: the token's start column. This will come in useful when parsing vertically-aligned conjunction & disjunction lists.

  1. package com.craftinginterpreters.tla;
  2.  
  3. class Token {
  4. final TokenType type;
  5. final String lexeme;
  6. final Object literal;
  7. final int line;
  8. final int column;
  9.  
  10. Token(TokenType type, String lexeme, Object literal, int line, int column) {
  11. this.type = type;
  12. this.lexeme = lexeme;
  13. this.literal = literal;
  14. this.line = line;
  15. this.column = column;
  16. }
  17.  
  18. public String toString() {
  19. return type + " " + lexeme + " " + literal;
  20. }
  21. }

We now move on to the very important Scanner class in section 4.4. Our first modification to the code given in the book is to track the column in addition to the line, mirroring our addition to the Token class:

  1. package com.craftinginterpreters.tla;
  2.  
  3. import java.util.ArrayList;
  4. import java.util.HashMap;
  5. import java.util.List;
  6. import java.util.Map;
  7.  
  8. import static com.craftinginterpreters.tla.TokenType.*;
  9.  
  10. class Scanner {
  11. private final String source;
  12. private final List<Token> tokens = new ArrayList<>();
  13. private int start = 0;
  14. private int current = 0;
  15. private int line = 1;
  16. private int column = 0;
  17.  
  18. Scanner(String source) {
  19. this.source = source;
  20. }
  21.  
  22. List<Token> scanTokens() {
  23. while (!isAtEnd()) {
  24. // We are at the beginning of the next lexeme.
  25. start = current;
  26. scanToken();
  27. }
  28.  
  29. tokens.add(new Token(EOF, "", null, line, column));
  30. return tokens;
  31. }
  32.  
  33. private boolean isAtEnd() {
  34. return current >= source.length();
  35. }
  36. }

Section 4.5 finally gets around to actually handling text input! Of course, our unambiguous single-character lexing code in scanToken has some differences (including the removal of DOT, SEMICOLON, and STAR). Note also that we increment the column position in advance():

  1. private void scanToken() {
  2. char c = advance();
  3. switch (c) {
  4. case '(': addToken(LEFT_PAREN); break;
  5. case ')': addToken(RIGHT_PAREN); break;
  6. case '{': addToken(LEFT_BRACE); break;
  7. case '}': addToken(RIGHT_BRACE); break;
  8. case ',': addToken(COMMA); break;
  9. case '-': addToken(MINUS); break;
  10. case '+': addToken(PLUS); break;
  11. case '<': addToken(LESS_THAN); break;
  12. case '~': addToken(NEGATION); break;
  13. case '\'': addToken(PRIME); break;
  14. default:
  15. TlaPlus.error(line, "Unexpected character.");
  16. break;
  17. }
  18. }
  19.  
  20. private char advance() {
  21. column++;
  22. return source.charAt(current++);
  23. }
  24.  
  25. private void addToken(TokenType type) {
  26. addToken(type, null);
  27. }
  28.  
  29. private void addToken(TokenType type, Object literal) {
  30. String text = source.substring(start, current);
  31. tokens.add(new Token(type, text, literal, line, column));
  32. }
  33. }

Moving on to lexing tokens of one or two characters, the differences widen considerably; we want to lex =, ==, /\, and \/:

  1. case '\'': addToken(PRIME); break;
  2. case '=':
  3. addToken(match('=') ? DEF_EQ : EQUALS);
  4. break;
  5. case '/':
  6. if (match('\\')) {
  7. addToken(AND);
  8. } else {
  9. TlaPlus.error(line, "Unexpected character.");
  10. }
  11. break;
  12. case '\\':
  13. if (match('/')) {
  14. addToken(OR);
  15. } else {
  16. TlaPlus.error(line, "Unexpected character.");
  17. }
  18. break;
  19. default:
  20. TlaPlus.error(line, "Unexpected character.");
  21. break;

Be sure to include the match(char) helper method given in the text; again we have to update the value of column when advancing:

  private boolean match(char expected) {
    if (isAtEnd()) return false;
    if (source.charAt(current) != expected) return false;
 
    column++;
    current++;
    return true;
  }

In section 4.6 we learn how to handle lexemes of longer or unlimited length. Let's begin with single-line comments, which in TLA⁺ start with \* (new code highlighted):

  1. case '\\':
  2. if (match('/')) {
  3. addToken(OR);
  4. } else if (match('*')) {
  5. // A comment goes until the end of the line.
  6. while (peek() != '\n' && !isAtEnd()) advance();
  7. } else {
  8. TlaPlus.error(line, "Unexpected character.");
  9. }
  10. break;

This uses the peek() helper:

  private char peek() {
    if (isAtEnd()) return '\0';
    return source.charAt(current);
  }

Also add the code to skip whitespace; importantly, when encountering a newline character we reset the column counter to zero:

  1. break;
  2.  
  3. case ' ':
  4. case '\r':
  5. case '\t':
  6. // Ignore whitespace.
  7. break;
  8.  
  9. case '\n':
  10. column = 0;
  11. line++;
  12. break;
  13.  
  14. default:
  15. TlaPlus.error(line, "Unexpected character.");
  16. break;

We aren't supporting strings (unless you want to go the extra mile) so next up is numbers:

  1. default:
  2. if (isDigit(c)) {
  3. number();
  4. } else {
  5. TlaPlus.error(line, "Unexpected character.");
  6. }
  7. break;

Include the isDigit(char) helper:

  private boolean isDigit(char c) {
    return c >= '0' && c <= '9';
  }

We're only handling whole natural numbers, no decimals, so our number() method is much simpler:

  private void number() {
    while (isDigit(peek())) advance();
    addToken(NAT_NUMBER,
        Integer.parseInt(source.substring(start, current)));
  }
  • creating/syntax.1743198560.txt.gz
  • Last modified: 2025/03/28 21:49
  • by ahelwer