summaryrefslogtreecommitdiff
path: root/src/core/parser.c
blob: 5ebe9173eb47b06ab24a31743c8a2f487c16b65c (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
#include "parser.h"
#include "config.h"
#include "tokenizer.h"

typedef struct {
	SandTokenizer tokenizer;
	SandToken previous;
	SandToken current;

	SandAllocator *a;
	SandState *S;
} Parser;

// Report an error at the given token and enter panic mode.
static void error_at(Parser *parser, SandToken token, const char *message) {
	sand_print_diagnostic(parser->S, token.location, SAND_DIAGNOSTIC_ERROR, "");
}


// Same as `error_at` except using the parser's current token.
static void error_at_current(Parser *parser, const char *message) {
	error_at(parser, parser->current, message);
}

static void advance(Parser *parser) {
	parser->previous = parser->current;

	while (true) {
		parser->current = sand_get_next_token(&parser->tokenizer);
		if (parser->current.kind == SAND_TOKEN_ERROR) {
			// `content` is going to be NULL-terminated because it will always point to a C string literal for error tokens.
			error_at_current(parser, parser->current.content);
		} else {
			break;
		}
	}
}

static SandToken peek(const Parser *parser) {
	return parser->current;
}

static bool match(Parser *parser, SandTokenKind expected) {
	if (peek(parser).kind == expected) {
		advance(parser);
		return true;
	} else {
		return false;
	}
}

static void consume(Parser *parser, SandTokenKind expected, const char *error) {
	if (!match(parser, expected)) {
		error_at_current(parser, error);
	}
}

SandAst *sand_parse(SandState *S, SandAllocator *a, const char *source, size_t source_length, const char *filename) {
	Parser parser;
	parser.a = a;
	parser.S = S;

	parser.tokenizer = sand_create_tokenizer(source, source_length, filename);
	advance(&parser); // Prime the pump on the tokenizer.

	// Parse the document.
	SandAst *expr = expression(&parser);
	consume(&parser, SAND_TOKEN_EOF, "Expected end of expression");

	return expr;
}