Files
TDT4205/ps2/src/parser.y
2026-02-14 10:45:32 +01:00

79 lines
2.1 KiB
Plaintext

%{
#include "vslc.h"
// State variables from the flex generated scanner
extern int yylineno; // The line currently being read
extern char yytext[]; // The text of the last consumed lexeme
// The main flex driver function used by the parser
int yylex(void);
// The function called by the parser when errors occur
int yyerror(const char *error)
{
fprintf(stderr, "%s on line %d\n", error, yylineno);
exit(EXIT_FAILURE);
}
// Feel free to define #define macros if you want to
%}
%token FUNC VAR RETURN PRINT PRINTLN IF ELSE WHILE BREAK AND OR
%token NUMBER_TOKEN IDENTIFIER_TOKEN STRING_TOKEN
// Use operator precedence to ensure order of operations is correct
%left '?' ':' // The ternary ? : operator has the lowest precedence of them all
%left OR // Or has lower precedence than and, just like in C
%left AND
%left '=' '!' // == and !=
%left '<' '>' // < <= > and >=
%left '+' '-'
%left '*' '/'
%right UNARY_OPERATORS
// Resolve the nested if-if-else ambiguity with precedence
%nonassoc ')'
%nonassoc ELSE
%%
program :
global_list { root = $1; }
;
global_list :
global { $$ = node_create(LIST, 1, $1); }
| global_list global { $$ = append_to_list_node($1, $2); }
;
global :
global_variable_declaration { $$ = $1; }
;
global_variable_declaration :
VAR global_variable_list { $$ = node_create(GLOBAL_VARIABLE_DECLARATION, 1, $2); }
;
global_variable_list :
global_variable { $$ = node_create(LIST, 1, $1); }
| global_variable_list ',' global_variable { $$ = append_to_list_node($1, $3); }
;
global_variable :
identifier { $$ = $1; }
;
identifier :
IDENTIFIER_TOKEN
{
// Create a node with 0 children to represent the identifier
$$ = node_create(IDENTIFIER, 0);
// Allocate a copy of yytext to keep in the syntax tree as data
$$->data.identifier = strdup(yytext);
}
/*
* This file can currently only recognize global variable declarations, i.e,
*
* var myVar, anotherVar, third
* var theLastOne
*
* TODO:
* Include the remaining modified VSL grammar as specified in the task description.
* This should be a pretty long file when you are done.
*/
%%