aoc-2022/day_1/parser.y

112 lines
2.5 KiB
Text
Raw Normal View History

2022-12-25 20:15:50 +00:00
/* Require bison minimal version */
%require "3.2"
/* write out a header file containing the token defines */
%header
// Code for the c file
%{
#include <stdio.h>
#include <stdlib.h>
#include "parser.h"
#include "lexer.h"
void push_value(struct parser_state* state) {
// TODO(feliix42): error handling here?
state->calorie_list = realloc(state->calorie_list, state->size+1);
state->calorie_list[state->size] = state->tmp_val;
state->tmp_val = 0;
state->size++;
}
void yyerror(struct parser_state* state, yyscan_t scanner, const char* msg) {
(void)state;
(void)scanner;
fprintf(stderr, "\033[93mSyntax Error: %s\033[0m\n", msg);
}
%}
// Code for the header file generated by bison
%code requires {
typedef void* yyscan_t;
struct parser_state {
unsigned tmp_val;
unsigned* calorie_list;
size_t size;
};
}
// define a reentrant parser
%define api.pure
// enable parser tracing and detailed error messages (plus Lookahead Correction)
%define parse.trace
%define parse.error detailed
%define parse.lac full
%lex-param { yyscan_t scanner }
%parse-param { struct parser_state* state }
%parse-param { yyscan_t scanner }
%union {
unsigned long num;
}
%start input
%token NEWLINE END_OF_FILE
%token <unsigned> NUMBER
%%
input
: line input
| END_OF_FILE { /* done. */ }
;
line
: NUMBER NEWLINE { state->tmp_val += yylval.num; }
| NEWLINE { push_value(state); }
;
%%
int main(int argc, char** argv) {
struct parser_state* parser_state = calloc(1, sizeof(struct parser_state));
if (!parser_state) {
fprintf(stderr, "[error] failed to allocate parser state\n");
return EXIT_FAILURE;
}
yyscan_t scanner;
/*YY_BUFFER_STATE state;*/
printf("Hello World\n");
if (yylex_init(&scanner)) {
fprintf(stderr, "\033[91m[error] Could not initialize lexer\n");
return EXIT_FAILURE;
}
if (yyparse(parser_state, scanner)) {
// TODO: Error handling https://www.gnu.org/software/bison/manual/html_node/Parser-Function.html
// error during parse occured
return EXIT_FAILURE;
}
yylex_destroy(scanner);
// task 1.1
unsigned max_val = 0;
for (int i = 0; i < parser_state->size; i++) {
if (parser_state->calorie_list[i] > max_val) {
max_val = parser_state->calorie_list[i];
}
}
printf("Largest individual calorie load: %d\n", max_val);
return 0;
}