blob: afcb28ae247e47aa4d6a78be987da3b13bf5a5ad [file] [log] [blame]
NAKAMURA Takumi85c9bac2015-03-02 01:04:34 +00001#include "llvm/ADT/STLExtras.h"
Chandler Carruth605e30e2012-12-04 10:16:57 +00002#include "llvm/Analysis/Passes.h"
Chandler Carruth005f27a2013-01-02 11:56:33 +00003#include "llvm/IR/IRBuilder.h"
4#include "llvm/IR/LLVMContext.h"
Chandler Carruth30d69c22015-02-13 10:01:29 +00005#include "llvm/IR/LegacyPassManager.h"
Chandler Carruth005f27a2013-01-02 11:56:33 +00006#include "llvm/IR/Module.h"
Chandler Carruth20d4e6b2014-01-13 09:58:03 +00007#include "llvm/IR/Verifier.h"
Evan Cheng2bb40352011-08-24 18:08:43 +00008#include "llvm/Support/TargetSelect.h"
Chandler Carruth605e30e2012-12-04 10:16:57 +00009#include "llvm/Transforms/Scalar.h"
Chandler Carruthec5872b2016-03-11 12:10:15 +000010#include "llvm/Transforms/Scalar/GVN.h"
Will Dietz981af002013-10-12 00:55:57 +000011#include <cctype>
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000012#include <cstdio>
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000013#include <map>
Chandler Carruth605e30e2012-12-04 10:16:57 +000014#include <string>
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000015#include <vector>
Lang Hames2d789c32015-08-26 03:07:41 +000016#include "../include/KaleidoscopeJIT.h"
17
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000018using namespace llvm;
Lang Hames2d789c32015-08-26 03:07:41 +000019using namespace llvm::orc;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000020
21//===----------------------------------------------------------------------===//
22// Lexer
23//===----------------------------------------------------------------------===//
24
25// The lexer returns tokens [0-255] if it is an unknown character, otherwise one
26// of these for known things.
27enum Token {
28 tok_eof = -1,
29
30 // commands
Eric Christopherc0239362014-12-08 18:12:28 +000031 tok_def = -2,
32 tok_extern = -3,
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000033
34 // primary
Eric Christopherc0239362014-12-08 18:12:28 +000035 tok_identifier = -4,
36 tok_number = -5,
37
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000038 // control
Eric Christopherc0239362014-12-08 18:12:28 +000039 tok_if = -6,
40 tok_then = -7,
41 tok_else = -8,
42 tok_for = -9,
43 tok_in = -10
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000044};
45
Eric Christopherc0239362014-12-08 18:12:28 +000046static std::string IdentifierStr; // Filled in if tok_identifier
47static double NumVal; // Filled in if tok_number
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000048
49/// gettok - Return the next token from standard input.
50static int gettok() {
51 static int LastChar = ' ';
52
53 // Skip any whitespace.
54 while (isspace(LastChar))
55 LastChar = getchar();
56
57 if (isalpha(LastChar)) { // identifier: [a-zA-Z][a-zA-Z0-9]*
58 IdentifierStr = LastChar;
59 while (isalnum((LastChar = getchar())))
60 IdentifierStr += LastChar;
61
Eric Christopherc0239362014-12-08 18:12:28 +000062 if (IdentifierStr == "def")
63 return tok_def;
64 if (IdentifierStr == "extern")
65 return tok_extern;
66 if (IdentifierStr == "if")
67 return tok_if;
68 if (IdentifierStr == "then")
69 return tok_then;
70 if (IdentifierStr == "else")
71 return tok_else;
72 if (IdentifierStr == "for")
73 return tok_for;
74 if (IdentifierStr == "in")
75 return tok_in;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000076 return tok_identifier;
77 }
78
Eric Christopherc0239362014-12-08 18:12:28 +000079 if (isdigit(LastChar) || LastChar == '.') { // Number: [0-9.]+
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000080 std::string NumStr;
81 do {
82 NumStr += LastChar;
83 LastChar = getchar();
84 } while (isdigit(LastChar) || LastChar == '.');
85
Hans Wennborgcc9deb42015-09-29 18:02:48 +000086 NumVal = strtod(NumStr.c_str(), nullptr);
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000087 return tok_number;
88 }
89
90 if (LastChar == '#') {
91 // Comment until end of line.
Eric Christopherc0239362014-12-08 18:12:28 +000092 do
93 LastChar = getchar();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000094 while (LastChar != EOF && LastChar != '\n' && LastChar != '\r');
Eric Christopherc0239362014-12-08 18:12:28 +000095
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +000096 if (LastChar != EOF)
97 return gettok();
98 }
Eric Christopherc0239362014-12-08 18:12:28 +000099
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000100 // Check for end of file. Don't eat the EOF.
101 if (LastChar == EOF)
102 return tok_eof;
103
104 // Otherwise, just return the character as its ascii value.
105 int ThisChar = LastChar;
106 LastChar = getchar();
107 return ThisChar;
108}
109
110//===----------------------------------------------------------------------===//
111// Abstract Syntax Tree (aka Parse Tree)
112//===----------------------------------------------------------------------===//
Juergen Ributzka05c5a932013-11-19 03:08:35 +0000113namespace {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000114/// ExprAST - Base class for all expression nodes.
115class ExprAST {
116public:
Juergen Ributzka05c5a932013-11-19 03:08:35 +0000117 virtual ~ExprAST() {}
Lang Hames2d789c32015-08-26 03:07:41 +0000118 virtual Value *codegen() = 0;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000119};
120
121/// NumberExprAST - Expression class for numeric literals like "1.0".
122class NumberExprAST : public ExprAST {
123 double Val;
Lang Hames59b0da82015-08-19 18:15:58 +0000124
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000125public:
Lang Hames09bf4c12015-08-18 18:11:06 +0000126 NumberExprAST(double Val) : Val(Val) {}
Lang Hames2d789c32015-08-26 03:07:41 +0000127 Value *codegen() override;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000128};
129
130/// VariableExprAST - Expression class for referencing a variable, like "a".
131class VariableExprAST : public ExprAST {
132 std::string Name;
Lang Hames59b0da82015-08-19 18:15:58 +0000133
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000134public:
Lang Hames09bf4c12015-08-18 18:11:06 +0000135 VariableExprAST(const std::string &Name) : Name(Name) {}
Lang Hames2d789c32015-08-26 03:07:41 +0000136 Value *codegen() override;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000137};
138
139/// BinaryExprAST - Expression class for a binary operator.
140class BinaryExprAST : public ExprAST {
141 char Op;
Lang Hames09bf4c12015-08-18 18:11:06 +0000142 std::unique_ptr<ExprAST> LHS, RHS;
Lang Hames59b0da82015-08-19 18:15:58 +0000143
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000144public:
Lang Hames09bf4c12015-08-18 18:11:06 +0000145 BinaryExprAST(char Op, std::unique_ptr<ExprAST> LHS,
146 std::unique_ptr<ExprAST> RHS)
147 : Op(Op), LHS(std::move(LHS)), RHS(std::move(RHS)) {}
Lang Hames2d789c32015-08-26 03:07:41 +0000148 Value *codegen() override;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000149};
150
151/// CallExprAST - Expression class for function calls.
152class CallExprAST : public ExprAST {
153 std::string Callee;
Lang Hames09bf4c12015-08-18 18:11:06 +0000154 std::vector<std::unique_ptr<ExprAST>> Args;
Lang Hames59b0da82015-08-19 18:15:58 +0000155
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000156public:
Lang Hames09bf4c12015-08-18 18:11:06 +0000157 CallExprAST(const std::string &Callee,
158 std::vector<std::unique_ptr<ExprAST>> Args)
159 : Callee(Callee), Args(std::move(Args)) {}
Lang Hames2d789c32015-08-26 03:07:41 +0000160 Value *codegen() override;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000161};
162
163/// IfExprAST - Expression class for if/then/else.
164class IfExprAST : public ExprAST {
Lang Hames09bf4c12015-08-18 18:11:06 +0000165 std::unique_ptr<ExprAST> Cond, Then, Else;
Lang Hames59b0da82015-08-19 18:15:58 +0000166
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000167public:
Lang Hames09bf4c12015-08-18 18:11:06 +0000168 IfExprAST(std::unique_ptr<ExprAST> Cond, std::unique_ptr<ExprAST> Then,
169 std::unique_ptr<ExprAST> Else)
170 : Cond(std::move(Cond)), Then(std::move(Then)), Else(std::move(Else)) {}
Lang Hames2d789c32015-08-26 03:07:41 +0000171 Value *codegen() override;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000172};
173
174/// ForExprAST - Expression class for for/in.
175class ForExprAST : public ExprAST {
176 std::string VarName;
Lang Hames09bf4c12015-08-18 18:11:06 +0000177 std::unique_ptr<ExprAST> Start, End, Step, Body;
Lang Hames59b0da82015-08-19 18:15:58 +0000178
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000179public:
Lang Hames09bf4c12015-08-18 18:11:06 +0000180 ForExprAST(const std::string &VarName, std::unique_ptr<ExprAST> Start,
181 std::unique_ptr<ExprAST> End, std::unique_ptr<ExprAST> Step,
182 std::unique_ptr<ExprAST> Body)
183 : VarName(VarName), Start(std::move(Start)), End(std::move(End)),
184 Step(std::move(Step)), Body(std::move(Body)) {}
Lang Hames2d789c32015-08-26 03:07:41 +0000185 Value *codegen() override;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000186};
187
188/// PrototypeAST - This class represents the "prototype" for a function,
189/// which captures its name, and its argument names (thus implicitly the number
190/// of arguments the function takes).
191class PrototypeAST {
192 std::string Name;
193 std::vector<std::string> Args;
Lang Hames59b0da82015-08-19 18:15:58 +0000194
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000195public:
Lang Hames59b0da82015-08-19 18:15:58 +0000196 PrototypeAST(const std::string &Name, std::vector<std::string> Args)
197 : Name(Name), Args(std::move(Args)) {}
Lang Hames2d789c32015-08-26 03:07:41 +0000198 Function *codegen();
199 const std::string &getName() const { return Name; }
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000200};
201
202/// FunctionAST - This class represents a function definition itself.
203class FunctionAST {
Lang Hames09bf4c12015-08-18 18:11:06 +0000204 std::unique_ptr<PrototypeAST> Proto;
205 std::unique_ptr<ExprAST> Body;
Lang Hames59b0da82015-08-19 18:15:58 +0000206
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000207public:
Lang Hames09bf4c12015-08-18 18:11:06 +0000208 FunctionAST(std::unique_ptr<PrototypeAST> Proto,
209 std::unique_ptr<ExprAST> Body)
Lang Hames59b0da82015-08-19 18:15:58 +0000210 : Proto(std::move(Proto)), Body(std::move(Body)) {}
Lang Hames2d789c32015-08-26 03:07:41 +0000211 Function *codegen();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000212};
Juergen Ributzka05c5a932013-11-19 03:08:35 +0000213} // end anonymous namespace
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000214
215//===----------------------------------------------------------------------===//
216// Parser
217//===----------------------------------------------------------------------===//
218
219/// CurTok/getNextToken - Provide a simple token buffer. CurTok is the current
220/// token the parser is looking at. getNextToken reads another token from the
221/// lexer and updates CurTok with its results.
222static int CurTok;
Eric Christopherc0239362014-12-08 18:12:28 +0000223static int getNextToken() { return CurTok = gettok(); }
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000224
225/// BinopPrecedence - This holds the precedence for each binary operator that is
226/// defined.
227static std::map<char, int> BinopPrecedence;
228
229/// GetTokPrecedence - Get the precedence of the pending binary operator token.
230static int GetTokPrecedence() {
231 if (!isascii(CurTok))
232 return -1;
Eric Christopherc0239362014-12-08 18:12:28 +0000233
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000234 // Make sure it's a declared binop.
235 int TokPrec = BinopPrecedence[CurTok];
Eric Christopherc0239362014-12-08 18:12:28 +0000236 if (TokPrec <= 0)
237 return -1;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000238 return TokPrec;
239}
240
241/// Error* - These are little helper functions for error handling.
Lang Hames09bf4c12015-08-18 18:11:06 +0000242std::unique_ptr<ExprAST> Error(const char *Str) {
Eric Christopherc0239362014-12-08 18:12:28 +0000243 fprintf(stderr, "Error: %s\n", Str);
Lang Hames09bf4c12015-08-18 18:11:06 +0000244 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000245}
Hans Wennborgcc9deb42015-09-29 18:02:48 +0000246
Lang Hames09bf4c12015-08-18 18:11:06 +0000247std::unique_ptr<PrototypeAST> ErrorP(const char *Str) {
Eric Christopherc0239362014-12-08 18:12:28 +0000248 Error(Str);
Lang Hames09bf4c12015-08-18 18:11:06 +0000249 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000250}
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000251
Lang Hames09bf4c12015-08-18 18:11:06 +0000252static std::unique_ptr<ExprAST> ParseExpression();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000253
Lang Hames59b0da82015-08-19 18:15:58 +0000254/// numberexpr ::= number
255static std::unique_ptr<ExprAST> ParseNumberExpr() {
256 auto Result = llvm::make_unique<NumberExprAST>(NumVal);
257 getNextToken(); // consume the number
258 return std::move(Result);
259}
260
261/// parenexpr ::= '(' expression ')'
262static std::unique_ptr<ExprAST> ParseParenExpr() {
263 getNextToken(); // eat (.
264 auto V = ParseExpression();
265 if (!V)
266 return nullptr;
267
268 if (CurTok != ')')
269 return Error("expected ')'");
270 getNextToken(); // eat ).
271 return V;
272}
273
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000274/// identifierexpr
275/// ::= identifier
276/// ::= identifier '(' expression* ')'
Lang Hames09bf4c12015-08-18 18:11:06 +0000277static std::unique_ptr<ExprAST> ParseIdentifierExpr() {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000278 std::string IdName = IdentifierStr;
Eric Christopherc0239362014-12-08 18:12:28 +0000279
280 getNextToken(); // eat identifier.
281
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000282 if (CurTok != '(') // Simple variable ref.
Lang Hames09bf4c12015-08-18 18:11:06 +0000283 return llvm::make_unique<VariableExprAST>(IdName);
Eric Christopherc0239362014-12-08 18:12:28 +0000284
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000285 // Call.
Eric Christopherc0239362014-12-08 18:12:28 +0000286 getNextToken(); // eat (
Lang Hames09bf4c12015-08-18 18:11:06 +0000287 std::vector<std::unique_ptr<ExprAST>> Args;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000288 if (CurTok != ')') {
289 while (1) {
Lang Hames09bf4c12015-08-18 18:11:06 +0000290 if (auto Arg = ParseExpression())
291 Args.push_back(std::move(Arg));
292 else
293 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000294
Eric Christopherc0239362014-12-08 18:12:28 +0000295 if (CurTok == ')')
296 break;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000297
298 if (CurTok != ',')
299 return Error("Expected ')' or ',' in argument list");
300 getNextToken();
301 }
302 }
303
304 // Eat the ')'.
305 getNextToken();
Eric Christopherc0239362014-12-08 18:12:28 +0000306
Lang Hames09bf4c12015-08-18 18:11:06 +0000307 return llvm::make_unique<CallExprAST>(IdName, std::move(Args));
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000308}
309
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000310/// ifexpr ::= 'if' expression 'then' expression 'else' expression
Lang Hames09bf4c12015-08-18 18:11:06 +0000311static std::unique_ptr<ExprAST> ParseIfExpr() {
Eric Christopherc0239362014-12-08 18:12:28 +0000312 getNextToken(); // eat the if.
313
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000314 // condition.
Lang Hames09bf4c12015-08-18 18:11:06 +0000315 auto Cond = ParseExpression();
Eric Christopherc0239362014-12-08 18:12:28 +0000316 if (!Cond)
Lang Hames09bf4c12015-08-18 18:11:06 +0000317 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000318
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000319 if (CurTok != tok_then)
320 return Error("expected then");
Eric Christopherc0239362014-12-08 18:12:28 +0000321 getNextToken(); // eat the then
322
Lang Hames09bf4c12015-08-18 18:11:06 +0000323 auto Then = ParseExpression();
324 if (!Then)
325 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000326
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000327 if (CurTok != tok_else)
328 return Error("expected else");
Eric Christopherc0239362014-12-08 18:12:28 +0000329
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000330 getNextToken();
Eric Christopherc0239362014-12-08 18:12:28 +0000331
Lang Hames09bf4c12015-08-18 18:11:06 +0000332 auto Else = ParseExpression();
Eric Christopherc0239362014-12-08 18:12:28 +0000333 if (!Else)
Lang Hames09bf4c12015-08-18 18:11:06 +0000334 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000335
Lang Hames09bf4c12015-08-18 18:11:06 +0000336 return llvm::make_unique<IfExprAST>(std::move(Cond), std::move(Then),
337 std::move(Else));
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000338}
339
340/// forexpr ::= 'for' identifier '=' expr ',' expr (',' expr)? 'in' expression
Lang Hames09bf4c12015-08-18 18:11:06 +0000341static std::unique_ptr<ExprAST> ParseForExpr() {
Eric Christopherc0239362014-12-08 18:12:28 +0000342 getNextToken(); // eat the for.
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000343
344 if (CurTok != tok_identifier)
345 return Error("expected identifier after for");
Eric Christopherc0239362014-12-08 18:12:28 +0000346
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000347 std::string IdName = IdentifierStr;
Eric Christopherc0239362014-12-08 18:12:28 +0000348 getNextToken(); // eat identifier.
349
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000350 if (CurTok != '=')
351 return Error("expected '=' after for");
Eric Christopherc0239362014-12-08 18:12:28 +0000352 getNextToken(); // eat '='.
353
Lang Hames09bf4c12015-08-18 18:11:06 +0000354 auto Start = ParseExpression();
355 if (!Start)
356 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000357 if (CurTok != ',')
358 return Error("expected ',' after for start value");
359 getNextToken();
Eric Christopherc0239362014-12-08 18:12:28 +0000360
Lang Hames09bf4c12015-08-18 18:11:06 +0000361 auto End = ParseExpression();
362 if (!End)
363 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000364
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000365 // The step value is optional.
Lang Hames09bf4c12015-08-18 18:11:06 +0000366 std::unique_ptr<ExprAST> Step;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000367 if (CurTok == ',') {
368 getNextToken();
369 Step = ParseExpression();
Lang Hames09bf4c12015-08-18 18:11:06 +0000370 if (!Step)
371 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000372 }
Eric Christopherc0239362014-12-08 18:12:28 +0000373
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000374 if (CurTok != tok_in)
375 return Error("expected 'in' after for");
Eric Christopherc0239362014-12-08 18:12:28 +0000376 getNextToken(); // eat 'in'.
377
Lang Hames09bf4c12015-08-18 18:11:06 +0000378 auto Body = ParseExpression();
379 if (!Body)
380 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000381
Lang Hames09bf4c12015-08-18 18:11:06 +0000382 return llvm::make_unique<ForExprAST>(IdName, std::move(Start), std::move(End),
383 std::move(Step), std::move(Body));
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000384}
385
386/// primary
387/// ::= identifierexpr
388/// ::= numberexpr
389/// ::= parenexpr
390/// ::= ifexpr
391/// ::= forexpr
Lang Hames09bf4c12015-08-18 18:11:06 +0000392static std::unique_ptr<ExprAST> ParsePrimary() {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000393 switch (CurTok) {
Eric Christopherc0239362014-12-08 18:12:28 +0000394 default:
395 return Error("unknown token when expecting an expression");
396 case tok_identifier:
397 return ParseIdentifierExpr();
398 case tok_number:
399 return ParseNumberExpr();
400 case '(':
401 return ParseParenExpr();
402 case tok_if:
403 return ParseIfExpr();
404 case tok_for:
405 return ParseForExpr();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000406 }
407}
408
409/// binoprhs
410/// ::= ('+' primary)*
Lang Hames09bf4c12015-08-18 18:11:06 +0000411static std::unique_ptr<ExprAST> ParseBinOpRHS(int ExprPrec,
412 std::unique_ptr<ExprAST> LHS) {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000413 // If this is a binop, find its precedence.
414 while (1) {
415 int TokPrec = GetTokPrecedence();
Eric Christopherc0239362014-12-08 18:12:28 +0000416
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000417 // If this is a binop that binds at least as tightly as the current binop,
418 // consume it, otherwise we are done.
419 if (TokPrec < ExprPrec)
420 return LHS;
Eric Christopherc0239362014-12-08 18:12:28 +0000421
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000422 // Okay, we know this is a binop.
423 int BinOp = CurTok;
Eric Christopherc0239362014-12-08 18:12:28 +0000424 getNextToken(); // eat binop
425
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000426 // Parse the primary expression after the binary operator.
Lang Hames09bf4c12015-08-18 18:11:06 +0000427 auto RHS = ParsePrimary();
Eric Christopherc0239362014-12-08 18:12:28 +0000428 if (!RHS)
Lang Hames09bf4c12015-08-18 18:11:06 +0000429 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000430
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000431 // If BinOp binds less tightly with RHS than the operator after RHS, let
432 // the pending operator take RHS as its LHS.
433 int NextPrec = GetTokPrecedence();
434 if (TokPrec < NextPrec) {
Lang Hames09bf4c12015-08-18 18:11:06 +0000435 RHS = ParseBinOpRHS(TokPrec + 1, std::move(RHS));
436 if (!RHS)
437 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000438 }
Eric Christopherc0239362014-12-08 18:12:28 +0000439
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000440 // Merge LHS/RHS.
Lang Hames59b0da82015-08-19 18:15:58 +0000441 LHS =
442 llvm::make_unique<BinaryExprAST>(BinOp, std::move(LHS), std::move(RHS));
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000443 }
444}
445
446/// expression
447/// ::= primary binoprhs
448///
Lang Hames09bf4c12015-08-18 18:11:06 +0000449static std::unique_ptr<ExprAST> ParseExpression() {
450 auto LHS = ParsePrimary();
Eric Christopherc0239362014-12-08 18:12:28 +0000451 if (!LHS)
Lang Hames09bf4c12015-08-18 18:11:06 +0000452 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000453
Lang Hames09bf4c12015-08-18 18:11:06 +0000454 return ParseBinOpRHS(0, std::move(LHS));
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000455}
456
457/// prototype
458/// ::= id '(' id* ')'
Lang Hames09bf4c12015-08-18 18:11:06 +0000459static std::unique_ptr<PrototypeAST> ParsePrototype() {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000460 if (CurTok != tok_identifier)
461 return ErrorP("Expected function name in prototype");
462
463 std::string FnName = IdentifierStr;
464 getNextToken();
Eric Christopherc0239362014-12-08 18:12:28 +0000465
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000466 if (CurTok != '(')
467 return ErrorP("Expected '(' in prototype");
Eric Christopherc0239362014-12-08 18:12:28 +0000468
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000469 std::vector<std::string> ArgNames;
470 while (getNextToken() == tok_identifier)
471 ArgNames.push_back(IdentifierStr);
472 if (CurTok != ')')
473 return ErrorP("Expected ')' in prototype");
Eric Christopherc0239362014-12-08 18:12:28 +0000474
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000475 // success.
Eric Christopherc0239362014-12-08 18:12:28 +0000476 getNextToken(); // eat ')'.
477
Lang Hames09bf4c12015-08-18 18:11:06 +0000478 return llvm::make_unique<PrototypeAST>(FnName, std::move(ArgNames));
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000479}
480
481/// definition ::= 'def' prototype expression
Lang Hames09bf4c12015-08-18 18:11:06 +0000482static std::unique_ptr<FunctionAST> ParseDefinition() {
Eric Christopherc0239362014-12-08 18:12:28 +0000483 getNextToken(); // eat def.
Lang Hames09bf4c12015-08-18 18:11:06 +0000484 auto Proto = ParsePrototype();
485 if (!Proto)
486 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000487
Lang Hames09bf4c12015-08-18 18:11:06 +0000488 if (auto E = ParseExpression())
489 return llvm::make_unique<FunctionAST>(std::move(Proto), std::move(E));
490 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000491}
492
493/// toplevelexpr ::= expression
Lang Hames09bf4c12015-08-18 18:11:06 +0000494static std::unique_ptr<FunctionAST> ParseTopLevelExpr() {
495 if (auto E = ParseExpression()) {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000496 // Make an anonymous proto.
Lang Hames2d789c32015-08-26 03:07:41 +0000497 auto Proto = llvm::make_unique<PrototypeAST>("__anon_expr",
498 std::vector<std::string>());
Lang Hames09bf4c12015-08-18 18:11:06 +0000499 return llvm::make_unique<FunctionAST>(std::move(Proto), std::move(E));
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000500 }
Lang Hames09bf4c12015-08-18 18:11:06 +0000501 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000502}
503
504/// external ::= 'extern' prototype
Lang Hames09bf4c12015-08-18 18:11:06 +0000505static std::unique_ptr<PrototypeAST> ParseExtern() {
Eric Christopherc0239362014-12-08 18:12:28 +0000506 getNextToken(); // eat extern.
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000507 return ParsePrototype();
508}
509
510//===----------------------------------------------------------------------===//
511// Code Generation
512//===----------------------------------------------------------------------===//
513
Lang Hames2d789c32015-08-26 03:07:41 +0000514static std::unique_ptr<Module> TheModule;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000515static IRBuilder<> Builder(getGlobalContext());
Eric Christopherc0239362014-12-08 18:12:28 +0000516static std::map<std::string, Value *> NamedValues;
Lang Hames2d789c32015-08-26 03:07:41 +0000517static std::unique_ptr<legacy::FunctionPassManager> TheFPM;
518static std::unique_ptr<KaleidoscopeJIT> TheJIT;
519static std::map<std::string, std::unique_ptr<PrototypeAST>> FunctionProtos;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000520
Eric Christopherc0239362014-12-08 18:12:28 +0000521Value *ErrorV(const char *Str) {
522 Error(Str);
Lang Hames09bf4c12015-08-18 18:11:06 +0000523 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000524}
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000525
Lang Hames2d789c32015-08-26 03:07:41 +0000526Function *getFunction(std::string Name) {
527 // First, see if the function has already been added to the current module.
528 if (auto *F = TheModule->getFunction(Name))
529 return F;
530
531 // If not, check whether we can codegen the declaration from some existing
532 // prototype.
533 auto FI = FunctionProtos.find(Name);
534 if (FI != FunctionProtos.end())
535 return FI->second->codegen();
536
537 // If no existing prototype exists, return null.
538 return nullptr;
539}
540
541Value *NumberExprAST::codegen() {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000542 return ConstantFP::get(getGlobalContext(), APFloat(Val));
543}
544
Lang Hames2d789c32015-08-26 03:07:41 +0000545Value *VariableExprAST::codegen() {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000546 // Look this variable up in the function.
547 Value *V = NamedValues[Name];
Lang Hames596aec92015-08-19 18:32:58 +0000548 if (!V)
549 return ErrorV("Unknown variable name");
550 return V;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000551}
552
Lang Hames2d789c32015-08-26 03:07:41 +0000553Value *BinaryExprAST::codegen() {
554 Value *L = LHS->codegen();
555 Value *R = RHS->codegen();
Lang Hames09bf4c12015-08-18 18:11:06 +0000556 if (!L || !R)
557 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000558
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000559 switch (Op) {
Eric Christopherc0239362014-12-08 18:12:28 +0000560 case '+':
561 return Builder.CreateFAdd(L, R, "addtmp");
562 case '-':
563 return Builder.CreateFSub(L, R, "subtmp");
564 case '*':
565 return Builder.CreateFMul(L, R, "multmp");
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000566 case '<':
567 L = Builder.CreateFCmpULT(L, R, "cmptmp");
568 // Convert bool 0/1 to double 0.0 or 1.0
569 return Builder.CreateUIToFP(L, Type::getDoubleTy(getGlobalContext()),
570 "booltmp");
Eric Christopherc0239362014-12-08 18:12:28 +0000571 default:
572 return ErrorV("invalid binary operator");
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000573 }
574}
575
Lang Hames2d789c32015-08-26 03:07:41 +0000576Value *CallExprAST::codegen() {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000577 // Look up the name in the global module table.
Lang Hames2d789c32015-08-26 03:07:41 +0000578 Function *CalleeF = getFunction(Callee);
Lang Hames09bf4c12015-08-18 18:11:06 +0000579 if (!CalleeF)
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000580 return ErrorV("Unknown function referenced");
Eric Christopherc0239362014-12-08 18:12:28 +0000581
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000582 // If argument mismatch error.
583 if (CalleeF->arg_size() != Args.size())
584 return ErrorV("Incorrect # arguments passed");
585
Eric Christopherc0239362014-12-08 18:12:28 +0000586 std::vector<Value *> ArgsV;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000587 for (unsigned i = 0, e = Args.size(); i != e; ++i) {
Lang Hames2d789c32015-08-26 03:07:41 +0000588 ArgsV.push_back(Args[i]->codegen());
Lang Hames09bf4c12015-08-18 18:11:06 +0000589 if (!ArgsV.back())
590 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000591 }
Eric Christopherc0239362014-12-08 18:12:28 +0000592
Francois Pichetc5d10502011-07-15 10:59:52 +0000593 return Builder.CreateCall(CalleeF, ArgsV, "calltmp");
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000594}
595
Lang Hames2d789c32015-08-26 03:07:41 +0000596Value *IfExprAST::codegen() {
597 Value *CondV = Cond->codegen();
Lang Hames09bf4c12015-08-18 18:11:06 +0000598 if (!CondV)
599 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000600
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000601 // Convert condition to a bool by comparing equal to 0.0.
Eric Christopherc0239362014-12-08 18:12:28 +0000602 CondV = Builder.CreateFCmpONE(
603 CondV, ConstantFP::get(getGlobalContext(), APFloat(0.0)), "ifcond");
604
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000605 Function *TheFunction = Builder.GetInsertBlock()->getParent();
Eric Christopherc0239362014-12-08 18:12:28 +0000606
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000607 // Create blocks for the then and else cases. Insert the 'then' block at the
608 // end of the function.
Eric Christopherc0239362014-12-08 18:12:28 +0000609 BasicBlock *ThenBB =
610 BasicBlock::Create(getGlobalContext(), "then", TheFunction);
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000611 BasicBlock *ElseBB = BasicBlock::Create(getGlobalContext(), "else");
612 BasicBlock *MergeBB = BasicBlock::Create(getGlobalContext(), "ifcont");
Eric Christopherc0239362014-12-08 18:12:28 +0000613
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000614 Builder.CreateCondBr(CondV, ThenBB, ElseBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000615
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000616 // Emit then value.
617 Builder.SetInsertPoint(ThenBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000618
Lang Hames2d789c32015-08-26 03:07:41 +0000619 Value *ThenV = Then->codegen();
Lang Hames09bf4c12015-08-18 18:11:06 +0000620 if (!ThenV)
621 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000622
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000623 Builder.CreateBr(MergeBB);
624 // Codegen of 'Then' can change the current block, update ThenBB for the PHI.
625 ThenBB = Builder.GetInsertBlock();
Eric Christopherc0239362014-12-08 18:12:28 +0000626
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000627 // Emit else block.
628 TheFunction->getBasicBlockList().push_back(ElseBB);
629 Builder.SetInsertPoint(ElseBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000630
Lang Hames2d789c32015-08-26 03:07:41 +0000631 Value *ElseV = Else->codegen();
Lang Hames09bf4c12015-08-18 18:11:06 +0000632 if (!ElseV)
633 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000634
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000635 Builder.CreateBr(MergeBB);
636 // Codegen of 'Else' can change the current block, update ElseBB for the PHI.
637 ElseBB = Builder.GetInsertBlock();
Eric Christopherc0239362014-12-08 18:12:28 +0000638
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000639 // Emit merge block.
640 TheFunction->getBasicBlockList().push_back(MergeBB);
641 Builder.SetInsertPoint(MergeBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000642 PHINode *PN =
643 Builder.CreatePHI(Type::getDoubleTy(getGlobalContext()), 2, "iftmp");
644
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000645 PN->addIncoming(ThenV, ThenBB);
646 PN->addIncoming(ElseV, ElseBB);
647 return PN;
648}
649
Lang Hames59b0da82015-08-19 18:15:58 +0000650// Output for-loop as:
651// ...
652// start = startexpr
653// goto loop
654// loop:
655// variable = phi [start, loopheader], [nextvariable, loopend]
656// ...
657// bodyexpr
658// ...
659// loopend:
660// step = stepexpr
661// nextvariable = variable + step
662// endcond = endexpr
663// br endcond, loop, endloop
664// outloop:
Lang Hames2d789c32015-08-26 03:07:41 +0000665Value *ForExprAST::codegen() {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000666 // Emit the start code first, without 'variable' in scope.
Lang Hames2d789c32015-08-26 03:07:41 +0000667 Value *StartVal = Start->codegen();
Lang Hames09bf4c12015-08-18 18:11:06 +0000668 if (!StartVal)
669 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000670
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000671 // Make the new basic block for the loop header, inserting after current
672 // block.
673 Function *TheFunction = Builder.GetInsertBlock()->getParent();
674 BasicBlock *PreheaderBB = Builder.GetInsertBlock();
Eric Christopherc0239362014-12-08 18:12:28 +0000675 BasicBlock *LoopBB =
676 BasicBlock::Create(getGlobalContext(), "loop", TheFunction);
677
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000678 // Insert an explicit fall through from the current block to the LoopBB.
679 Builder.CreateBr(LoopBB);
680
681 // Start insertion in LoopBB.
682 Builder.SetInsertPoint(LoopBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000683
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000684 // Start the PHI node with an entry for Start.
Eric Christopherc0239362014-12-08 18:12:28 +0000685 PHINode *Variable = Builder.CreatePHI(Type::getDoubleTy(getGlobalContext()),
686 2, VarName.c_str());
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000687 Variable->addIncoming(StartVal, PreheaderBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000688
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000689 // Within the loop, the variable is defined equal to the PHI node. If it
690 // shadows an existing variable, we have to restore it, so save it now.
691 Value *OldVal = NamedValues[VarName];
692 NamedValues[VarName] = Variable;
Eric Christopherc0239362014-12-08 18:12:28 +0000693
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000694 // Emit the body of the loop. This, like any other expr, can change the
695 // current BB. Note that we ignore the value computed by the body, but don't
696 // allow an error.
Lang Hames2d789c32015-08-26 03:07:41 +0000697 if (!Body->codegen())
Lang Hames09bf4c12015-08-18 18:11:06 +0000698 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000699
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000700 // Emit the step value.
Lang Hames59b0da82015-08-19 18:15:58 +0000701 Value *StepVal = nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000702 if (Step) {
Lang Hames2d789c32015-08-26 03:07:41 +0000703 StepVal = Step->codegen();
Lang Hames09bf4c12015-08-18 18:11:06 +0000704 if (!StepVal)
705 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000706 } else {
707 // If not specified, use 1.0.
708 StepVal = ConstantFP::get(getGlobalContext(), APFloat(1.0));
709 }
Eric Christopherc0239362014-12-08 18:12:28 +0000710
Chris Lattner26d79502010-06-21 22:51:14 +0000711 Value *NextVar = Builder.CreateFAdd(Variable, StepVal, "nextvar");
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000712
713 // Compute the end condition.
Lang Hames2d789c32015-08-26 03:07:41 +0000714 Value *EndCond = End->codegen();
Lang Hames09bf4c12015-08-18 18:11:06 +0000715 if (!EndCond)
Lang Hames59b0da82015-08-19 18:15:58 +0000716 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000717
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000718 // Convert condition to a bool by comparing equal to 0.0.
Eric Christopherc0239362014-12-08 18:12:28 +0000719 EndCond = Builder.CreateFCmpONE(
720 EndCond, ConstantFP::get(getGlobalContext(), APFloat(0.0)), "loopcond");
721
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000722 // Create the "after loop" block and insert it.
723 BasicBlock *LoopEndBB = Builder.GetInsertBlock();
Eric Christopherc0239362014-12-08 18:12:28 +0000724 BasicBlock *AfterBB =
725 BasicBlock::Create(getGlobalContext(), "afterloop", TheFunction);
726
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000727 // Insert the conditional branch into the end of LoopEndBB.
728 Builder.CreateCondBr(EndCond, LoopBB, AfterBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000729
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000730 // Any new code will be inserted in AfterBB.
731 Builder.SetInsertPoint(AfterBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000732
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000733 // Add a new entry to the PHI node for the backedge.
734 Variable->addIncoming(NextVar, LoopEndBB);
Eric Christopherc0239362014-12-08 18:12:28 +0000735
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000736 // Restore the unshadowed variable.
737 if (OldVal)
738 NamedValues[VarName] = OldVal;
739 else
740 NamedValues.erase(VarName);
741
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000742 // for expr always returns 0.0.
743 return Constant::getNullValue(Type::getDoubleTy(getGlobalContext()));
744}
745
Lang Hames2d789c32015-08-26 03:07:41 +0000746Function *PrototypeAST::codegen() {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000747 // Make the function type: double(double,double) etc.
Eric Christopherc0239362014-12-08 18:12:28 +0000748 std::vector<Type *> Doubles(Args.size(),
749 Type::getDoubleTy(getGlobalContext()));
750 FunctionType *FT =
751 FunctionType::get(Type::getDoubleTy(getGlobalContext()), Doubles, false);
752
753 Function *F =
Lang Hames2d789c32015-08-26 03:07:41 +0000754 Function::Create(FT, Function::ExternalLinkage, Name, TheModule.get());
Eric Christopherc0239362014-12-08 18:12:28 +0000755
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000756 // Set names for all arguments.
757 unsigned Idx = 0;
Lang Hames2d789c32015-08-26 03:07:41 +0000758 for (auto &Arg : F->args())
759 Arg.setName(Args[Idx++]);
Eric Christopherc0239362014-12-08 18:12:28 +0000760
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000761 return F;
762}
763
Lang Hames2d789c32015-08-26 03:07:41 +0000764Function *FunctionAST::codegen() {
765 // Transfer ownership of the prototype to the FunctionProtos map, but keep a
766 // reference to it for use below.
767 auto &P = *Proto;
768 FunctionProtos[Proto->getName()] = std::move(Proto);
769 Function *TheFunction = getFunction(P.getName());
Lang Hames09bf4c12015-08-18 18:11:06 +0000770 if (!TheFunction)
771 return nullptr;
Eric Christopherc0239362014-12-08 18:12:28 +0000772
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000773 // Create a new basic block to start insertion into.
774 BasicBlock *BB = BasicBlock::Create(getGlobalContext(), "entry", TheFunction);
775 Builder.SetInsertPoint(BB);
Eric Christopherc0239362014-12-08 18:12:28 +0000776
Lang Hames2d789c32015-08-26 03:07:41 +0000777 // Record the function arguments in the NamedValues map.
778 NamedValues.clear();
779 for (auto &Arg : TheFunction->args())
780 NamedValues[Arg.getName()] = &Arg;
781
782 if (Value *RetVal = Body->codegen()) {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000783 // Finish off the function.
784 Builder.CreateRet(RetVal);
785
786 // Validate the generated code, checking for consistency.
787 verifyFunction(*TheFunction);
788
Lang Hames2d789c32015-08-26 03:07:41 +0000789 // Run the optimizer on the function.
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000790 TheFPM->run(*TheFunction);
Eric Christopherc0239362014-12-08 18:12:28 +0000791
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000792 return TheFunction;
793 }
Eric Christopherc0239362014-12-08 18:12:28 +0000794
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000795 // Error reading body, remove function.
796 TheFunction->eraseFromParent();
Lang Hames09bf4c12015-08-18 18:11:06 +0000797 return nullptr;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000798}
799
800//===----------------------------------------------------------------------===//
801// Top-Level parsing and JIT Driver
802//===----------------------------------------------------------------------===//
803
Lang Hames2d789c32015-08-26 03:07:41 +0000804static void InitializeModuleAndPassManager() {
805 // Open a new module.
806 TheModule = llvm::make_unique<Module>("my cool jit", getGlobalContext());
807 TheModule->setDataLayout(TheJIT->getTargetMachine().createDataLayout());
808
809 // Create a new pass manager attached to it.
810 TheFPM = llvm::make_unique<legacy::FunctionPassManager>(TheModule.get());
811
Lang Hames2d789c32015-08-26 03:07:41 +0000812 // Do simple "peephole" optimizations and bit-twiddling optzns.
813 TheFPM->add(createInstructionCombiningPass());
814 // Reassociate expressions.
815 TheFPM->add(createReassociatePass());
816 // Eliminate Common SubExpressions.
817 TheFPM->add(createGVNPass());
818 // Simplify the control flow graph (deleting unreachable blocks, etc).
819 TheFPM->add(createCFGSimplificationPass());
820
821 TheFPM->doInitialization();
822}
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000823
824static void HandleDefinition() {
Lang Hames09bf4c12015-08-18 18:11:06 +0000825 if (auto FnAST = ParseDefinition()) {
Lang Hames2d789c32015-08-26 03:07:41 +0000826 if (auto *FnIR = FnAST->codegen()) {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000827 fprintf(stderr, "Read function definition:");
Lang Hames09bf4c12015-08-18 18:11:06 +0000828 FnIR->dump();
Lang Hames2d789c32015-08-26 03:07:41 +0000829 TheJIT->addModule(std::move(TheModule));
830 InitializeModuleAndPassManager();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000831 }
832 } else {
833 // Skip token for error recovery.
834 getNextToken();
835 }
836}
837
838static void HandleExtern() {
Lang Hames09bf4c12015-08-18 18:11:06 +0000839 if (auto ProtoAST = ParseExtern()) {
Lang Hames2d789c32015-08-26 03:07:41 +0000840 if (auto *FnIR = ProtoAST->codegen()) {
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000841 fprintf(stderr, "Read extern: ");
Lang Hames09bf4c12015-08-18 18:11:06 +0000842 FnIR->dump();
Lang Hames2d789c32015-08-26 03:07:41 +0000843 FunctionProtos[ProtoAST->getName()] = std::move(ProtoAST);
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000844 }
845 } else {
846 // Skip token for error recovery.
847 getNextToken();
848 }
849}
850
851static void HandleTopLevelExpression() {
852 // Evaluate a top-level expression into an anonymous function.
Lang Hames09bf4c12015-08-18 18:11:06 +0000853 if (auto FnAST = ParseTopLevelExpr()) {
Lang Hames2d789c32015-08-26 03:07:41 +0000854 if (FnAST->codegen()) {
Eric Christopherc0239362014-12-08 18:12:28 +0000855
Lang Hames2d789c32015-08-26 03:07:41 +0000856 // JIT the module containing the anonymous expression, keeping a handle so
857 // we can free it later.
858 auto H = TheJIT->addModule(std::move(TheModule));
859 InitializeModuleAndPassManager();
860
861 // Search the JIT for the __anon_expr symbol.
862 auto ExprSymbol = TheJIT->findSymbol("__anon_expr");
863 assert(ExprSymbol && "Function not found");
864
865 // Get the symbol's address and cast it to the right type (takes no
866 // arguments, returns a double) so we can call it as a native function.
867 double (*FP)() = (double (*)())(intptr_t)ExprSymbol.getAddress();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000868 fprintf(stderr, "Evaluated to %f\n", FP());
Lang Hames2d789c32015-08-26 03:07:41 +0000869
870 // Delete the anonymous expression module from the JIT.
871 TheJIT->removeModule(H);
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000872 }
873 } else {
874 // Skip token for error recovery.
875 getNextToken();
876 }
877}
878
879/// top ::= definition | external | expression | ';'
880static void MainLoop() {
881 while (1) {
882 fprintf(stderr, "ready> ");
883 switch (CurTok) {
Eric Christopherc0239362014-12-08 18:12:28 +0000884 case tok_eof:
885 return;
Lang Hames59b0da82015-08-19 18:15:58 +0000886 case ';': // ignore top-level semicolons.
Eric Christopherc0239362014-12-08 18:12:28 +0000887 getNextToken();
Lang Hames59b0da82015-08-19 18:15:58 +0000888 break;
Eric Christopherc0239362014-12-08 18:12:28 +0000889 case tok_def:
890 HandleDefinition();
891 break;
892 case tok_extern:
893 HandleExtern();
894 break;
895 default:
896 HandleTopLevelExpression();
897 break;
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000898 }
899 }
900}
901
902//===----------------------------------------------------------------------===//
903// "Library" functions that can be "extern'd" from user code.
904//===----------------------------------------------------------------------===//
905
906/// putchard - putchar that takes a double and returns 0.
NAKAMURA Takumiac9d3732015-08-28 03:34:33 +0000907extern "C" double putchard(double X) {
Lang Hamesd76e0672015-08-27 20:31:44 +0000908 fputc((char)X, stderr);
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000909 return 0;
910}
911
Lang Hames59b0da82015-08-19 18:15:58 +0000912/// printd - printf that takes a double prints it as "%f\n", returning 0.
NAKAMURA Takumiac9d3732015-08-28 03:34:33 +0000913extern "C" double printd(double X) {
Lang Hamesd76e0672015-08-27 20:31:44 +0000914 fprintf(stderr, "%f\n", X);
Lang Hames59b0da82015-08-19 18:15:58 +0000915 return 0;
916}
917
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000918//===----------------------------------------------------------------------===//
919// Main driver code.
920//===----------------------------------------------------------------------===//
921
922int main() {
923 InitializeNativeTarget();
Eric Christopher1b74b652014-12-08 18:00:38 +0000924 InitializeNativeTargetAsmPrinter();
925 InitializeNativeTargetAsmParser();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000926
927 // Install standard binary operators.
928 // 1 is lowest precedence.
929 BinopPrecedence['<'] = 10;
930 BinopPrecedence['+'] = 20;
931 BinopPrecedence['-'] = 20;
Eric Christopherc0239362014-12-08 18:12:28 +0000932 BinopPrecedence['*'] = 40; // highest.
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000933
934 // Prime the first token.
935 fprintf(stderr, "ready> ");
936 getNextToken();
937
Lang Hames2d789c32015-08-26 03:07:41 +0000938 TheJIT = llvm::make_unique<KaleidoscopeJIT>();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000939
Lang Hames2d789c32015-08-26 03:07:41 +0000940 InitializeModuleAndPassManager();
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000941
942 // Run the main "interpreter loop" now.
943 MainLoop();
944
Erick Tryzelaar21e83ea2009-09-22 21:15:19 +0000945 return 0;
946}