-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathSema.cpp
90 lines (74 loc) · 2.79 KB
/
Sema.cpp
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
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
#include "Sema.h"
#include "llvm/ADT/StringSet.h"
#include "llvm/Support/raw_ostream.h"
namespace {
class InputCheck : public ASTVisitor {
llvm::StringSet<> Scope; // StringSet to store declared variables
bool HasError; // Flag to indicate if an error occurred
enum ErrorType { Twice, Not }; // Enum to represent error types: Twice - variable declared twice, Not - variable not declared
void error(ErrorType ET, llvm::StringRef V) {
// Function to report errors
llvm::errs() << "Variable " << V << " is "
<< (ET == Twice ? "already" : "not")
<< " declared\n";
HasError = true; // Set error flag to true
}
public:
InputCheck() : HasError(false) {} // Constructor
bool hasError() { return HasError; } // Function to check if an error occurred
// Visit function for main nodes
virtual void visit(Goal &Node) override {
for (auto I = Node.begin(), E = Node.end(); I != E; ++I)
{
(*I)->accept(*this); // Visit each child node
}
};
// Visit function for Factor nodes
virtual void visit(Final &Node) override {
if (Node.getKind() == Final::Id) {
// Check if identifier is in the scope
if (Scope.find(Node.getVal()) == Scope.end())
error(Not, Node.getVal());
}
};
// Visit function for BinaryOp nodes
virtual void visit(BinaryOp &Node) override {
if (Node.getLeft())
Node.getLeft()->accept(*this);
else
HasError = true;
auto right = Node.getRight();
if (right)
right->accept(*this);
else
HasError = true;
if (Node.getOperator() == Expression::BinaryOp::slash && right) {
Factor * f = (Factor *)right;
if (right && f->getKind() == Final::ValueKind::Num) {
int intval;
f->getVal().getAsInteger(10, intval);
if (intval == 0) {
llvm::errs() << "Division by zero is not allowed." << "\n";
HasError = true;
}
}
}
};
virtual void visit(Declaration &Node) override {
for (auto I = Node.begin(), E = Node.end(); I != E;
++I) {
if (!Scope.insert(*I).second)
error(Twice, *I); // If the insertion fails (element already exists in Scope), report a "Twice" error
}
if (Node.getExpr())
Node.getExpr()->accept(*this); // If the Declaration node has an expression, recursively visit the expression node
};
};
}
bool Sema::semantic(AST *Tree) {
if (!Tree)
return false; // If the input AST is not valid, return false indicating no errors
InputCheck Check; // Create an instance of the InputCheck class for semantic analysis
Tree->accept(Check); // Initiate the semantic analysis by traversing the AST using the accept function
return Check.hasError(); // Return the result of Check.hasError() indicating if any errors were detected during the analysis
}