Remove the one-definition-rule version of extern_weak
[oota-llvm.git] / lib / AsmParser / LLLexer.cpp
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.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #include "LLLexer.h"
15 #include "llvm/DerivedTypes.h"
16 #include "llvm/Instruction.h"
17 #include "llvm/Support/MemoryBuffer.h"
18 #include "llvm/Support/MathExtras.h"
19 #include "llvm/Support/raw_ostream.h"
20 #include "llvm/Assembly/Parser.h"
21 #include <cstdlib>
22 #include <cstring>
23 using namespace llvm;
24
25 bool LLLexer::Error(LocTy ErrorLoc, const std::string &Msg) const {
26   // Scan backward to find the start of the line.
27   const char *LineStart = ErrorLoc;
28   while (LineStart != CurBuf->getBufferStart() &&
29          LineStart[-1] != '\n' && LineStart[-1] != '\r')
30     --LineStart;
31   // Get the end of the line.
32   const char *LineEnd = ErrorLoc;
33   while (LineEnd != CurBuf->getBufferEnd() &&
34          LineEnd[0] != '\n' && LineEnd[0] != '\r')
35     ++LineEnd;
36
37   unsigned LineNo = 1;
38   for (const char *FP = CurBuf->getBufferStart(); FP != ErrorLoc; ++FP)
39     if (*FP == '\n') ++LineNo;
40
41   std::string LineContents(LineStart, LineEnd);
42   ErrorInfo.setError(Msg, LineNo, ErrorLoc-LineStart, LineContents);
43   return true;
44 }
45
46 //===----------------------------------------------------------------------===//
47 // Helper functions.
48 //===----------------------------------------------------------------------===//
49
50 // atoull - Convert an ascii string of decimal digits into the unsigned long
51 // long representation... this does not have to do input error checking,
52 // because we know that the input will be matched by a suitable regex...
53 //
54 uint64_t LLLexer::atoull(const char *Buffer, const char *End) {
55   uint64_t Result = 0;
56   for (; Buffer != End; Buffer++) {
57     uint64_t OldRes = Result;
58     Result *= 10;
59     Result += *Buffer-'0';
60     if (Result < OldRes) {  // Uh, oh, overflow detected!!!
61       Error("constant bigger than 64 bits detected!");
62       return 0;
63     }
64   }
65   return Result;
66 }
67
68 uint64_t LLLexer::HexIntToVal(const char *Buffer, const char *End) {
69   uint64_t Result = 0;
70   for (; Buffer != End; ++Buffer) {
71     uint64_t OldRes = Result;
72     Result *= 16;
73     char C = *Buffer;
74     if (C >= '0' && C <= '9')
75       Result += C-'0';
76     else if (C >= 'A' && C <= 'F')
77       Result += C-'A'+10;
78     else if (C >= 'a' && C <= 'f')
79       Result += C-'a'+10;
80
81     if (Result < OldRes) {   // Uh, oh, overflow detected!!!
82       Error("constant bigger than 64 bits detected!");
83       return 0;
84     }
85   }
86   return Result;
87 }
88
89 void LLLexer::HexToIntPair(const char *Buffer, const char *End,
90                            uint64_t Pair[2]) {
91   Pair[0] = 0;
92   for (int i=0; i<16; i++, Buffer++) {
93     assert(Buffer != End);
94     Pair[0] *= 16;
95     char C = *Buffer;
96     if (C >= '0' && C <= '9')
97       Pair[0] += C-'0';
98     else if (C >= 'A' && C <= 'F')
99       Pair[0] += C-'A'+10;
100     else if (C >= 'a' && C <= 'f')
101       Pair[0] += C-'a'+10;
102   }
103   Pair[1] = 0;
104   for (int i=0; i<16 && Buffer != End; i++, Buffer++) {
105     Pair[1] *= 16;
106     char C = *Buffer;
107     if (C >= '0' && C <= '9')
108       Pair[1] += C-'0';
109     else if (C >= 'A' && C <= 'F')
110       Pair[1] += C-'A'+10;
111     else if (C >= 'a' && C <= 'f')
112       Pair[1] += C-'a'+10;
113   }
114   if (Buffer != End)
115     Error("constant bigger than 128 bits detected!");
116 }
117
118 // UnEscapeLexed - Run through the specified buffer and change \xx codes to the
119 // appropriate character.
120 static void UnEscapeLexed(std::string &Str) {
121   if (Str.empty()) return;
122
123   char *Buffer = &Str[0], *EndBuffer = Buffer+Str.size();
124   char *BOut = Buffer;
125   for (char *BIn = Buffer; BIn != EndBuffer; ) {
126     if (BIn[0] == '\\') {
127       if (BIn < EndBuffer-1 && BIn[1] == '\\') {
128         *BOut++ = '\\'; // Two \ becomes one
129         BIn += 2;
130       } else if (BIn < EndBuffer-2 && isxdigit(BIn[1]) && isxdigit(BIn[2])) {
131         char Tmp = BIn[3]; BIn[3] = 0;      // Terminate string
132         *BOut = (char)strtol(BIn+1, 0, 16); // Convert to number
133         BIn[3] = Tmp;                       // Restore character
134         BIn += 3;                           // Skip over handled chars
135         ++BOut;
136       } else {
137         *BOut++ = *BIn++;
138       }
139     } else {
140       *BOut++ = *BIn++;
141     }
142   }
143   Str.resize(BOut-Buffer);
144 }
145
146 /// isLabelChar - Return true for [-a-zA-Z$._0-9].
147 static bool isLabelChar(char C) {
148   return isalnum(C) || C == '-' || C == '$' || C == '.' || C == '_';
149 }
150
151
152 /// isLabelTail - Return true if this pointer points to a valid end of a label.
153 static const char *isLabelTail(const char *CurPtr) {
154   while (1) {
155     if (CurPtr[0] == ':') return CurPtr+1;
156     if (!isLabelChar(CurPtr[0])) return 0;
157     ++CurPtr;
158   }
159 }
160
161
162
163 //===----------------------------------------------------------------------===//
164 // Lexer definition.
165 //===----------------------------------------------------------------------===//
166
167 LLLexer::LLLexer(MemoryBuffer *StartBuf, ParseError &Err)
168   : CurBuf(StartBuf), ErrorInfo(Err), APFloatVal(0.0) {
169   CurPtr = CurBuf->getBufferStart();
170 }
171
172 std::string LLLexer::getFilename() const {
173   return CurBuf->getBufferIdentifier();
174 }
175
176 int LLLexer::getNextChar() {
177   char CurChar = *CurPtr++;
178   switch (CurChar) {
179   default: return (unsigned char)CurChar;
180   case 0:
181     // A nul character in the stream is either the end of the current buffer or
182     // a random nul in the file.  Disambiguate that here.
183     if (CurPtr-1 != CurBuf->getBufferEnd())
184       return 0;  // Just whitespace.
185
186     // Otherwise, return end of file.
187     --CurPtr;  // Another call to lex will return EOF again.
188     return EOF;
189   }
190 }
191
192
193 lltok::Kind LLLexer::LexToken() {
194   TokStart = CurPtr;
195
196   int CurChar = getNextChar();
197   switch (CurChar) {
198   default:
199     // Handle letters: [a-zA-Z_]
200     if (isalpha(CurChar) || CurChar == '_')
201       return LexIdentifier();
202
203     return lltok::Error;
204   case EOF: return lltok::Eof;
205   case 0:
206   case ' ':
207   case '\t':
208   case '\n':
209   case '\r':
210     // Ignore whitespace.
211     return LexToken();
212   case '+': return LexPositive();
213   case '@': return LexAt();
214   case '%': return LexPercent();
215   case '"': return LexQuote();
216   case '.':
217     if (const char *Ptr = isLabelTail(CurPtr)) {
218       CurPtr = Ptr;
219       StrVal.assign(TokStart, CurPtr-1);
220       return lltok::LabelStr;
221     }
222     if (CurPtr[0] == '.' && CurPtr[1] == '.') {
223       CurPtr += 2;
224       return lltok::dotdotdot;
225     }
226     return lltok::Error;
227   case '$':
228     if (const char *Ptr = isLabelTail(CurPtr)) {
229       CurPtr = Ptr;
230       StrVal.assign(TokStart, CurPtr-1);
231       return lltok::LabelStr;
232     }
233     return lltok::Error;
234   case ';':
235     SkipLineComment();
236     return LexToken();
237   case '0': case '1': case '2': case '3': case '4':
238   case '5': case '6': case '7': case '8': case '9':
239   case '-':
240     return LexDigitOrNegative();
241   case '=': return lltok::equal;
242   case '[': return lltok::lsquare;
243   case ']': return lltok::rsquare;
244   case '{': return lltok::lbrace;
245   case '}': return lltok::rbrace;
246   case '<': return lltok::less;
247   case '>': return lltok::greater;
248   case '(': return lltok::lparen;
249   case ')': return lltok::rparen;
250   case ',': return lltok::comma;
251   case '*': return lltok::star;
252   case '\\': return lltok::backslash;
253   }
254 }
255
256 void LLLexer::SkipLineComment() {
257   while (1) {
258     if (CurPtr[0] == '\n' || CurPtr[0] == '\r' || getNextChar() == EOF)
259       return;
260   }
261 }
262
263 /// LexAt - Lex all tokens that start with an @ character:
264 ///   GlobalVar   @\"[^\"]*\"
265 ///   GlobalVar   @[-a-zA-Z$._][-a-zA-Z$._0-9]*
266 ///   GlobalVarID @[0-9]+
267 lltok::Kind LLLexer::LexAt() {
268   // Handle AtStringConstant: @\"[^\"]*\"
269   if (CurPtr[0] == '"') {
270     ++CurPtr;
271
272     while (1) {
273       int CurChar = getNextChar();
274
275       if (CurChar == EOF) {
276         Error("end of file in global variable name");
277         return lltok::Error;
278       }
279       if (CurChar == '"') {
280         StrVal.assign(TokStart+2, CurPtr-1);
281         UnEscapeLexed(StrVal);
282         return lltok::GlobalVar;
283       }
284     }
285   }
286
287   // Handle GlobalVarName: @[-a-zA-Z$._][-a-zA-Z$._0-9]*
288   if (isalpha(CurPtr[0]) || CurPtr[0] == '-' || CurPtr[0] == '$' ||
289       CurPtr[0] == '.' || CurPtr[0] == '_') {
290     ++CurPtr;
291     while (isalnum(CurPtr[0]) || CurPtr[0] == '-' || CurPtr[0] == '$' ||
292            CurPtr[0] == '.' || CurPtr[0] == '_')
293       ++CurPtr;
294
295     StrVal.assign(TokStart+1, CurPtr);   // Skip @
296     return lltok::GlobalVar;
297   }
298
299   // Handle GlobalVarID: @[0-9]+
300   if (isdigit(CurPtr[0])) {
301     for (++CurPtr; isdigit(CurPtr[0]); ++CurPtr)
302       /*empty*/;
303
304     uint64_t Val = atoull(TokStart+1, CurPtr);
305     if ((unsigned)Val != Val)
306       Error("invalid value number (too large)!");
307     UIntVal = unsigned(Val);
308     return lltok::GlobalID;
309   }
310
311   return lltok::Error;
312 }
313
314
315 /// LexPercent - Lex all tokens that start with a % character:
316 ///   LocalVar   ::= %\"[^\"]*\"
317 ///   LocalVar   ::= %[-a-zA-Z$._][-a-zA-Z$._0-9]*
318 ///   LocalVarID ::= %[0-9]+
319 lltok::Kind LLLexer::LexPercent() {
320   // Handle LocalVarName: %\"[^\"]*\"
321   if (CurPtr[0] == '"') {
322     ++CurPtr;
323
324     while (1) {
325       int CurChar = getNextChar();
326
327       if (CurChar == EOF) {
328         Error("end of file in string constant");
329         return lltok::Error;
330       }
331       if (CurChar == '"') {
332         StrVal.assign(TokStart+2, CurPtr-1);
333         UnEscapeLexed(StrVal);
334         return lltok::LocalVar;
335       }
336     }
337   }
338
339   // Handle LocalVarName: %[-a-zA-Z$._][-a-zA-Z$._0-9]*
340   if (isalpha(CurPtr[0]) || CurPtr[0] == '-' || CurPtr[0] == '$' ||
341       CurPtr[0] == '.' || CurPtr[0] == '_') {
342     ++CurPtr;
343     while (isalnum(CurPtr[0]) || CurPtr[0] == '-' || CurPtr[0] == '$' ||
344            CurPtr[0] == '.' || CurPtr[0] == '_')
345       ++CurPtr;
346
347     StrVal.assign(TokStart+1, CurPtr);   // Skip %
348     return lltok::LocalVar;
349   }
350
351   // Handle LocalVarID: %[0-9]+
352   if (isdigit(CurPtr[0])) {
353     for (++CurPtr; isdigit(CurPtr[0]); ++CurPtr)
354       /*empty*/;
355
356     uint64_t Val = atoull(TokStart+1, CurPtr);
357     if ((unsigned)Val != Val)
358       Error("invalid value number (too large)!");
359     UIntVal = unsigned(Val);
360     return lltok::LocalVarID;
361   }
362
363   return lltok::Error;
364 }
365
366 /// LexQuote - Lex all tokens that start with a " character:
367 ///   QuoteLabel        "[^"]+":
368 ///   StringConstant    "[^"]*"
369 lltok::Kind LLLexer::LexQuote() {
370   while (1) {
371     int CurChar = getNextChar();
372
373     if (CurChar == EOF) {
374       Error("end of file in quoted string");
375       return lltok::Error;
376     }
377
378     if (CurChar != '"') continue;
379
380     if (CurPtr[0] != ':') {
381       StrVal.assign(TokStart+1, CurPtr-1);
382       UnEscapeLexed(StrVal);
383       return lltok::StringConstant;
384     }
385
386     ++CurPtr;
387     StrVal.assign(TokStart+1, CurPtr-2);
388     UnEscapeLexed(StrVal);
389     return lltok::LabelStr;
390   }
391 }
392
393 static bool JustWhitespaceNewLine(const char *&Ptr) {
394   const char *ThisPtr = Ptr;
395   while (*ThisPtr == ' ' || *ThisPtr == '\t')
396     ++ThisPtr;
397   if (*ThisPtr == '\n' || *ThisPtr == '\r') {
398     Ptr = ThisPtr;
399     return true;
400   }
401   return false;
402 }
403
404
405 /// LexIdentifier: Handle several related productions:
406 ///    Label           [-a-zA-Z$._0-9]+:
407 ///    IntegerType     i[0-9]+
408 ///    Keyword         sdiv, float, ...
409 ///    HexIntConstant  [us]0x[0-9A-Fa-f]+
410 lltok::Kind LLLexer::LexIdentifier() {
411   const char *StartChar = CurPtr;
412   const char *IntEnd = CurPtr[-1] == 'i' ? 0 : StartChar;
413   const char *KeywordEnd = 0;
414
415   for (; isLabelChar(*CurPtr); ++CurPtr) {
416     // If we decide this is an integer, remember the end of the sequence.
417     if (!IntEnd && !isdigit(*CurPtr)) IntEnd = CurPtr;
418     if (!KeywordEnd && !isalnum(*CurPtr) && *CurPtr != '_') KeywordEnd = CurPtr;
419   }
420
421   // If we stopped due to a colon, this really is a label.
422   if (*CurPtr == ':') {
423     StrVal.assign(StartChar-1, CurPtr++);
424     return lltok::LabelStr;
425   }
426
427   // Otherwise, this wasn't a label.  If this was valid as an integer type,
428   // return it.
429   if (IntEnd == 0) IntEnd = CurPtr;
430   if (IntEnd != StartChar) {
431     CurPtr = IntEnd;
432     uint64_t NumBits = atoull(StartChar, CurPtr);
433     if (NumBits < IntegerType::MIN_INT_BITS ||
434         NumBits > IntegerType::MAX_INT_BITS) {
435       Error("bitwidth for integer type out of range!");
436       return lltok::Error;
437     }
438     TyVal = IntegerType::get(NumBits);
439     return lltok::Type;
440   }
441
442   // Otherwise, this was a letter sequence.  See which keyword this is.
443   if (KeywordEnd == 0) KeywordEnd = CurPtr;
444   CurPtr = KeywordEnd;
445   --StartChar;
446   unsigned Len = CurPtr-StartChar;
447 #define KEYWORD(STR) \
448   if (Len == strlen(#STR) && !memcmp(StartChar, #STR, strlen(#STR))) \
449     return lltok::kw_##STR;
450
451   KEYWORD(begin);   KEYWORD(end);
452   KEYWORD(true);    KEYWORD(false);
453   KEYWORD(declare); KEYWORD(define);
454   KEYWORD(global);  KEYWORD(constant);
455
456   KEYWORD(private);
457   KEYWORD(internal);
458   KEYWORD(linkonce);
459   KEYWORD(linkonce_odr);
460   KEYWORD(weak);
461   KEYWORD(weak_odr);
462   KEYWORD(appending);
463   KEYWORD(dllimport);
464   KEYWORD(dllexport);
465   KEYWORD(common);
466   KEYWORD(common_odr);
467   KEYWORD(default);
468   KEYWORD(hidden);
469   KEYWORD(protected);
470   KEYWORD(extern_weak);
471   KEYWORD(external);
472   KEYWORD(thread_local);
473   KEYWORD(zeroinitializer);
474   KEYWORD(undef);
475   KEYWORD(null);
476   KEYWORD(to);
477   KEYWORD(tail);
478   KEYWORD(target);
479   KEYWORD(triple);
480   KEYWORD(deplibs);
481   KEYWORD(datalayout);
482   KEYWORD(volatile);
483   KEYWORD(align);
484   KEYWORD(addrspace);
485   KEYWORD(section);
486   KEYWORD(alias);
487   KEYWORD(module);
488   KEYWORD(asm);
489   KEYWORD(sideeffect);
490   KEYWORD(gc);
491
492   KEYWORD(ccc);
493   KEYWORD(fastcc);
494   KEYWORD(coldcc);
495   KEYWORD(x86_stdcallcc);
496   KEYWORD(x86_fastcallcc);
497   KEYWORD(cc);
498   KEYWORD(c);
499
500   KEYWORD(signext);
501   KEYWORD(zeroext);
502   KEYWORD(inreg);
503   KEYWORD(sret);
504   KEYWORD(nounwind);
505   KEYWORD(noreturn);
506   KEYWORD(noalias);
507   KEYWORD(nocapture);
508   KEYWORD(byval);
509   KEYWORD(nest);
510   KEYWORD(readnone);
511   KEYWORD(readonly);
512
513   KEYWORD(noinline);
514   KEYWORD(alwaysinline);
515   KEYWORD(optsize);
516   KEYWORD(ssp);
517   KEYWORD(sspreq);
518
519   KEYWORD(type);
520   KEYWORD(opaque);
521
522   KEYWORD(eq); KEYWORD(ne); KEYWORD(slt); KEYWORD(sgt); KEYWORD(sle);
523   KEYWORD(sge); KEYWORD(ult); KEYWORD(ugt); KEYWORD(ule); KEYWORD(uge);
524   KEYWORD(oeq); KEYWORD(one); KEYWORD(olt); KEYWORD(ogt); KEYWORD(ole);
525   KEYWORD(oge); KEYWORD(ord); KEYWORD(uno); KEYWORD(ueq); KEYWORD(une);
526
527   KEYWORD(x);
528 #undef KEYWORD
529
530   // Keywords for types.
531 #define TYPEKEYWORD(STR, LLVMTY) \
532   if (Len == strlen(STR) && !memcmp(StartChar, STR, strlen(STR))) { \
533     TyVal = LLVMTY; return lltok::Type; }
534   TYPEKEYWORD("void",      Type::VoidTy);
535   TYPEKEYWORD("float",     Type::FloatTy);
536   TYPEKEYWORD("double",    Type::DoubleTy);
537   TYPEKEYWORD("x86_fp80",  Type::X86_FP80Ty);
538   TYPEKEYWORD("fp128",     Type::FP128Ty);
539   TYPEKEYWORD("ppc_fp128", Type::PPC_FP128Ty);
540   TYPEKEYWORD("label",     Type::LabelTy);
541 #undef TYPEKEYWORD
542
543   // Handle special forms for autoupgrading.  Drop these in LLVM 3.0.  This is
544   // to avoid conflicting with the sext/zext instructions, below.
545   if (Len == 4 && !memcmp(StartChar, "sext", 4)) {
546     // Scan CurPtr ahead, seeing if there is just whitespace before the newline.
547     if (JustWhitespaceNewLine(CurPtr))
548       return lltok::kw_signext;
549   } else if (Len == 4 && !memcmp(StartChar, "zext", 4)) {
550     // Scan CurPtr ahead, seeing if there is just whitespace before the newline.
551     if (JustWhitespaceNewLine(CurPtr))
552       return lltok::kw_zeroext;
553   }
554
555   // Keywords for instructions.
556 #define INSTKEYWORD(STR, Enum) \
557   if (Len == strlen(#STR) && !memcmp(StartChar, #STR, strlen(#STR))) { \
558     UIntVal = Instruction::Enum; return lltok::kw_##STR; }
559
560   INSTKEYWORD(add,   Add);  INSTKEYWORD(sub,   Sub);  INSTKEYWORD(mul,   Mul);
561   INSTKEYWORD(udiv,  UDiv); INSTKEYWORD(sdiv,  SDiv); INSTKEYWORD(fdiv,  FDiv);
562   INSTKEYWORD(urem,  URem); INSTKEYWORD(srem,  SRem); INSTKEYWORD(frem,  FRem);
563   INSTKEYWORD(shl,   Shl);  INSTKEYWORD(lshr,  LShr); INSTKEYWORD(ashr,  AShr);
564   INSTKEYWORD(and,   And);  INSTKEYWORD(or,    Or);   INSTKEYWORD(xor,   Xor);
565   INSTKEYWORD(icmp,  ICmp); INSTKEYWORD(fcmp,  FCmp);
566   INSTKEYWORD(vicmp, VICmp); INSTKEYWORD(vfcmp, VFCmp);
567
568   INSTKEYWORD(phi,         PHI);
569   INSTKEYWORD(call,        Call);
570   INSTKEYWORD(trunc,       Trunc);
571   INSTKEYWORD(zext,        ZExt);
572   INSTKEYWORD(sext,        SExt);
573   INSTKEYWORD(fptrunc,     FPTrunc);
574   INSTKEYWORD(fpext,       FPExt);
575   INSTKEYWORD(uitofp,      UIToFP);
576   INSTKEYWORD(sitofp,      SIToFP);
577   INSTKEYWORD(fptoui,      FPToUI);
578   INSTKEYWORD(fptosi,      FPToSI);
579   INSTKEYWORD(inttoptr,    IntToPtr);
580   INSTKEYWORD(ptrtoint,    PtrToInt);
581   INSTKEYWORD(bitcast,     BitCast);
582   INSTKEYWORD(select,      Select);
583   INSTKEYWORD(va_arg,      VAArg);
584   INSTKEYWORD(ret,         Ret);
585   INSTKEYWORD(br,          Br);
586   INSTKEYWORD(switch,      Switch);
587   INSTKEYWORD(invoke,      Invoke);
588   INSTKEYWORD(unwind,      Unwind);
589   INSTKEYWORD(unreachable, Unreachable);
590
591   INSTKEYWORD(malloc,      Malloc);
592   INSTKEYWORD(alloca,      Alloca);
593   INSTKEYWORD(free,        Free);
594   INSTKEYWORD(load,        Load);
595   INSTKEYWORD(store,       Store);
596   INSTKEYWORD(getelementptr, GetElementPtr);
597
598   INSTKEYWORD(extractelement, ExtractElement);
599   INSTKEYWORD(insertelement,  InsertElement);
600   INSTKEYWORD(shufflevector,  ShuffleVector);
601   INSTKEYWORD(getresult,      ExtractValue);
602   INSTKEYWORD(extractvalue,   ExtractValue);
603   INSTKEYWORD(insertvalue,    InsertValue);
604 #undef INSTKEYWORD
605
606   // Check for [us]0x[0-9A-Fa-f]+ which are Hexadecimal constant generated by
607   // the CFE to avoid forcing it to deal with 64-bit numbers.
608   if ((TokStart[0] == 'u' || TokStart[0] == 's') &&
609       TokStart[1] == '0' && TokStart[2] == 'x' && isxdigit(TokStart[3])) {
610     int len = CurPtr-TokStart-3;
611     uint32_t bits = len * 4;
612     APInt Tmp(bits, TokStart+3, len, 16);
613     uint32_t activeBits = Tmp.getActiveBits();
614     if (activeBits > 0 && activeBits < bits)
615       Tmp.trunc(activeBits);
616     APSIntVal = APSInt(Tmp, TokStart[0] == 'u');
617     return lltok::APSInt;
618   }
619
620   // If this is "cc1234", return this as just "cc".
621   if (TokStart[0] == 'c' && TokStart[1] == 'c') {
622     CurPtr = TokStart+2;
623     return lltok::kw_cc;
624   }
625
626   // If this starts with "call", return it as CALL.  This is to support old
627   // broken .ll files.  FIXME: remove this with LLVM 3.0.
628   if (CurPtr-TokStart > 4 && !memcmp(TokStart, "call", 4)) {
629     CurPtr = TokStart+4;
630     UIntVal = Instruction::Call;
631     return lltok::kw_call;
632   }
633
634   // Finally, if this isn't known, return an error.
635   CurPtr = TokStart+1;
636   return lltok::Error;
637 }
638
639
640 /// Lex0x: Handle productions that start with 0x, knowing that it matches and
641 /// that this is not a label:
642 ///    HexFPConstant     0x[0-9A-Fa-f]+
643 ///    HexFP80Constant   0xK[0-9A-Fa-f]+
644 ///    HexFP128Constant  0xL[0-9A-Fa-f]+
645 ///    HexPPC128Constant 0xM[0-9A-Fa-f]+
646 lltok::Kind LLLexer::Lex0x() {
647   CurPtr = TokStart + 2;
648
649   char Kind;
650   if (CurPtr[0] >= 'K' && CurPtr[0] <= 'M') {
651     Kind = *CurPtr++;
652   } else {
653     Kind = 'J';
654   }
655
656   if (!isxdigit(CurPtr[0])) {
657     // Bad token, return it as an error.
658     CurPtr = TokStart+1;
659     return lltok::Error;
660   }
661
662   while (isxdigit(CurPtr[0]))
663     ++CurPtr;
664
665   if (Kind == 'J') {
666     // HexFPConstant - Floating point constant represented in IEEE format as a
667     // hexadecimal number for when exponential notation is not precise enough.
668     // Float and double only.
669     APFloatVal = APFloat(BitsToDouble(HexIntToVal(TokStart+2, CurPtr)));
670     return lltok::APFloat;
671   }
672
673   uint64_t Pair[2];
674   HexToIntPair(TokStart+3, CurPtr, Pair);
675   switch (Kind) {
676   default: assert(0 && "Unknown kind!");
677   case 'K':
678     // F80HexFPConstant - x87 long double in hexadecimal format (10 bytes)
679     APFloatVal = APFloat(APInt(80, 2, Pair));
680     return lltok::APFloat;
681   case 'L':
682     // F128HexFPConstant - IEEE 128-bit in hexadecimal format (16 bytes)
683     APFloatVal = APFloat(APInt(128, 2, Pair), true);
684     return lltok::APFloat;
685   case 'M':
686     // PPC128HexFPConstant - PowerPC 128-bit in hexadecimal format (16 bytes)
687     APFloatVal = APFloat(APInt(128, 2, Pair));
688     return lltok::APFloat;
689   }
690 }
691
692 /// LexIdentifier: Handle several related productions:
693 ///    Label             [-a-zA-Z$._0-9]+:
694 ///    NInteger          -[0-9]+
695 ///    FPConstant        [-+]?[0-9]+[.][0-9]*([eE][-+]?[0-9]+)?
696 ///    PInteger          [0-9]+
697 ///    HexFPConstant     0x[0-9A-Fa-f]+
698 ///    HexFP80Constant   0xK[0-9A-Fa-f]+
699 ///    HexFP128Constant  0xL[0-9A-Fa-f]+
700 ///    HexPPC128Constant 0xM[0-9A-Fa-f]+
701 lltok::Kind LLLexer::LexDigitOrNegative() {
702   // If the letter after the negative is a number, this is probably a label.
703   if (!isdigit(TokStart[0]) && !isdigit(CurPtr[0])) {
704     // Okay, this is not a number after the -, it's probably a label.
705     if (const char *End = isLabelTail(CurPtr)) {
706       StrVal.assign(TokStart, End-1);
707       CurPtr = End;
708       return lltok::LabelStr;
709     }
710
711     return lltok::Error;
712   }
713
714   // At this point, it is either a label, int or fp constant.
715
716   // Skip digits, we have at least one.
717   for (; isdigit(CurPtr[0]); ++CurPtr)
718     /*empty*/;
719
720   // Check to see if this really is a label afterall, e.g. "-1:".
721   if (isLabelChar(CurPtr[0]) || CurPtr[0] == ':') {
722     if (const char *End = isLabelTail(CurPtr)) {
723       StrVal.assign(TokStart, End-1);
724       CurPtr = End;
725       return lltok::LabelStr;
726     }
727   }
728
729   // If the next character is a '.', then it is a fp value, otherwise its
730   // integer.
731   if (CurPtr[0] != '.') {
732     if (TokStart[0] == '0' && TokStart[1] == 'x')
733       return Lex0x();
734     unsigned Len = CurPtr-TokStart;
735     uint32_t numBits = ((Len * 64) / 19) + 2;
736     APInt Tmp(numBits, TokStart, Len, 10);
737     if (TokStart[0] == '-') {
738       uint32_t minBits = Tmp.getMinSignedBits();
739       if (minBits > 0 && minBits < numBits)
740         Tmp.trunc(minBits);
741       APSIntVal = APSInt(Tmp, false);
742     } else {
743       uint32_t activeBits = Tmp.getActiveBits();
744       if (activeBits > 0 && activeBits < numBits)
745         Tmp.trunc(activeBits);
746       APSIntVal = APSInt(Tmp, true);
747     }
748     return lltok::APSInt;
749   }
750
751   ++CurPtr;
752
753   // Skip over [0-9]*([eE][-+]?[0-9]+)?
754   while (isdigit(CurPtr[0])) ++CurPtr;
755
756   if (CurPtr[0] == 'e' || CurPtr[0] == 'E') {
757     if (isdigit(CurPtr[1]) ||
758         ((CurPtr[1] == '-' || CurPtr[1] == '+') && isdigit(CurPtr[2]))) {
759       CurPtr += 2;
760       while (isdigit(CurPtr[0])) ++CurPtr;
761     }
762   }
763
764   APFloatVal = APFloat(atof(TokStart));
765   return lltok::APFloat;
766 }
767
768 ///    FPConstant  [-+]?[0-9]+[.][0-9]*([eE][-+]?[0-9]+)?
769 lltok::Kind LLLexer::LexPositive() {
770   // If the letter after the negative is a number, this is probably not a
771   // label.
772   if (!isdigit(CurPtr[0]))
773     return lltok::Error;
774
775   // Skip digits.
776   for (++CurPtr; isdigit(CurPtr[0]); ++CurPtr)
777     /*empty*/;
778
779   // At this point, we need a '.'.
780   if (CurPtr[0] != '.') {
781     CurPtr = TokStart+1;
782     return lltok::Error;
783   }
784
785   ++CurPtr;
786
787   // Skip over [0-9]*([eE][-+]?[0-9]+)?
788   while (isdigit(CurPtr[0])) ++CurPtr;
789
790   if (CurPtr[0] == 'e' || CurPtr[0] == 'E') {
791     if (isdigit(CurPtr[1]) ||
792         ((CurPtr[1] == '-' || CurPtr[1] == '+') && isdigit(CurPtr[2]))) {
793       CurPtr += 2;
794       while (isdigit(CurPtr[0])) ++CurPtr;
795     }
796   }
797
798   APFloatVal = APFloat(atof(TokStart));
799   return lltok::APFloat;
800 }