[x86/SLH] Add a real Clang flag and LLVM IR attribute for Speculative
[llvm-complete.git] / lib / AsmParser / LLLexer.cpp
blobf4e340b4113b56f8d5dd30c744c0a84b1c754589
1 //===- LLLexer.cpp - Lexer for .ll Files ----------------------------------===//
2 //
3 // The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // Implement the Lexer for .ll files.
12 //===----------------------------------------------------------------------===//
14 #include "LLLexer.h"
15 #include "llvm/ADT/APInt.h"
16 #include "llvm/ADT/STLExtras.h"
17 #include "llvm/ADT/StringExtras.h"
18 #include "llvm/ADT/Twine.h"
19 #include "llvm/IR/DerivedTypes.h"
20 #include "llvm/IR/Instruction.h"
21 #include "llvm/Support/ErrorHandling.h"
22 #include "llvm/Support/SourceMgr.h"
23 #include <cassert>
24 #include <cctype>
25 #include <cstdio>
27 using namespace llvm;
29 bool LLLexer::Error(LocTy ErrorLoc, const Twine &Msg) const {
30 ErrorInfo = SM.GetMessage(ErrorLoc, SourceMgr::DK_Error, Msg);
31 return true;
34 void LLLexer::Warning(LocTy WarningLoc, const Twine &Msg) const {
35 SM.PrintMessage(WarningLoc, SourceMgr::DK_Warning, Msg);
38 //===----------------------------------------------------------------------===//
39 // Helper functions.
40 //===----------------------------------------------------------------------===//
42 // atoull - Convert an ascii string of decimal digits into the unsigned long
43 // long representation... this does not have to do input error checking,
44 // because we know that the input will be matched by a suitable regex...
46 uint64_t LLLexer::atoull(const char *Buffer, const char *End) {
47 uint64_t Result = 0;
48 for (; Buffer != End; Buffer++) {
49 uint64_t OldRes = Result;
50 Result *= 10;
51 Result += *Buffer-'0';
52 if (Result < OldRes) { // Uh, oh, overflow detected!!!
53 Error("constant bigger than 64 bits detected!");
54 return 0;
57 return Result;
60 uint64_t LLLexer::HexIntToVal(const char *Buffer, const char *End) {
61 uint64_t Result = 0;
62 for (; Buffer != End; ++Buffer) {
63 uint64_t OldRes = Result;
64 Result *= 16;
65 Result += hexDigitValue(*Buffer);
67 if (Result < OldRes) { // Uh, oh, overflow detected!!!
68 Error("constant bigger than 64 bits detected!");
69 return 0;
72 return Result;
75 void LLLexer::HexToIntPair(const char *Buffer, const char *End,
76 uint64_t Pair[2]) {
77 Pair[0] = 0;
78 if (End - Buffer >= 16) {
79 for (int i = 0; i < 16; i++, Buffer++) {
80 assert(Buffer != End);
81 Pair[0] *= 16;
82 Pair[0] += hexDigitValue(*Buffer);
85 Pair[1] = 0;
86 for (int i = 0; i < 16 && Buffer != End; i++, Buffer++) {
87 Pair[1] *= 16;
88 Pair[1] += hexDigitValue(*Buffer);
90 if (Buffer != End)
91 Error("constant bigger than 128 bits detected!");
94 /// FP80HexToIntPair - translate an 80 bit FP80 number (20 hexits) into
95 /// { low64, high16 } as usual for an APInt.
96 void LLLexer::FP80HexToIntPair(const char *Buffer, const char *End,
97 uint64_t Pair[2]) {
98 Pair[1] = 0;
99 for (int i=0; i<4 && Buffer != End; i++, Buffer++) {
100 assert(Buffer != End);
101 Pair[1] *= 16;
102 Pair[1] += hexDigitValue(*Buffer);
104 Pair[0] = 0;
105 for (int i = 0; i < 16 && Buffer != End; i++, Buffer++) {
106 Pair[0] *= 16;
107 Pair[0] += hexDigitValue(*Buffer);
109 if (Buffer != End)
110 Error("constant bigger than 128 bits detected!");
113 // UnEscapeLexed - Run through the specified buffer and change \xx codes to the
114 // appropriate character.
115 static void UnEscapeLexed(std::string &Str) {
116 if (Str.empty()) return;
118 char *Buffer = &Str[0], *EndBuffer = Buffer+Str.size();
119 char *BOut = Buffer;
120 for (char *BIn = Buffer; BIn != EndBuffer; ) {
121 if (BIn[0] == '\\') {
122 if (BIn < EndBuffer-1 && BIn[1] == '\\') {
123 *BOut++ = '\\'; // Two \ becomes one
124 BIn += 2;
125 } else if (BIn < EndBuffer-2 &&
126 isxdigit(static_cast<unsigned char>(BIn[1])) &&
127 isxdigit(static_cast<unsigned char>(BIn[2]))) {
128 *BOut = hexDigitValue(BIn[1]) * 16 + hexDigitValue(BIn[2]);
129 BIn += 3; // Skip over handled chars
130 ++BOut;
131 } else {
132 *BOut++ = *BIn++;
134 } else {
135 *BOut++ = *BIn++;
138 Str.resize(BOut-Buffer);
141 /// isLabelChar - Return true for [-a-zA-Z$._0-9].
142 static bool isLabelChar(char C) {
143 return isalnum(static_cast<unsigned char>(C)) || C == '-' || C == '$' ||
144 C == '.' || C == '_';
147 /// isLabelTail - Return true if this pointer points to a valid end of a label.
148 static const char *isLabelTail(const char *CurPtr) {
149 while (true) {
150 if (CurPtr[0] == ':') return CurPtr+1;
151 if (!isLabelChar(CurPtr[0])) return nullptr;
152 ++CurPtr;
156 //===----------------------------------------------------------------------===//
157 // Lexer definition.
158 //===----------------------------------------------------------------------===//
160 LLLexer::LLLexer(StringRef StartBuf, SourceMgr &SM, SMDiagnostic &Err,
161 LLVMContext &C)
162 : CurBuf(StartBuf), ErrorInfo(Err), SM(SM), Context(C), APFloatVal(0.0),
163 IgnoreColonInIdentifiers(false) {
164 CurPtr = CurBuf.begin();
167 int LLLexer::getNextChar() {
168 char CurChar = *CurPtr++;
169 switch (CurChar) {
170 default: return (unsigned char)CurChar;
171 case 0:
172 // A nul character in the stream is either the end of the current buffer or
173 // a random nul in the file. Disambiguate that here.
174 if (CurPtr-1 != CurBuf.end())
175 return 0; // Just whitespace.
177 // Otherwise, return end of file.
178 --CurPtr; // Another call to lex will return EOF again.
179 return EOF;
183 lltok::Kind LLLexer::LexToken() {
184 while (true) {
185 TokStart = CurPtr;
187 int CurChar = getNextChar();
188 switch (CurChar) {
189 default:
190 // Handle letters: [a-zA-Z_]
191 if (isalpha(static_cast<unsigned char>(CurChar)) || CurChar == '_')
192 return LexIdentifier();
194 return lltok::Error;
195 case EOF: return lltok::Eof;
196 case 0:
197 case ' ':
198 case '\t':
199 case '\n':
200 case '\r':
201 // Ignore whitespace.
202 continue;
203 case '+': return LexPositive();
204 case '@': return LexAt();
205 case '$': return LexDollar();
206 case '%': return LexPercent();
207 case '"': return LexQuote();
208 case '.':
209 if (const char *Ptr = isLabelTail(CurPtr)) {
210 CurPtr = Ptr;
211 StrVal.assign(TokStart, CurPtr-1);
212 return lltok::LabelStr;
214 if (CurPtr[0] == '.' && CurPtr[1] == '.') {
215 CurPtr += 2;
216 return lltok::dotdotdot;
218 return lltok::Error;
219 case ';':
220 SkipLineComment();
221 continue;
222 case '!': return LexExclaim();
223 case '^':
224 return LexCaret();
225 case ':':
226 return lltok::colon;
227 case '#': return LexHash();
228 case '0': case '1': case '2': case '3': case '4':
229 case '5': case '6': case '7': case '8': case '9':
230 case '-':
231 return LexDigitOrNegative();
232 case '=': return lltok::equal;
233 case '[': return lltok::lsquare;
234 case ']': return lltok::rsquare;
235 case '{': return lltok::lbrace;
236 case '}': return lltok::rbrace;
237 case '<': return lltok::less;
238 case '>': return lltok::greater;
239 case '(': return lltok::lparen;
240 case ')': return lltok::rparen;
241 case ',': return lltok::comma;
242 case '*': return lltok::star;
243 case '|': return lltok::bar;
248 void LLLexer::SkipLineComment() {
249 while (true) {
250 if (CurPtr[0] == '\n' || CurPtr[0] == '\r' || getNextChar() == EOF)
251 return;
255 /// Lex all tokens that start with an @ character.
256 /// GlobalVar @\"[^\"]*\"
257 /// GlobalVar @[-a-zA-Z$._][-a-zA-Z$._0-9]*
258 /// GlobalVarID @[0-9]+
259 lltok::Kind LLLexer::LexAt() {
260 return LexVar(lltok::GlobalVar, lltok::GlobalID);
263 lltok::Kind LLLexer::LexDollar() {
264 if (const char *Ptr = isLabelTail(TokStart)) {
265 CurPtr = Ptr;
266 StrVal.assign(TokStart, CurPtr - 1);
267 return lltok::LabelStr;
270 // Handle DollarStringConstant: $\"[^\"]*\"
271 if (CurPtr[0] == '"') {
272 ++CurPtr;
274 while (true) {
275 int CurChar = getNextChar();
277 if (CurChar == EOF) {
278 Error("end of file in COMDAT variable name");
279 return lltok::Error;
281 if (CurChar == '"') {
282 StrVal.assign(TokStart + 2, CurPtr - 1);
283 UnEscapeLexed(StrVal);
284 if (StringRef(StrVal).find_first_of(0) != StringRef::npos) {
285 Error("Null bytes are not allowed in names");
286 return lltok::Error;
288 return lltok::ComdatVar;
293 // Handle ComdatVarName: $[-a-zA-Z$._][-a-zA-Z$._0-9]*
294 if (ReadVarName())
295 return lltok::ComdatVar;
297 return lltok::Error;
300 /// ReadString - Read a string until the closing quote.
301 lltok::Kind LLLexer::ReadString(lltok::Kind kind) {
302 const char *Start = CurPtr;
303 while (true) {
304 int CurChar = getNextChar();
306 if (CurChar == EOF) {
307 Error("end of file in string constant");
308 return lltok::Error;
310 if (CurChar == '"') {
311 StrVal.assign(Start, CurPtr-1);
312 UnEscapeLexed(StrVal);
313 return kind;
318 /// ReadVarName - Read the rest of a token containing a variable name.
319 bool LLLexer::ReadVarName() {
320 const char *NameStart = CurPtr;
321 if (isalpha(static_cast<unsigned char>(CurPtr[0])) ||
322 CurPtr[0] == '-' || CurPtr[0] == '$' ||
323 CurPtr[0] == '.' || CurPtr[0] == '_') {
324 ++CurPtr;
325 while (isalnum(static_cast<unsigned char>(CurPtr[0])) ||
326 CurPtr[0] == '-' || CurPtr[0] == '$' ||
327 CurPtr[0] == '.' || CurPtr[0] == '_')
328 ++CurPtr;
330 StrVal.assign(NameStart, CurPtr);
331 return true;
333 return false;
336 // Lex an ID: [0-9]+. On success, the ID is stored in UIntVal and Token is
337 // returned, otherwise the Error token is returned.
338 lltok::Kind LLLexer::LexUIntID(lltok::Kind Token) {
339 if (!isdigit(static_cast<unsigned char>(CurPtr[0])))
340 return lltok::Error;
342 for (++CurPtr; isdigit(static_cast<unsigned char>(CurPtr[0])); ++CurPtr)
343 /*empty*/;
345 uint64_t Val = atoull(TokStart + 1, CurPtr);
346 if ((unsigned)Val != Val)
347 Error("invalid value number (too large)!");
348 UIntVal = unsigned(Val);
349 return Token;
352 lltok::Kind LLLexer::LexVar(lltok::Kind Var, lltok::Kind VarID) {
353 // Handle StringConstant: \"[^\"]*\"
354 if (CurPtr[0] == '"') {
355 ++CurPtr;
357 while (true) {
358 int CurChar = getNextChar();
360 if (CurChar == EOF) {
361 Error("end of file in global variable name");
362 return lltok::Error;
364 if (CurChar == '"') {
365 StrVal.assign(TokStart+2, CurPtr-1);
366 UnEscapeLexed(StrVal);
367 if (StringRef(StrVal).find_first_of(0) != StringRef::npos) {
368 Error("Null bytes are not allowed in names");
369 return lltok::Error;
371 return Var;
376 // Handle VarName: [-a-zA-Z$._][-a-zA-Z$._0-9]*
377 if (ReadVarName())
378 return Var;
380 // Handle VarID: [0-9]+
381 return LexUIntID(VarID);
384 /// Lex all tokens that start with a % character.
385 /// LocalVar ::= %\"[^\"]*\"
386 /// LocalVar ::= %[-a-zA-Z$._][-a-zA-Z$._0-9]*
387 /// LocalVarID ::= %[0-9]+
388 lltok::Kind LLLexer::LexPercent() {
389 return LexVar(lltok::LocalVar, lltok::LocalVarID);
392 /// Lex all tokens that start with a " character.
393 /// QuoteLabel "[^"]+":
394 /// StringConstant "[^"]*"
395 lltok::Kind LLLexer::LexQuote() {
396 lltok::Kind kind = ReadString(lltok::StringConstant);
397 if (kind == lltok::Error || kind == lltok::Eof)
398 return kind;
400 if (CurPtr[0] == ':') {
401 ++CurPtr;
402 if (StringRef(StrVal).find_first_of(0) != StringRef::npos) {
403 Error("Null bytes are not allowed in names");
404 kind = lltok::Error;
405 } else {
406 kind = lltok::LabelStr;
410 return kind;
413 /// Lex all tokens that start with a ! character.
414 /// !foo
415 /// !
416 lltok::Kind LLLexer::LexExclaim() {
417 // Lex a metadata name as a MetadataVar.
418 if (isalpha(static_cast<unsigned char>(CurPtr[0])) ||
419 CurPtr[0] == '-' || CurPtr[0] == '$' ||
420 CurPtr[0] == '.' || CurPtr[0] == '_' || CurPtr[0] == '\\') {
421 ++CurPtr;
422 while (isalnum(static_cast<unsigned char>(CurPtr[0])) ||
423 CurPtr[0] == '-' || CurPtr[0] == '$' ||
424 CurPtr[0] == '.' || CurPtr[0] == '_' || CurPtr[0] == '\\')
425 ++CurPtr;
427 StrVal.assign(TokStart+1, CurPtr); // Skip !
428 UnEscapeLexed(StrVal);
429 return lltok::MetadataVar;
431 return lltok::exclaim;
434 /// Lex all tokens that start with a ^ character.
435 /// SummaryID ::= ^[0-9]+
436 lltok::Kind LLLexer::LexCaret() {
437 // Handle SummaryID: ^[0-9]+
438 return LexUIntID(lltok::SummaryID);
441 /// Lex all tokens that start with a # character.
442 /// AttrGrpID ::= #[0-9]+
443 lltok::Kind LLLexer::LexHash() {
444 // Handle AttrGrpID: #[0-9]+
445 return LexUIntID(lltok::AttrGrpID);
448 /// Lex a label, integer type, keyword, or hexadecimal integer constant.
449 /// Label [-a-zA-Z$._0-9]+:
450 /// IntegerType i[0-9]+
451 /// Keyword sdiv, float, ...
452 /// HexIntConstant [us]0x[0-9A-Fa-f]+
453 lltok::Kind LLLexer::LexIdentifier() {
454 const char *StartChar = CurPtr;
455 const char *IntEnd = CurPtr[-1] == 'i' ? nullptr : StartChar;
456 const char *KeywordEnd = nullptr;
458 for (; isLabelChar(*CurPtr); ++CurPtr) {
459 // If we decide this is an integer, remember the end of the sequence.
460 if (!IntEnd && !isdigit(static_cast<unsigned char>(*CurPtr)))
461 IntEnd = CurPtr;
462 if (!KeywordEnd && !isalnum(static_cast<unsigned char>(*CurPtr)) &&
463 *CurPtr != '_')
464 KeywordEnd = CurPtr;
467 // If we stopped due to a colon, unless we were directed to ignore it,
468 // this really is a label.
469 if (!IgnoreColonInIdentifiers && *CurPtr == ':') {
470 StrVal.assign(StartChar-1, CurPtr++);
471 return lltok::LabelStr;
474 // Otherwise, this wasn't a label. If this was valid as an integer type,
475 // return it.
476 if (!IntEnd) IntEnd = CurPtr;
477 if (IntEnd != StartChar) {
478 CurPtr = IntEnd;
479 uint64_t NumBits = atoull(StartChar, CurPtr);
480 if (NumBits < IntegerType::MIN_INT_BITS ||
481 NumBits > IntegerType::MAX_INT_BITS) {
482 Error("bitwidth for integer type out of range!");
483 return lltok::Error;
485 TyVal = IntegerType::get(Context, NumBits);
486 return lltok::Type;
489 // Otherwise, this was a letter sequence. See which keyword this is.
490 if (!KeywordEnd) KeywordEnd = CurPtr;
491 CurPtr = KeywordEnd;
492 --StartChar;
493 StringRef Keyword(StartChar, CurPtr - StartChar);
495 #define KEYWORD(STR) \
496 do { \
497 if (Keyword == #STR) \
498 return lltok::kw_##STR; \
499 } while (false)
501 KEYWORD(true); KEYWORD(false);
502 KEYWORD(declare); KEYWORD(define);
503 KEYWORD(global); KEYWORD(constant);
505 KEYWORD(dso_local);
506 KEYWORD(dso_preemptable);
508 KEYWORD(private);
509 KEYWORD(internal);
510 KEYWORD(available_externally);
511 KEYWORD(linkonce);
512 KEYWORD(linkonce_odr);
513 KEYWORD(weak); // Use as a linkage, and a modifier for "cmpxchg".
514 KEYWORD(weak_odr);
515 KEYWORD(appending);
516 KEYWORD(dllimport);
517 KEYWORD(dllexport);
518 KEYWORD(common);
519 KEYWORD(default);
520 KEYWORD(hidden);
521 KEYWORD(protected);
522 KEYWORD(unnamed_addr);
523 KEYWORD(local_unnamed_addr);
524 KEYWORD(externally_initialized);
525 KEYWORD(extern_weak);
526 KEYWORD(external);
527 KEYWORD(thread_local);
528 KEYWORD(localdynamic);
529 KEYWORD(initialexec);
530 KEYWORD(localexec);
531 KEYWORD(zeroinitializer);
532 KEYWORD(undef);
533 KEYWORD(null);
534 KEYWORD(none);
535 KEYWORD(to);
536 KEYWORD(caller);
537 KEYWORD(within);
538 KEYWORD(from);
539 KEYWORD(tail);
540 KEYWORD(musttail);
541 KEYWORD(notail);
542 KEYWORD(target);
543 KEYWORD(triple);
544 KEYWORD(source_filename);
545 KEYWORD(unwind);
546 KEYWORD(deplibs); // FIXME: Remove in 4.0.
547 KEYWORD(datalayout);
548 KEYWORD(volatile);
549 KEYWORD(atomic);
550 KEYWORD(unordered);
551 KEYWORD(monotonic);
552 KEYWORD(acquire);
553 KEYWORD(release);
554 KEYWORD(acq_rel);
555 KEYWORD(seq_cst);
556 KEYWORD(syncscope);
558 KEYWORD(nnan);
559 KEYWORD(ninf);
560 KEYWORD(nsz);
561 KEYWORD(arcp);
562 KEYWORD(contract);
563 KEYWORD(reassoc);
564 KEYWORD(afn);
565 KEYWORD(fast);
566 KEYWORD(nuw);
567 KEYWORD(nsw);
568 KEYWORD(exact);
569 KEYWORD(inbounds);
570 KEYWORD(inrange);
571 KEYWORD(align);
572 KEYWORD(addrspace);
573 KEYWORD(section);
574 KEYWORD(alias);
575 KEYWORD(ifunc);
576 KEYWORD(module);
577 KEYWORD(asm);
578 KEYWORD(sideeffect);
579 KEYWORD(alignstack);
580 KEYWORD(inteldialect);
581 KEYWORD(gc);
582 KEYWORD(prefix);
583 KEYWORD(prologue);
585 KEYWORD(ccc);
586 KEYWORD(fastcc);
587 KEYWORD(coldcc);
588 KEYWORD(x86_stdcallcc);
589 KEYWORD(x86_fastcallcc);
590 KEYWORD(x86_thiscallcc);
591 KEYWORD(x86_vectorcallcc);
592 KEYWORD(arm_apcscc);
593 KEYWORD(arm_aapcscc);
594 KEYWORD(arm_aapcs_vfpcc);
595 KEYWORD(msp430_intrcc);
596 KEYWORD(avr_intrcc);
597 KEYWORD(avr_signalcc);
598 KEYWORD(ptx_kernel);
599 KEYWORD(ptx_device);
600 KEYWORD(spir_kernel);
601 KEYWORD(spir_func);
602 KEYWORD(intel_ocl_bicc);
603 KEYWORD(x86_64_sysvcc);
604 KEYWORD(win64cc);
605 KEYWORD(x86_regcallcc);
606 KEYWORD(webkit_jscc);
607 KEYWORD(swiftcc);
608 KEYWORD(anyregcc);
609 KEYWORD(preserve_mostcc);
610 KEYWORD(preserve_allcc);
611 KEYWORD(ghccc);
612 KEYWORD(x86_intrcc);
613 KEYWORD(hhvmcc);
614 KEYWORD(hhvm_ccc);
615 KEYWORD(cxx_fast_tlscc);
616 KEYWORD(amdgpu_vs);
617 KEYWORD(amdgpu_ls);
618 KEYWORD(amdgpu_hs);
619 KEYWORD(amdgpu_es);
620 KEYWORD(amdgpu_gs);
621 KEYWORD(amdgpu_ps);
622 KEYWORD(amdgpu_cs);
623 KEYWORD(amdgpu_kernel);
625 KEYWORD(cc);
626 KEYWORD(c);
628 KEYWORD(attributes);
630 KEYWORD(alwaysinline);
631 KEYWORD(allocsize);
632 KEYWORD(argmemonly);
633 KEYWORD(builtin);
634 KEYWORD(byval);
635 KEYWORD(inalloca);
636 KEYWORD(cold);
637 KEYWORD(convergent);
638 KEYWORD(dereferenceable);
639 KEYWORD(dereferenceable_or_null);
640 KEYWORD(inaccessiblememonly);
641 KEYWORD(inaccessiblemem_or_argmemonly);
642 KEYWORD(inlinehint);
643 KEYWORD(inreg);
644 KEYWORD(jumptable);
645 KEYWORD(minsize);
646 KEYWORD(naked);
647 KEYWORD(nest);
648 KEYWORD(noalias);
649 KEYWORD(nobuiltin);
650 KEYWORD(nocapture);
651 KEYWORD(noduplicate);
652 KEYWORD(noimplicitfloat);
653 KEYWORD(noinline);
654 KEYWORD(norecurse);
655 KEYWORD(nonlazybind);
656 KEYWORD(nonnull);
657 KEYWORD(noredzone);
658 KEYWORD(noreturn);
659 KEYWORD(nocf_check);
660 KEYWORD(nounwind);
661 KEYWORD(optforfuzzing);
662 KEYWORD(optnone);
663 KEYWORD(optsize);
664 KEYWORD(readnone);
665 KEYWORD(readonly);
666 KEYWORD(returned);
667 KEYWORD(returns_twice);
668 KEYWORD(signext);
669 KEYWORD(speculatable);
670 KEYWORD(sret);
671 KEYWORD(ssp);
672 KEYWORD(sspreq);
673 KEYWORD(sspstrong);
674 KEYWORD(strictfp);
675 KEYWORD(safestack);
676 KEYWORD(shadowcallstack);
677 KEYWORD(sanitize_address);
678 KEYWORD(sanitize_hwaddress);
679 KEYWORD(sanitize_thread);
680 KEYWORD(sanitize_memory);
681 KEYWORD(speculative_load_hardening);
682 KEYWORD(swifterror);
683 KEYWORD(swiftself);
684 KEYWORD(uwtable);
685 KEYWORD(writeonly);
686 KEYWORD(zeroext);
688 KEYWORD(type);
689 KEYWORD(opaque);
691 KEYWORD(comdat);
693 // Comdat types
694 KEYWORD(any);
695 KEYWORD(exactmatch);
696 KEYWORD(largest);
697 KEYWORD(noduplicates);
698 KEYWORD(samesize);
700 KEYWORD(eq); KEYWORD(ne); KEYWORD(slt); KEYWORD(sgt); KEYWORD(sle);
701 KEYWORD(sge); KEYWORD(ult); KEYWORD(ugt); KEYWORD(ule); KEYWORD(uge);
702 KEYWORD(oeq); KEYWORD(one); KEYWORD(olt); KEYWORD(ogt); KEYWORD(ole);
703 KEYWORD(oge); KEYWORD(ord); KEYWORD(uno); KEYWORD(ueq); KEYWORD(une);
705 KEYWORD(xchg); KEYWORD(nand); KEYWORD(max); KEYWORD(min); KEYWORD(umax);
706 KEYWORD(umin);
708 KEYWORD(x);
709 KEYWORD(blockaddress);
711 // Metadata types.
712 KEYWORD(distinct);
714 // Use-list order directives.
715 KEYWORD(uselistorder);
716 KEYWORD(uselistorder_bb);
718 KEYWORD(personality);
719 KEYWORD(cleanup);
720 KEYWORD(catch);
721 KEYWORD(filter);
723 // Summary index keywords.
724 KEYWORD(path);
725 KEYWORD(hash);
726 KEYWORD(gv);
727 KEYWORD(guid);
728 KEYWORD(name);
729 KEYWORD(summaries);
730 KEYWORD(flags);
731 KEYWORD(linkage);
732 KEYWORD(notEligibleToImport);
733 KEYWORD(live);
734 KEYWORD(dsoLocal);
735 KEYWORD(function);
736 KEYWORD(insts);
737 KEYWORD(funcFlags);
738 KEYWORD(readNone);
739 KEYWORD(readOnly);
740 KEYWORD(noRecurse);
741 KEYWORD(returnDoesNotAlias);
742 KEYWORD(calls);
743 KEYWORD(callee);
744 KEYWORD(hotness);
745 KEYWORD(unknown);
746 KEYWORD(hot);
747 KEYWORD(critical);
748 KEYWORD(relbf);
749 KEYWORD(variable);
750 KEYWORD(aliasee);
751 KEYWORD(refs);
752 KEYWORD(typeIdInfo);
753 KEYWORD(typeTests);
754 KEYWORD(typeTestAssumeVCalls);
755 KEYWORD(typeCheckedLoadVCalls);
756 KEYWORD(typeTestAssumeConstVCalls);
757 KEYWORD(typeCheckedLoadConstVCalls);
758 KEYWORD(vFuncId);
759 KEYWORD(offset);
760 KEYWORD(args);
761 KEYWORD(typeid);
762 KEYWORD(summary);
763 KEYWORD(typeTestRes);
764 KEYWORD(kind);
765 KEYWORD(unsat);
766 KEYWORD(byteArray);
767 KEYWORD(inline);
768 KEYWORD(single);
769 KEYWORD(allOnes);
770 KEYWORD(sizeM1BitWidth);
771 KEYWORD(alignLog2);
772 KEYWORD(sizeM1);
773 KEYWORD(bitMask);
774 KEYWORD(inlineBits);
775 KEYWORD(wpdResolutions);
776 KEYWORD(wpdRes);
777 KEYWORD(indir);
778 KEYWORD(singleImpl);
779 KEYWORD(branchFunnel);
780 KEYWORD(singleImplName);
781 KEYWORD(resByArg);
782 KEYWORD(byArg);
783 KEYWORD(uniformRetVal);
784 KEYWORD(uniqueRetVal);
785 KEYWORD(virtualConstProp);
786 KEYWORD(info);
787 KEYWORD(byte);
788 KEYWORD(bit);
790 #undef KEYWORD
792 // Keywords for types.
793 #define TYPEKEYWORD(STR, LLVMTY) \
794 do { \
795 if (Keyword == STR) { \
796 TyVal = LLVMTY; \
797 return lltok::Type; \
799 } while (false)
801 TYPEKEYWORD("void", Type::getVoidTy(Context));
802 TYPEKEYWORD("half", Type::getHalfTy(Context));
803 TYPEKEYWORD("float", Type::getFloatTy(Context));
804 TYPEKEYWORD("double", Type::getDoubleTy(Context));
805 TYPEKEYWORD("x86_fp80", Type::getX86_FP80Ty(Context));
806 TYPEKEYWORD("fp128", Type::getFP128Ty(Context));
807 TYPEKEYWORD("ppc_fp128", Type::getPPC_FP128Ty(Context));
808 TYPEKEYWORD("label", Type::getLabelTy(Context));
809 TYPEKEYWORD("metadata", Type::getMetadataTy(Context));
810 TYPEKEYWORD("x86_mmx", Type::getX86_MMXTy(Context));
811 TYPEKEYWORD("token", Type::getTokenTy(Context));
813 #undef TYPEKEYWORD
815 // Keywords for instructions.
816 #define INSTKEYWORD(STR, Enum) \
817 do { \
818 if (Keyword == #STR) { \
819 UIntVal = Instruction::Enum; \
820 return lltok::kw_##STR; \
822 } while (false)
824 INSTKEYWORD(add, Add); INSTKEYWORD(fadd, FAdd);
825 INSTKEYWORD(sub, Sub); INSTKEYWORD(fsub, FSub);
826 INSTKEYWORD(mul, Mul); INSTKEYWORD(fmul, FMul);
827 INSTKEYWORD(udiv, UDiv); INSTKEYWORD(sdiv, SDiv); INSTKEYWORD(fdiv, FDiv);
828 INSTKEYWORD(urem, URem); INSTKEYWORD(srem, SRem); INSTKEYWORD(frem, FRem);
829 INSTKEYWORD(shl, Shl); INSTKEYWORD(lshr, LShr); INSTKEYWORD(ashr, AShr);
830 INSTKEYWORD(and, And); INSTKEYWORD(or, Or); INSTKEYWORD(xor, Xor);
831 INSTKEYWORD(icmp, ICmp); INSTKEYWORD(fcmp, FCmp);
833 INSTKEYWORD(phi, PHI);
834 INSTKEYWORD(call, Call);
835 INSTKEYWORD(trunc, Trunc);
836 INSTKEYWORD(zext, ZExt);
837 INSTKEYWORD(sext, SExt);
838 INSTKEYWORD(fptrunc, FPTrunc);
839 INSTKEYWORD(fpext, FPExt);
840 INSTKEYWORD(uitofp, UIToFP);
841 INSTKEYWORD(sitofp, SIToFP);
842 INSTKEYWORD(fptoui, FPToUI);
843 INSTKEYWORD(fptosi, FPToSI);
844 INSTKEYWORD(inttoptr, IntToPtr);
845 INSTKEYWORD(ptrtoint, PtrToInt);
846 INSTKEYWORD(bitcast, BitCast);
847 INSTKEYWORD(addrspacecast, AddrSpaceCast);
848 INSTKEYWORD(select, Select);
849 INSTKEYWORD(va_arg, VAArg);
850 INSTKEYWORD(ret, Ret);
851 INSTKEYWORD(br, Br);
852 INSTKEYWORD(switch, Switch);
853 INSTKEYWORD(indirectbr, IndirectBr);
854 INSTKEYWORD(invoke, Invoke);
855 INSTKEYWORD(resume, Resume);
856 INSTKEYWORD(unreachable, Unreachable);
858 INSTKEYWORD(alloca, Alloca);
859 INSTKEYWORD(load, Load);
860 INSTKEYWORD(store, Store);
861 INSTKEYWORD(cmpxchg, AtomicCmpXchg);
862 INSTKEYWORD(atomicrmw, AtomicRMW);
863 INSTKEYWORD(fence, Fence);
864 INSTKEYWORD(getelementptr, GetElementPtr);
866 INSTKEYWORD(extractelement, ExtractElement);
867 INSTKEYWORD(insertelement, InsertElement);
868 INSTKEYWORD(shufflevector, ShuffleVector);
869 INSTKEYWORD(extractvalue, ExtractValue);
870 INSTKEYWORD(insertvalue, InsertValue);
871 INSTKEYWORD(landingpad, LandingPad);
872 INSTKEYWORD(cleanupret, CleanupRet);
873 INSTKEYWORD(catchret, CatchRet);
874 INSTKEYWORD(catchswitch, CatchSwitch);
875 INSTKEYWORD(catchpad, CatchPad);
876 INSTKEYWORD(cleanuppad, CleanupPad);
878 #undef INSTKEYWORD
880 #define DWKEYWORD(TYPE, TOKEN) \
881 do { \
882 if (Keyword.startswith("DW_" #TYPE "_")) { \
883 StrVal.assign(Keyword.begin(), Keyword.end()); \
884 return lltok::TOKEN; \
886 } while (false)
888 DWKEYWORD(TAG, DwarfTag);
889 DWKEYWORD(ATE, DwarfAttEncoding);
890 DWKEYWORD(VIRTUALITY, DwarfVirtuality);
891 DWKEYWORD(LANG, DwarfLang);
892 DWKEYWORD(CC, DwarfCC);
893 DWKEYWORD(OP, DwarfOp);
894 DWKEYWORD(MACINFO, DwarfMacinfo);
896 #undef DWKEYWORD
898 if (Keyword.startswith("DIFlag")) {
899 StrVal.assign(Keyword.begin(), Keyword.end());
900 return lltok::DIFlag;
903 if (Keyword.startswith("CSK_")) {
904 StrVal.assign(Keyword.begin(), Keyword.end());
905 return lltok::ChecksumKind;
908 if (Keyword == "NoDebug" || Keyword == "FullDebug" ||
909 Keyword == "LineTablesOnly" || Keyword == "DebugDirectivesOnly") {
910 StrVal.assign(Keyword.begin(), Keyword.end());
911 return lltok::EmissionKind;
914 if (Keyword == "GNU" || Keyword == "None" || Keyword == "Default") {
915 StrVal.assign(Keyword.begin(), Keyword.end());
916 return lltok::NameTableKind;
919 // Check for [us]0x[0-9A-Fa-f]+ which are Hexadecimal constant generated by
920 // the CFE to avoid forcing it to deal with 64-bit numbers.
921 if ((TokStart[0] == 'u' || TokStart[0] == 's') &&
922 TokStart[1] == '0' && TokStart[2] == 'x' &&
923 isxdigit(static_cast<unsigned char>(TokStart[3]))) {
924 int len = CurPtr-TokStart-3;
925 uint32_t bits = len * 4;
926 StringRef HexStr(TokStart + 3, len);
927 if (!all_of(HexStr, isxdigit)) {
928 // Bad token, return it as an error.
929 CurPtr = TokStart+3;
930 return lltok::Error;
932 APInt Tmp(bits, HexStr, 16);
933 uint32_t activeBits = Tmp.getActiveBits();
934 if (activeBits > 0 && activeBits < bits)
935 Tmp = Tmp.trunc(activeBits);
936 APSIntVal = APSInt(Tmp, TokStart[0] == 'u');
937 return lltok::APSInt;
940 // If this is "cc1234", return this as just "cc".
941 if (TokStart[0] == 'c' && TokStart[1] == 'c') {
942 CurPtr = TokStart+2;
943 return lltok::kw_cc;
946 // Finally, if this isn't known, return an error.
947 CurPtr = TokStart+1;
948 return lltok::Error;
951 /// Lex all tokens that start with a 0x prefix, knowing they match and are not
952 /// labels.
953 /// HexFPConstant 0x[0-9A-Fa-f]+
954 /// HexFP80Constant 0xK[0-9A-Fa-f]+
955 /// HexFP128Constant 0xL[0-9A-Fa-f]+
956 /// HexPPC128Constant 0xM[0-9A-Fa-f]+
957 /// HexHalfConstant 0xH[0-9A-Fa-f]+
958 lltok::Kind LLLexer::Lex0x() {
959 CurPtr = TokStart + 2;
961 char Kind;
962 if ((CurPtr[0] >= 'K' && CurPtr[0] <= 'M') || CurPtr[0] == 'H') {
963 Kind = *CurPtr++;
964 } else {
965 Kind = 'J';
968 if (!isxdigit(static_cast<unsigned char>(CurPtr[0]))) {
969 // Bad token, return it as an error.
970 CurPtr = TokStart+1;
971 return lltok::Error;
974 while (isxdigit(static_cast<unsigned char>(CurPtr[0])))
975 ++CurPtr;
977 if (Kind == 'J') {
978 // HexFPConstant - Floating point constant represented in IEEE format as a
979 // hexadecimal number for when exponential notation is not precise enough.
980 // Half, Float, and double only.
981 APFloatVal = APFloat(APFloat::IEEEdouble(),
982 APInt(64, HexIntToVal(TokStart + 2, CurPtr)));
983 return lltok::APFloat;
986 uint64_t Pair[2];
987 switch (Kind) {
988 default: llvm_unreachable("Unknown kind!");
989 case 'K':
990 // F80HexFPConstant - x87 long double in hexadecimal format (10 bytes)
991 FP80HexToIntPair(TokStart+3, CurPtr, Pair);
992 APFloatVal = APFloat(APFloat::x87DoubleExtended(), APInt(80, Pair));
993 return lltok::APFloat;
994 case 'L':
995 // F128HexFPConstant - IEEE 128-bit in hexadecimal format (16 bytes)
996 HexToIntPair(TokStart+3, CurPtr, Pair);
997 APFloatVal = APFloat(APFloat::IEEEquad(), APInt(128, Pair));
998 return lltok::APFloat;
999 case 'M':
1000 // PPC128HexFPConstant - PowerPC 128-bit in hexadecimal format (16 bytes)
1001 HexToIntPair(TokStart+3, CurPtr, Pair);
1002 APFloatVal = APFloat(APFloat::PPCDoubleDouble(), APInt(128, Pair));
1003 return lltok::APFloat;
1004 case 'H':
1005 APFloatVal = APFloat(APFloat::IEEEhalf(),
1006 APInt(16,HexIntToVal(TokStart+3, CurPtr)));
1007 return lltok::APFloat;
1011 /// Lex tokens for a label or a numeric constant, possibly starting with -.
1012 /// Label [-a-zA-Z$._0-9]+:
1013 /// NInteger -[0-9]+
1014 /// FPConstant [-+]?[0-9]+[.][0-9]*([eE][-+]?[0-9]+)?
1015 /// PInteger [0-9]+
1016 /// HexFPConstant 0x[0-9A-Fa-f]+
1017 /// HexFP80Constant 0xK[0-9A-Fa-f]+
1018 /// HexFP128Constant 0xL[0-9A-Fa-f]+
1019 /// HexPPC128Constant 0xM[0-9A-Fa-f]+
1020 lltok::Kind LLLexer::LexDigitOrNegative() {
1021 // If the letter after the negative is not a number, this is probably a label.
1022 if (!isdigit(static_cast<unsigned char>(TokStart[0])) &&
1023 !isdigit(static_cast<unsigned char>(CurPtr[0]))) {
1024 // Okay, this is not a number after the -, it's probably a label.
1025 if (const char *End = isLabelTail(CurPtr)) {
1026 StrVal.assign(TokStart, End-1);
1027 CurPtr = End;
1028 return lltok::LabelStr;
1031 return lltok::Error;
1034 // At this point, it is either a label, int or fp constant.
1036 // Skip digits, we have at least one.
1037 for (; isdigit(static_cast<unsigned char>(CurPtr[0])); ++CurPtr)
1038 /*empty*/;
1040 // Check to see if this really is a label afterall, e.g. "-1:".
1041 if (isLabelChar(CurPtr[0]) || CurPtr[0] == ':') {
1042 if (const char *End = isLabelTail(CurPtr)) {
1043 StrVal.assign(TokStart, End-1);
1044 CurPtr = End;
1045 return lltok::LabelStr;
1049 // If the next character is a '.', then it is a fp value, otherwise its
1050 // integer.
1051 if (CurPtr[0] != '.') {
1052 if (TokStart[0] == '0' && TokStart[1] == 'x')
1053 return Lex0x();
1054 APSIntVal = APSInt(StringRef(TokStart, CurPtr - TokStart));
1055 return lltok::APSInt;
1058 ++CurPtr;
1060 // Skip over [0-9]*([eE][-+]?[0-9]+)?
1061 while (isdigit(static_cast<unsigned char>(CurPtr[0]))) ++CurPtr;
1063 if (CurPtr[0] == 'e' || CurPtr[0] == 'E') {
1064 if (isdigit(static_cast<unsigned char>(CurPtr[1])) ||
1065 ((CurPtr[1] == '-' || CurPtr[1] == '+') &&
1066 isdigit(static_cast<unsigned char>(CurPtr[2])))) {
1067 CurPtr += 2;
1068 while (isdigit(static_cast<unsigned char>(CurPtr[0]))) ++CurPtr;
1072 APFloatVal = APFloat(APFloat::IEEEdouble(),
1073 StringRef(TokStart, CurPtr - TokStart));
1074 return lltok::APFloat;
1077 /// Lex a floating point constant starting with +.
1078 /// FPConstant [-+]?[0-9]+[.][0-9]*([eE][-+]?[0-9]+)?
1079 lltok::Kind LLLexer::LexPositive() {
1080 // If the letter after the negative is a number, this is probably not a
1081 // label.
1082 if (!isdigit(static_cast<unsigned char>(CurPtr[0])))
1083 return lltok::Error;
1085 // Skip digits.
1086 for (++CurPtr; isdigit(static_cast<unsigned char>(CurPtr[0])); ++CurPtr)
1087 /*empty*/;
1089 // At this point, we need a '.'.
1090 if (CurPtr[0] != '.') {
1091 CurPtr = TokStart+1;
1092 return lltok::Error;
1095 ++CurPtr;
1097 // Skip over [0-9]*([eE][-+]?[0-9]+)?
1098 while (isdigit(static_cast<unsigned char>(CurPtr[0]))) ++CurPtr;
1100 if (CurPtr[0] == 'e' || CurPtr[0] == 'E') {
1101 if (isdigit(static_cast<unsigned char>(CurPtr[1])) ||
1102 ((CurPtr[1] == '-' || CurPtr[1] == '+') &&
1103 isdigit(static_cast<unsigned char>(CurPtr[2])))) {
1104 CurPtr += 2;
1105 while (isdigit(static_cast<unsigned char>(CurPtr[0]))) ++CurPtr;
1109 APFloatVal = APFloat(APFloat::IEEEdouble(),
1110 StringRef(TokStart, CurPtr - TokStart));
1111 return lltok::APFloat;