MC/AsmParser: Fix a bug in macro argument parsing, which was dropping
[oota-llvm.git] / lib / MC / MCParser / AsmParser.cpp
1 //===- AsmParser.cpp - Parser for Assembly 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 // This class implements the parser for assembly files.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #include "llvm/ADT/SmallString.h"
15 #include "llvm/ADT/StringMap.h"
16 #include "llvm/ADT/StringSwitch.h"
17 #include "llvm/ADT/Twine.h"
18 #include "llvm/MC/MCAsmInfo.h"
19 #include "llvm/MC/MCContext.h"
20 #include "llvm/MC/MCExpr.h"
21 #include "llvm/MC/MCInst.h"
22 #include "llvm/MC/MCParser/AsmCond.h"
23 #include "llvm/MC/MCParser/AsmLexer.h"
24 #include "llvm/MC/MCParser/MCAsmParser.h"
25 #include "llvm/MC/MCParser/MCParsedAsmOperand.h"
26 #include "llvm/MC/MCSectionMachO.h"
27 #include "llvm/MC/MCStreamer.h"
28 #include "llvm/MC/MCSymbol.h"
29 #include "llvm/MC/MCDwarf.h"
30 #include "llvm/Support/Compiler.h"
31 #include "llvm/Support/MemoryBuffer.h"
32 #include "llvm/Support/SourceMgr.h"
33 #include "llvm/Support/raw_ostream.h"
34 #include "llvm/Target/TargetAsmParser.h"
35 #include <vector>
36 using namespace llvm;
37
38 namespace {
39
40 /// \brief Helper class for tracking macro definitions.
41 struct Macro {
42   StringRef Name;
43   StringRef Body;
44
45 public:
46   Macro(StringRef N, StringRef B) : Name(N), Body(B) {}
47 };
48
49 /// \brief Helper class for storing information about an active macro
50 /// instantiation.
51 struct MacroInstantiation {
52   /// The macro being instantiated.
53   const Macro *TheMacro;
54
55   /// The macro instantiation with substitutions.
56   MemoryBuffer *Instantiation;
57
58   /// The location of the instantiation.
59   SMLoc InstantiationLoc;
60
61   /// The location where parsing should resume upon instantiation completion.
62   SMLoc ExitLoc;
63
64 public:
65   MacroInstantiation(const Macro *M, SMLoc IL, SMLoc EL,
66                      const std::vector<std::vector<AsmToken> > &A);
67 };
68
69 /// \brief The concrete assembly parser instance.
70 class AsmParser : public MCAsmParser {
71   friend class GenericAsmParser;
72
73   AsmParser(const AsmParser &);   // DO NOT IMPLEMENT
74   void operator=(const AsmParser &);  // DO NOT IMPLEMENT
75 private:
76   AsmLexer Lexer;
77   MCContext &Ctx;
78   MCStreamer &Out;
79   SourceMgr &SrcMgr;
80   MCAsmParserExtension *GenericParser;
81   MCAsmParserExtension *PlatformParser;
82
83   /// This is the current buffer index we're lexing from as managed by the
84   /// SourceMgr object.
85   int CurBuffer;
86
87   AsmCond TheCondState;
88   std::vector<AsmCond> TheCondStack;
89
90   /// DirectiveMap - This is a table handlers for directives.  Each handler is
91   /// invoked after the directive identifier is read and is responsible for
92   /// parsing and validating the rest of the directive.  The handler is passed
93   /// in the directive name and the location of the directive keyword.
94   StringMap<std::pair<MCAsmParserExtension*, DirectiveHandler> > DirectiveMap;
95
96   /// MacroMap - Map of currently defined macros.
97   StringMap<Macro*> MacroMap;
98
99   /// ActiveMacros - Stack of active macro instantiations.
100   std::vector<MacroInstantiation*> ActiveMacros;
101
102   /// Boolean tracking whether macro substitution is enabled.
103   unsigned MacrosEnabled : 1;
104
105 public:
106   AsmParser(const Target &T, SourceMgr &SM, MCContext &Ctx, MCStreamer &Out,
107             const MCAsmInfo &MAI);
108   ~AsmParser();
109
110   virtual bool Run(bool NoInitialTextSection, bool NoFinalize = false);
111
112   void AddDirectiveHandler(MCAsmParserExtension *Object,
113                            StringRef Directive,
114                            DirectiveHandler Handler) {
115     DirectiveMap[Directive] = std::make_pair(Object, Handler);
116   }
117
118 public:
119   /// @name MCAsmParser Interface
120   /// {
121
122   virtual SourceMgr &getSourceManager() { return SrcMgr; }
123   virtual MCAsmLexer &getLexer() { return Lexer; }
124   virtual MCContext &getContext() { return Ctx; }
125   virtual MCStreamer &getStreamer() { return Out; }
126
127   virtual void Warning(SMLoc L, const Twine &Meg);
128   virtual bool Error(SMLoc L, const Twine &Msg);
129
130   const AsmToken &Lex();
131
132   bool ParseExpression(const MCExpr *&Res);
133   virtual bool ParseExpression(const MCExpr *&Res, SMLoc &EndLoc);
134   virtual bool ParseParenExpression(const MCExpr *&Res, SMLoc &EndLoc);
135   virtual bool ParseAbsoluteExpression(int64_t &Res);
136
137   /// }
138
139 private:
140   bool ParseStatement();
141
142   bool HandleMacroEntry(StringRef Name, SMLoc NameLoc, const Macro *M);
143   void HandleMacroExit();
144
145   void PrintMacroInstantiations();
146   void PrintMessage(SMLoc Loc, const std::string &Msg, const char *Type) const;
147     
148   /// EnterIncludeFile - Enter the specified file. This returns true on failure.
149   bool EnterIncludeFile(const std::string &Filename);
150
151   /// \brief Reset the current lexer position to that given by \arg Loc. The
152   /// current token is not set; clients should ensure Lex() is called
153   /// subsequently.
154   void JumpToLoc(SMLoc Loc);
155
156   void EatToEndOfStatement();
157
158   /// \brief Parse up to the end of statement and a return the contents from the
159   /// current token until the end of the statement; the current token on exit
160   /// will be either the EndOfStatement or EOF.
161   StringRef ParseStringToEndOfStatement();
162
163   bool ParseAssignment(StringRef Name);
164
165   bool ParsePrimaryExpr(const MCExpr *&Res, SMLoc &EndLoc);
166   bool ParseBinOpRHS(unsigned Precedence, const MCExpr *&Res, SMLoc &EndLoc);
167   bool ParseParenExpr(const MCExpr *&Res, SMLoc &EndLoc);
168
169   /// ParseIdentifier - Parse an identifier or string (as a quoted identifier)
170   /// and set \arg Res to the identifier contents.
171   bool ParseIdentifier(StringRef &Res);
172   
173   // Directive Parsing.
174   bool ParseDirectiveAscii(bool ZeroTerminated); // ".ascii", ".asciiz"
175   bool ParseDirectiveValue(unsigned Size); // ".byte", ".long", ...
176   bool ParseDirectiveFill(); // ".fill"
177   bool ParseDirectiveSpace(); // ".space"
178   bool ParseDirectiveSet(); // ".set"
179   bool ParseDirectiveOrg(); // ".org"
180   // ".align{,32}", ".p2align{,w,l}"
181   bool ParseDirectiveAlign(bool IsPow2, unsigned ValueSize);
182
183   /// ParseDirectiveSymbolAttribute - Parse a directive like ".globl" which
184   /// accepts a single symbol (which should be a label or an external).
185   bool ParseDirectiveSymbolAttribute(MCSymbolAttr Attr);
186   bool ParseDirectiveELFType(); // ELF specific ".type"
187
188   bool ParseDirectiveComm(bool IsLocal); // ".comm" and ".lcomm"
189
190   bool ParseDirectiveAbort(); // ".abort"
191   bool ParseDirectiveInclude(); // ".include"
192
193   bool ParseDirectiveIf(SMLoc DirectiveLoc); // ".if"
194   bool ParseDirectiveElseIf(SMLoc DirectiveLoc); // ".elseif"
195   bool ParseDirectiveElse(SMLoc DirectiveLoc); // ".else"
196   bool ParseDirectiveEndIf(SMLoc DirectiveLoc); // .endif
197
198   /// ParseEscapedString - Parse the current token as a string which may include
199   /// escaped characters and return the string contents.
200   bool ParseEscapedString(std::string &Data);
201 };
202
203 /// \brief Generic implementations of directive handling, etc. which is shared
204 /// (or the default, at least) for all assembler parser.
205 class GenericAsmParser : public MCAsmParserExtension {
206   template<bool (GenericAsmParser::*Handler)(StringRef, SMLoc)>
207   void AddDirectiveHandler(StringRef Directive) {
208     getParser().AddDirectiveHandler(this, Directive,
209                                     HandleDirective<GenericAsmParser, Handler>);
210   }
211
212 public:
213   GenericAsmParser() {}
214
215   AsmParser &getParser() {
216     return (AsmParser&) this->MCAsmParserExtension::getParser();
217   }
218
219   virtual void Initialize(MCAsmParser &Parser) {
220     // Call the base implementation.
221     this->MCAsmParserExtension::Initialize(Parser);
222
223     // Debugging directives.
224     AddDirectiveHandler<&GenericAsmParser::ParseDirectiveFile>(".file");
225     AddDirectiveHandler<&GenericAsmParser::ParseDirectiveLine>(".line");
226     AddDirectiveHandler<&GenericAsmParser::ParseDirectiveLoc>(".loc");
227
228     // Macro directives.
229     AddDirectiveHandler<&GenericAsmParser::ParseDirectiveMacrosOnOff>(
230       ".macros_on");
231     AddDirectiveHandler<&GenericAsmParser::ParseDirectiveMacrosOnOff>(
232       ".macros_off");
233     AddDirectiveHandler<&GenericAsmParser::ParseDirectiveMacro>(".macro");
234     AddDirectiveHandler<&GenericAsmParser::ParseDirectiveEndMacro>(".endm");
235     AddDirectiveHandler<&GenericAsmParser::ParseDirectiveEndMacro>(".endmacro");
236   }
237
238   bool ParseDirectiveFile(StringRef, SMLoc DirectiveLoc);
239   bool ParseDirectiveLine(StringRef, SMLoc DirectiveLoc);
240   bool ParseDirectiveLoc(StringRef, SMLoc DirectiveLoc);
241
242   bool ParseDirectiveMacrosOnOff(StringRef, SMLoc DirectiveLoc);
243   bool ParseDirectiveMacro(StringRef, SMLoc DirectiveLoc);
244   bool ParseDirectiveEndMacro(StringRef, SMLoc DirectiveLoc);
245 };
246
247 }
248
249 namespace llvm {
250
251 extern MCAsmParserExtension *createDarwinAsmParser();
252 extern MCAsmParserExtension *createELFAsmParser();
253
254 }
255
256 enum { DEFAULT_ADDRSPACE = 0 };
257
258 AsmParser::AsmParser(const Target &T, SourceMgr &_SM, MCContext &_Ctx,
259                      MCStreamer &_Out, const MCAsmInfo &_MAI)
260   : Lexer(_MAI), Ctx(_Ctx), Out(_Out), SrcMgr(_SM),
261     GenericParser(new GenericAsmParser), PlatformParser(0),
262     CurBuffer(0), MacrosEnabled(true) {
263   Lexer.setBuffer(SrcMgr.getMemoryBuffer(CurBuffer));
264
265   // Initialize the generic parser.
266   GenericParser->Initialize(*this);
267
268   // Initialize the platform / file format parser.
269   //
270   // FIXME: This is a hack, we need to (majorly) cleanup how these objects are
271   // created.
272   if (_MAI.hasSubsectionsViaSymbols()) {
273     PlatformParser = createDarwinAsmParser();
274     PlatformParser->Initialize(*this);
275   } else {
276     PlatformParser = createELFAsmParser();
277     PlatformParser->Initialize(*this);
278   }
279 }
280
281 AsmParser::~AsmParser() {
282   assert(ActiveMacros.empty() && "Unexpected active macro instantiation!");
283
284   // Destroy any macros.
285   for (StringMap<Macro*>::iterator it = MacroMap.begin(),
286          ie = MacroMap.end(); it != ie; ++it)
287     delete it->getValue();
288
289   delete PlatformParser;
290   delete GenericParser;
291 }
292
293 void AsmParser::PrintMacroInstantiations() {
294   // Print the active macro instantiation stack.
295   for (std::vector<MacroInstantiation*>::const_reverse_iterator
296          it = ActiveMacros.rbegin(), ie = ActiveMacros.rend(); it != ie; ++it)
297     PrintMessage((*it)->InstantiationLoc, "while in macro instantiation",
298                  "note");
299 }
300
301 void AsmParser::Warning(SMLoc L, const Twine &Msg) {
302   PrintMessage(L, Msg.str(), "warning");
303   PrintMacroInstantiations();
304 }
305
306 bool AsmParser::Error(SMLoc L, const Twine &Msg) {
307   PrintMessage(L, Msg.str(), "error");
308   PrintMacroInstantiations();
309   return true;
310 }
311
312 void AsmParser::PrintMessage(SMLoc Loc, const std::string &Msg, 
313                              const char *Type) const {
314   SrcMgr.PrintMessage(Loc, Msg, Type);
315 }
316                   
317 bool AsmParser::EnterIncludeFile(const std::string &Filename) {
318   int NewBuf = SrcMgr.AddIncludeFile(Filename, Lexer.getLoc());
319   if (NewBuf == -1)
320     return true;
321   
322   CurBuffer = NewBuf;
323   
324   Lexer.setBuffer(SrcMgr.getMemoryBuffer(CurBuffer));
325   
326   return false;
327 }
328
329 void AsmParser::JumpToLoc(SMLoc Loc) {
330   CurBuffer = SrcMgr.FindBufferContainingLoc(Loc);
331   Lexer.setBuffer(SrcMgr.getMemoryBuffer(CurBuffer), Loc.getPointer());
332 }
333
334 const AsmToken &AsmParser::Lex() {
335   const AsmToken *tok = &Lexer.Lex();
336   
337   if (tok->is(AsmToken::Eof)) {
338     // If this is the end of an included file, pop the parent file off the
339     // include stack.
340     SMLoc ParentIncludeLoc = SrcMgr.getParentIncludeLoc(CurBuffer);
341     if (ParentIncludeLoc != SMLoc()) {
342       JumpToLoc(ParentIncludeLoc);
343       tok = &Lexer.Lex();
344     }
345   }
346     
347   if (tok->is(AsmToken::Error))
348     Error(Lexer.getErrLoc(), Lexer.getErr());
349   
350   return *tok;
351 }
352
353 bool AsmParser::Run(bool NoInitialTextSection, bool NoFinalize) {
354   // Create the initial section, if requested.
355   //
356   // FIXME: Target hook & command line option for initial section.
357   if (!NoInitialTextSection)
358     Out.SwitchSection(Ctx.getMachOSection("__TEXT", "__text",
359                                       MCSectionMachO::S_ATTR_PURE_INSTRUCTIONS,
360                                       0, SectionKind::getText()));
361
362   // Prime the lexer.
363   Lex();
364   
365   bool HadError = false;
366   
367   AsmCond StartingCondState = TheCondState;
368
369   // While we have input, parse each statement.
370   while (Lexer.isNot(AsmToken::Eof)) {
371     if (!ParseStatement()) continue;
372   
373     // We had an error, remember it and recover by skipping to the next line.
374     HadError = true;
375     EatToEndOfStatement();
376   }
377
378   if (TheCondState.TheCond != StartingCondState.TheCond ||
379       TheCondState.Ignore != StartingCondState.Ignore)
380     return TokError("unmatched .ifs or .elses");
381
382   // Check to see there are no empty DwarfFile slots.
383   const std::vector<MCDwarfFile *> &MCDwarfFiles =
384     getContext().getMCDwarfFiles();
385   for (unsigned i = 1; i < MCDwarfFiles.size(); i++) {
386     if (!MCDwarfFiles[i]){
387       TokError("unassigned file number: " + Twine(i) + " for .file directives");
388       HadError = true;
389     }
390   }
391   
392   // Finalize the output stream if there are no errors and if the client wants
393   // us to.
394   if (!HadError && !NoFinalize)  
395     Out.Finish();
396
397   return HadError;
398 }
399
400 /// EatToEndOfStatement - Throw away the rest of the line for testing purposes.
401 void AsmParser::EatToEndOfStatement() {
402   while (Lexer.isNot(AsmToken::EndOfStatement) &&
403          Lexer.isNot(AsmToken::Eof))
404     Lex();
405   
406   // Eat EOL.
407   if (Lexer.is(AsmToken::EndOfStatement))
408     Lex();
409 }
410
411 StringRef AsmParser::ParseStringToEndOfStatement() {
412   const char *Start = getTok().getLoc().getPointer();
413
414   while (Lexer.isNot(AsmToken::EndOfStatement) &&
415          Lexer.isNot(AsmToken::Eof))
416     Lex();
417
418   const char *End = getTok().getLoc().getPointer();
419   return StringRef(Start, End - Start);
420 }
421
422 /// ParseParenExpr - Parse a paren expression and return it.
423 /// NOTE: This assumes the leading '(' has already been consumed.
424 ///
425 /// parenexpr ::= expr)
426 ///
427 bool AsmParser::ParseParenExpr(const MCExpr *&Res, SMLoc &EndLoc) {
428   if (ParseExpression(Res)) return true;
429   if (Lexer.isNot(AsmToken::RParen))
430     return TokError("expected ')' in parentheses expression");
431   EndLoc = Lexer.getLoc();
432   Lex();
433   return false;
434 }
435
436 /// ParsePrimaryExpr - Parse a primary expression and return it.
437 ///  primaryexpr ::= (parenexpr
438 ///  primaryexpr ::= symbol
439 ///  primaryexpr ::= number
440 ///  primaryexpr ::= '.'
441 ///  primaryexpr ::= ~,+,- primaryexpr
442 bool AsmParser::ParsePrimaryExpr(const MCExpr *&Res, SMLoc &EndLoc) {
443   switch (Lexer.getKind()) {
444   default:
445     return TokError("unknown token in expression");
446   case AsmToken::Exclaim:
447     Lex(); // Eat the operator.
448     if (ParsePrimaryExpr(Res, EndLoc))
449       return true;
450     Res = MCUnaryExpr::CreateLNot(Res, getContext());
451     return false;
452   case AsmToken::String:
453   case AsmToken::Identifier: {
454     // This is a symbol reference.
455     std::pair<StringRef, StringRef> Split = getTok().getIdentifier().split('@');
456     MCSymbol *Sym = getContext().GetOrCreateSymbol(Split.first);
457
458     // Mark the symbol as used in an expression.
459     Sym->setUsedInExpr(true);
460
461     // Lookup the symbol variant if used.
462     MCSymbolRefExpr::VariantKind Variant = MCSymbolRefExpr::VK_None;
463     if (Split.first.size() != getTok().getIdentifier().size())
464       Variant = MCSymbolRefExpr::getVariantKindForName(Split.second);
465
466     EndLoc = Lexer.getLoc();
467     Lex(); // Eat identifier.
468
469     // If this is an absolute variable reference, substitute it now to preserve
470     // semantics in the face of reassignment.
471     if (Sym->isVariable() && isa<MCConstantExpr>(Sym->getVariableValue())) {
472       if (Variant)
473         return Error(EndLoc, "unexpected modified on variable reference");
474
475       Res = Sym->getVariableValue();
476       return false;
477     }
478
479     // Otherwise create a symbol ref.
480     Res = MCSymbolRefExpr::Create(Sym, Variant, getContext());
481     return false;
482   }
483   case AsmToken::Integer: {
484     SMLoc Loc = getTok().getLoc();
485     int64_t IntVal = getTok().getIntVal();
486     Res = MCConstantExpr::Create(IntVal, getContext());
487     EndLoc = Lexer.getLoc();
488     Lex(); // Eat token.
489     // Look for 'b' or 'f' following an Integer as a directional label
490     if (Lexer.getKind() == AsmToken::Identifier) {
491       StringRef IDVal = getTok().getString();
492       if (IDVal == "f" || IDVal == "b"){
493         MCSymbol *Sym = Ctx.GetDirectionalLocalSymbol(IntVal,
494                                                       IDVal == "f" ? 1 : 0);
495         Res = MCSymbolRefExpr::Create(Sym, MCSymbolRefExpr::VK_None,
496                                       getContext());
497         if(IDVal == "b" && Sym->isUndefined())
498           return Error(Loc, "invalid reference to undefined symbol");
499         EndLoc = Lexer.getLoc();
500         Lex(); // Eat identifier.
501       }
502     }
503     return false;
504   }
505   case AsmToken::Dot: {
506     // This is a '.' reference, which references the current PC.  Emit a
507     // temporary label to the streamer and refer to it.
508     MCSymbol *Sym = Ctx.CreateTempSymbol();
509     Out.EmitLabel(Sym);
510     Res = MCSymbolRefExpr::Create(Sym, MCSymbolRefExpr::VK_None, getContext());
511     EndLoc = Lexer.getLoc();
512     Lex(); // Eat identifier.
513     return false;
514   }
515       
516   case AsmToken::LParen:
517     Lex(); // Eat the '('.
518     return ParseParenExpr(Res, EndLoc);
519   case AsmToken::Minus:
520     Lex(); // Eat the operator.
521     if (ParsePrimaryExpr(Res, EndLoc))
522       return true;
523     Res = MCUnaryExpr::CreateMinus(Res, getContext());
524     return false;
525   case AsmToken::Plus:
526     Lex(); // Eat the operator.
527     if (ParsePrimaryExpr(Res, EndLoc))
528       return true;
529     Res = MCUnaryExpr::CreatePlus(Res, getContext());
530     return false;
531   case AsmToken::Tilde:
532     Lex(); // Eat the operator.
533     if (ParsePrimaryExpr(Res, EndLoc))
534       return true;
535     Res = MCUnaryExpr::CreateNot(Res, getContext());
536     return false;
537   }
538 }
539
540 bool AsmParser::ParseExpression(const MCExpr *&Res) {
541   SMLoc EndLoc;
542   return ParseExpression(Res, EndLoc);
543 }
544
545 /// ParseExpression - Parse an expression and return it.
546 /// 
547 ///  expr ::= expr +,- expr          -> lowest.
548 ///  expr ::= expr |,^,&,! expr      -> middle.
549 ///  expr ::= expr *,/,%,<<,>> expr  -> highest.
550 ///  expr ::= primaryexpr
551 ///
552 bool AsmParser::ParseExpression(const MCExpr *&Res, SMLoc &EndLoc) {
553   // Parse the expression.
554   Res = 0;
555   if (ParsePrimaryExpr(Res, EndLoc) || ParseBinOpRHS(1, Res, EndLoc))
556     return true;
557
558   // Try to constant fold it up front, if possible.
559   int64_t Value;
560   if (Res->EvaluateAsAbsolute(Value))
561     Res = MCConstantExpr::Create(Value, getContext());
562
563   return false;
564 }
565
566 bool AsmParser::ParseParenExpression(const MCExpr *&Res, SMLoc &EndLoc) {
567   Res = 0;
568   return ParseParenExpr(Res, EndLoc) ||
569          ParseBinOpRHS(1, Res, EndLoc);
570 }
571
572 bool AsmParser::ParseAbsoluteExpression(int64_t &Res) {
573   const MCExpr *Expr;
574   
575   SMLoc StartLoc = Lexer.getLoc();
576   if (ParseExpression(Expr))
577     return true;
578
579   if (!Expr->EvaluateAsAbsolute(Res))
580     return Error(StartLoc, "expected absolute expression");
581
582   return false;
583 }
584
585 static unsigned getBinOpPrecedence(AsmToken::TokenKind K, 
586                                    MCBinaryExpr::Opcode &Kind) {
587   switch (K) {
588   default:
589     return 0;    // not a binop.
590
591     // Lowest Precedence: &&, ||
592   case AsmToken::AmpAmp:
593     Kind = MCBinaryExpr::LAnd;
594     return 1;
595   case AsmToken::PipePipe:
596     Kind = MCBinaryExpr::LOr;
597     return 1;
598
599     // Low Precedence: +, -, ==, !=, <>, <, <=, >, >=
600   case AsmToken::Plus:
601     Kind = MCBinaryExpr::Add;
602     return 2;
603   case AsmToken::Minus:
604     Kind = MCBinaryExpr::Sub;
605     return 2;
606   case AsmToken::EqualEqual:
607     Kind = MCBinaryExpr::EQ;
608     return 2;
609   case AsmToken::ExclaimEqual:
610   case AsmToken::LessGreater:
611     Kind = MCBinaryExpr::NE;
612     return 2;
613   case AsmToken::Less:
614     Kind = MCBinaryExpr::LT;
615     return 2;
616   case AsmToken::LessEqual:
617     Kind = MCBinaryExpr::LTE;
618     return 2;
619   case AsmToken::Greater:
620     Kind = MCBinaryExpr::GT;
621     return 2;
622   case AsmToken::GreaterEqual:
623     Kind = MCBinaryExpr::GTE;
624     return 2;
625
626     // Intermediate Precedence: |, &, ^
627     //
628     // FIXME: gas seems to support '!' as an infix operator?
629   case AsmToken::Pipe:
630     Kind = MCBinaryExpr::Or;
631     return 3;
632   case AsmToken::Caret:
633     Kind = MCBinaryExpr::Xor;
634     return 3;
635   case AsmToken::Amp:
636     Kind = MCBinaryExpr::And;
637     return 3;
638
639     // Highest Precedence: *, /, %, <<, >>
640   case AsmToken::Star:
641     Kind = MCBinaryExpr::Mul;
642     return 4;
643   case AsmToken::Slash:
644     Kind = MCBinaryExpr::Div;
645     return 4;
646   case AsmToken::Percent:
647     Kind = MCBinaryExpr::Mod;
648     return 4;
649   case AsmToken::LessLess:
650     Kind = MCBinaryExpr::Shl;
651     return 4;
652   case AsmToken::GreaterGreater:
653     Kind = MCBinaryExpr::Shr;
654     return 4;
655   }
656 }
657
658
659 /// ParseBinOpRHS - Parse all binary operators with precedence >= 'Precedence'.
660 /// Res contains the LHS of the expression on input.
661 bool AsmParser::ParseBinOpRHS(unsigned Precedence, const MCExpr *&Res,
662                               SMLoc &EndLoc) {
663   while (1) {
664     MCBinaryExpr::Opcode Kind = MCBinaryExpr::Add;
665     unsigned TokPrec = getBinOpPrecedence(Lexer.getKind(), Kind);
666     
667     // If the next token is lower precedence than we are allowed to eat, return
668     // successfully with what we ate already.
669     if (TokPrec < Precedence)
670       return false;
671     
672     Lex();
673     
674     // Eat the next primary expression.
675     const MCExpr *RHS;
676     if (ParsePrimaryExpr(RHS, EndLoc)) return true;
677     
678     // If BinOp binds less tightly with RHS than the operator after RHS, let
679     // the pending operator take RHS as its LHS.
680     MCBinaryExpr::Opcode Dummy;
681     unsigned NextTokPrec = getBinOpPrecedence(Lexer.getKind(), Dummy);
682     if (TokPrec < NextTokPrec) {
683       if (ParseBinOpRHS(Precedence+1, RHS, EndLoc)) return true;
684     }
685
686     // Merge LHS and RHS according to operator.
687     Res = MCBinaryExpr::Create(Kind, Res, RHS, getContext());
688   }
689 }
690
691   
692   
693   
694 /// ParseStatement:
695 ///   ::= EndOfStatement
696 ///   ::= Label* Directive ...Operands... EndOfStatement
697 ///   ::= Label* Identifier OperandList* EndOfStatement
698 bool AsmParser::ParseStatement() {
699   if (Lexer.is(AsmToken::EndOfStatement)) {
700     Out.AddBlankLine();
701     Lex();
702     return false;
703   }
704
705   // Statements always start with an identifier.
706   AsmToken ID = getTok();
707   SMLoc IDLoc = ID.getLoc();
708   StringRef IDVal;
709   int64_t LocalLabelVal = -1;
710   // GUESS allow an integer followed by a ':' as a directional local label
711   if (Lexer.is(AsmToken::Integer)) {
712     LocalLabelVal = getTok().getIntVal();
713     if (LocalLabelVal < 0) {
714       if (!TheCondState.Ignore)
715         return TokError("unexpected token at start of statement");
716       IDVal = "";
717     }
718     else {
719       IDVal = getTok().getString();
720       Lex(); // Consume the integer token to be used as an identifier token.
721       if (Lexer.getKind() != AsmToken::Colon) {
722         if (!TheCondState.Ignore)
723           return TokError("unexpected token at start of statement");
724       }
725     }
726   }
727   else if (ParseIdentifier(IDVal)) {
728     if (!TheCondState.Ignore)
729       return TokError("unexpected token at start of statement");
730     IDVal = "";
731   }
732
733   // Handle conditional assembly here before checking for skipping.  We
734   // have to do this so that .endif isn't skipped in a ".if 0" block for
735   // example.
736   if (IDVal == ".if")
737     return ParseDirectiveIf(IDLoc);
738   if (IDVal == ".elseif")
739     return ParseDirectiveElseIf(IDLoc);
740   if (IDVal == ".else")
741     return ParseDirectiveElse(IDLoc);
742   if (IDVal == ".endif")
743     return ParseDirectiveEndIf(IDLoc);
744     
745   // If we are in a ".if 0" block, ignore this statement.
746   if (TheCondState.Ignore) {
747     EatToEndOfStatement();
748     return false;
749   }
750   
751   // FIXME: Recurse on local labels?
752
753   // See what kind of statement we have.
754   switch (Lexer.getKind()) {
755   case AsmToken::Colon: {
756     // identifier ':'   -> Label.
757     Lex();
758
759     // Diagnose attempt to use a variable as a label.
760     //
761     // FIXME: Diagnostics. Note the location of the definition as a label.
762     // FIXME: This doesn't diagnose assignment to a symbol which has been
763     // implicitly marked as external.
764     MCSymbol *Sym;
765     if (LocalLabelVal == -1)
766       Sym = getContext().GetOrCreateSymbol(IDVal);
767     else
768       Sym = Ctx.CreateDirectionalLocalSymbol(LocalLabelVal);
769     if (!Sym->isUndefined() || Sym->isVariable())
770       return Error(IDLoc, "invalid symbol redefinition");
771     
772     // Emit the label.
773     Out.EmitLabel(Sym);
774    
775     // Consume any end of statement token, if present, to avoid spurious
776     // AddBlankLine calls().
777     if (Lexer.is(AsmToken::EndOfStatement)) {
778       Lex();
779       if (Lexer.is(AsmToken::Eof))
780         return false;
781     }
782
783     return ParseStatement();
784   }
785
786   case AsmToken::Equal:
787     // identifier '=' ... -> assignment statement
788     Lex();
789
790     return ParseAssignment(IDVal);
791
792   default: // Normal instruction or directive.
793     break;
794   }
795
796   // If macros are enabled, check to see if this is a macro instantiation.
797   if (MacrosEnabled)
798     if (const Macro *M = MacroMap.lookup(IDVal))
799       return HandleMacroEntry(IDVal, IDLoc, M);
800
801   // Otherwise, we have a normal instruction or directive.  
802   if (IDVal[0] == '.') {
803     // Assembler features
804     if (IDVal == ".set")
805       return ParseDirectiveSet();
806
807     // Data directives
808
809     if (IDVal == ".ascii")
810       return ParseDirectiveAscii(false);
811     if (IDVal == ".asciz")
812       return ParseDirectiveAscii(true);
813
814     if (IDVal == ".byte")
815       return ParseDirectiveValue(1);
816     if (IDVal == ".short")
817       return ParseDirectiveValue(2);
818     if (IDVal == ".long")
819       return ParseDirectiveValue(4);
820     if (IDVal == ".quad")
821       return ParseDirectiveValue(8);
822
823     if (IDVal == ".align") {
824       bool IsPow2 = !getContext().getAsmInfo().getAlignmentIsInBytes();
825       return ParseDirectiveAlign(IsPow2, /*ExprSize=*/1);
826     }
827     if (IDVal == ".align32") {
828       bool IsPow2 = !getContext().getAsmInfo().getAlignmentIsInBytes();
829       return ParseDirectiveAlign(IsPow2, /*ExprSize=*/4);
830     }
831     if (IDVal == ".balign")
832       return ParseDirectiveAlign(/*IsPow2=*/false, /*ExprSize=*/1);
833     if (IDVal == ".balignw")
834       return ParseDirectiveAlign(/*IsPow2=*/false, /*ExprSize=*/2);
835     if (IDVal == ".balignl")
836       return ParseDirectiveAlign(/*IsPow2=*/false, /*ExprSize=*/4);
837     if (IDVal == ".p2align")
838       return ParseDirectiveAlign(/*IsPow2=*/true, /*ExprSize=*/1);
839     if (IDVal == ".p2alignw")
840       return ParseDirectiveAlign(/*IsPow2=*/true, /*ExprSize=*/2);
841     if (IDVal == ".p2alignl")
842       return ParseDirectiveAlign(/*IsPow2=*/true, /*ExprSize=*/4);
843
844     if (IDVal == ".org")
845       return ParseDirectiveOrg();
846
847     if (IDVal == ".fill")
848       return ParseDirectiveFill();
849     if (IDVal == ".space")
850       return ParseDirectiveSpace();
851
852     // Symbol attribute directives
853
854     if (IDVal == ".globl" || IDVal == ".global")
855       return ParseDirectiveSymbolAttribute(MCSA_Global);
856     if (IDVal == ".hidden")
857       return ParseDirectiveSymbolAttribute(MCSA_Hidden);
858     if (IDVal == ".indirect_symbol")
859       return ParseDirectiveSymbolAttribute(MCSA_IndirectSymbol);
860     if (IDVal == ".internal")
861       return ParseDirectiveSymbolAttribute(MCSA_Internal);
862     if (IDVal == ".lazy_reference")
863       return ParseDirectiveSymbolAttribute(MCSA_LazyReference);
864     if (IDVal == ".no_dead_strip")
865       return ParseDirectiveSymbolAttribute(MCSA_NoDeadStrip);
866     if (IDVal == ".private_extern")
867       return ParseDirectiveSymbolAttribute(MCSA_PrivateExtern);
868     if (IDVal == ".protected")
869       return ParseDirectiveSymbolAttribute(MCSA_Protected);
870     if (IDVal == ".reference")
871       return ParseDirectiveSymbolAttribute(MCSA_Reference);
872     if (IDVal == ".type")
873       return ParseDirectiveELFType();
874     if (IDVal == ".weak")
875       return ParseDirectiveSymbolAttribute(MCSA_Weak);
876     if (IDVal == ".weak_definition")
877       return ParseDirectiveSymbolAttribute(MCSA_WeakDefinition);
878     if (IDVal == ".weak_reference")
879       return ParseDirectiveSymbolAttribute(MCSA_WeakReference);
880     if (IDVal == ".weak_def_can_be_hidden")
881       return ParseDirectiveSymbolAttribute(MCSA_WeakDefAutoPrivate);
882
883     if (IDVal == ".comm")
884       return ParseDirectiveComm(/*IsLocal=*/false);
885     if (IDVal == ".lcomm")
886       return ParseDirectiveComm(/*IsLocal=*/true);
887
888     if (IDVal == ".abort")
889       return ParseDirectiveAbort();
890     if (IDVal == ".include")
891       return ParseDirectiveInclude();
892
893     // Look up the handler in the handler table.
894     std::pair<MCAsmParserExtension*, DirectiveHandler> Handler =
895       DirectiveMap.lookup(IDVal);
896     if (Handler.first)
897       return (*Handler.second)(Handler.first, IDVal, IDLoc);
898
899     // Target hook for parsing target specific directives.
900     if (!getTargetParser().ParseDirective(ID))
901       return false;
902
903     Warning(IDLoc, "ignoring directive for now");
904     EatToEndOfStatement();
905     return false;
906   }
907
908   // Canonicalize the opcode to lower case.
909   SmallString<128> Opcode;
910   for (unsigned i = 0, e = IDVal.size(); i != e; ++i)
911     Opcode.push_back(tolower(IDVal[i]));
912   
913   SmallVector<MCParsedAsmOperand*, 8> ParsedOperands;
914   bool HadError = getTargetParser().ParseInstruction(Opcode.str(), IDLoc,
915                                                      ParsedOperands);
916   if (!HadError && Lexer.isNot(AsmToken::EndOfStatement))
917     HadError = TokError("unexpected token in argument list");
918
919   // If parsing succeeded, match the instruction.
920   if (!HadError) {
921     MCInst Inst;
922     if (!getTargetParser().MatchInstruction(ParsedOperands, Inst)) {
923       // Emit the instruction on success.
924       Out.EmitInstruction(Inst);
925     } else {
926       // Otherwise emit a diagnostic about the match failure and set the error
927       // flag.
928       //
929       // FIXME: We should give nicer diagnostics about the exact failure.
930       Error(IDLoc, "unrecognized instruction");
931       HadError = true;
932     }
933   }
934
935   // If there was no error, consume the end-of-statement token. Otherwise this
936   // will be done by our caller.
937   if (!HadError)
938     Lex();
939
940   // Free any parsed operands.
941   for (unsigned i = 0, e = ParsedOperands.size(); i != e; ++i)
942     delete ParsedOperands[i];
943
944   return HadError;
945 }
946
947 MacroInstantiation::MacroInstantiation(const Macro *M, SMLoc IL, SMLoc EL,
948                                    const std::vector<std::vector<AsmToken> > &A)
949   : TheMacro(M), InstantiationLoc(IL), ExitLoc(EL)
950 {
951   // Macro instantiation is lexical, unfortunately. We construct a new buffer
952   // to hold the macro body with substitutions.
953   SmallString<256> Buf;
954   raw_svector_ostream OS(Buf);
955
956   StringRef Body = M->Body;
957   while (!Body.empty()) {
958     // Scan for the next substitution.
959     std::size_t End = Body.size(), Pos = 0;
960     for (; Pos != End; ++Pos) {
961       // Check for a substitution or escape.
962       if (Body[Pos] != '$' || Pos + 1 == End)
963         continue;
964
965       char Next = Body[Pos + 1];
966       if (Next == '$' || Next == 'n' || isdigit(Next))
967         break;
968     }
969
970     // Add the prefix.
971     OS << Body.slice(0, Pos);
972
973     // Check if we reached the end.
974     if (Pos == End)
975       break;
976
977     switch (Body[Pos+1]) {
978        // $$ => $
979     case '$':
980       OS << '$';
981       break;
982
983       // $n => number of arguments
984     case 'n':
985       OS << A.size();
986       break;
987
988        // $[0-9] => argument
989     default: {
990       // Missing arguments are ignored.
991       unsigned Index = Body[Pos+1] - '0';
992       if (Index >= A.size())
993         break;
994
995       // Otherwise substitute with the token values, with spaces eliminated.
996       for (std::vector<AsmToken>::const_iterator it = A[Index].begin(),
997              ie = A[Index].end(); it != ie; ++it)
998         OS << it->getString();
999       break;
1000     }
1001     }
1002
1003     // Update the scan point.
1004     Body = Body.substr(Pos + 2);
1005   }
1006
1007   // We include the .endmacro in the buffer as our queue to exit the macro
1008   // instantiation.
1009   OS << ".endmacro\n";
1010
1011   Instantiation = MemoryBuffer::getMemBufferCopy(OS.str(), "<instantiation>");
1012 }
1013
1014 bool AsmParser::HandleMacroEntry(StringRef Name, SMLoc NameLoc,
1015                                  const Macro *M) {
1016   // Arbitrarily limit macro nesting depth, to match 'as'. We can eliminate
1017   // this, although we should protect against infinite loops.
1018   if (ActiveMacros.size() == 20)
1019     return TokError("macros cannot be nested more than 20 levels deep");
1020
1021   // Parse the macro instantiation arguments.
1022   std::vector<std::vector<AsmToken> > MacroArguments;
1023   MacroArguments.push_back(std::vector<AsmToken>());
1024   unsigned ParenLevel = 0;
1025   for (;;) {
1026     if (Lexer.is(AsmToken::Eof))
1027       return TokError("unexpected token in macro instantiation");
1028     if (Lexer.is(AsmToken::EndOfStatement))
1029       break;
1030
1031     // If we aren't inside parentheses and this is a comma, start a new token
1032     // list.
1033     if (ParenLevel == 0 && Lexer.is(AsmToken::Comma)) {
1034       MacroArguments.push_back(std::vector<AsmToken>());
1035     } else {
1036       // Adjust the current parentheses level.
1037       if (Lexer.is(AsmToken::LParen))
1038         ++ParenLevel;
1039       else if (Lexer.is(AsmToken::RParen) && ParenLevel)
1040         --ParenLevel;
1041
1042       // Append the token to the current argument list.
1043       MacroArguments.back().push_back(getTok());
1044     }
1045     Lex();
1046   }
1047
1048   // Create the macro instantiation object and add to the current macro
1049   // instantiation stack.
1050   MacroInstantiation *MI = new MacroInstantiation(M, NameLoc,
1051                                                   getTok().getLoc(),
1052                                                   MacroArguments);
1053   ActiveMacros.push_back(MI);
1054
1055   // Jump to the macro instantiation and prime the lexer.
1056   CurBuffer = SrcMgr.AddNewSourceBuffer(MI->Instantiation, SMLoc());
1057   Lexer.setBuffer(SrcMgr.getMemoryBuffer(CurBuffer));
1058   Lex();
1059
1060   return false;
1061 }
1062
1063 void AsmParser::HandleMacroExit() {
1064   // Jump to the EndOfStatement we should return to, and consume it.
1065   JumpToLoc(ActiveMacros.back()->ExitLoc);
1066   Lex();
1067
1068   // Pop the instantiation entry.
1069   delete ActiveMacros.back();
1070   ActiveMacros.pop_back();
1071 }
1072
1073 bool AsmParser::ParseAssignment(StringRef Name) {
1074   // FIXME: Use better location, we should use proper tokens.
1075   SMLoc EqualLoc = Lexer.getLoc();
1076
1077   const MCExpr *Value;
1078   if (ParseExpression(Value))
1079     return true;
1080   
1081   if (Lexer.isNot(AsmToken::EndOfStatement))
1082     return TokError("unexpected token in assignment");
1083
1084   // Eat the end of statement marker.
1085   Lex();
1086
1087   // Validate that the LHS is allowed to be a variable (either it has not been
1088   // used as a symbol, or it is an absolute symbol).
1089   MCSymbol *Sym = getContext().LookupSymbol(Name);
1090   if (Sym) {
1091     // Diagnose assignment to a label.
1092     //
1093     // FIXME: Diagnostics. Note the location of the definition as a label.
1094     // FIXME: Diagnose assignment to protected identifier (e.g., register name).
1095     if (Sym->isUndefined() && !Sym->isUsedInExpr())
1096       ; // Allow redefinitions of undefined symbols only used in directives.
1097     else if (!Sym->isUndefined() && !Sym->isAbsolute())
1098       return Error(EqualLoc, "redefinition of '" + Name + "'");
1099     else if (!Sym->isVariable())
1100       return Error(EqualLoc, "invalid assignment to '" + Name + "'");
1101     else if (!isa<MCConstantExpr>(Sym->getVariableValue()))
1102       return Error(EqualLoc, "invalid reassignment of non-absolute variable '" +
1103                    Name + "'");
1104   } else
1105     Sym = getContext().GetOrCreateSymbol(Name);
1106
1107   // FIXME: Handle '.'.
1108
1109   Sym->setUsedInExpr(true);
1110
1111   // Do the assignment.
1112   Out.EmitAssignment(Sym, Value);
1113
1114   return false;
1115 }
1116
1117 /// ParseIdentifier:
1118 ///   ::= identifier
1119 ///   ::= string
1120 bool AsmParser::ParseIdentifier(StringRef &Res) {
1121   if (Lexer.isNot(AsmToken::Identifier) &&
1122       Lexer.isNot(AsmToken::String))
1123     return true;
1124
1125   Res = getTok().getIdentifier();
1126
1127   Lex(); // Consume the identifier token.
1128
1129   return false;
1130 }
1131
1132 /// ParseDirectiveSet:
1133 ///   ::= .set identifier ',' expression
1134 bool AsmParser::ParseDirectiveSet() {
1135   StringRef Name;
1136
1137   if (ParseIdentifier(Name))
1138     return TokError("expected identifier after '.set' directive");
1139   
1140   if (getLexer().isNot(AsmToken::Comma))
1141     return TokError("unexpected token in '.set'");
1142   Lex();
1143
1144   return ParseAssignment(Name);
1145 }
1146
1147 bool AsmParser::ParseEscapedString(std::string &Data) {
1148   assert(getLexer().is(AsmToken::String) && "Unexpected current token!");
1149
1150   Data = "";
1151   StringRef Str = getTok().getStringContents();
1152   for (unsigned i = 0, e = Str.size(); i != e; ++i) {
1153     if (Str[i] != '\\') {
1154       Data += Str[i];
1155       continue;
1156     }
1157
1158     // Recognize escaped characters. Note that this escape semantics currently
1159     // loosely follows Darwin 'as'. Notably, it doesn't support hex escapes.
1160     ++i;
1161     if (i == e)
1162       return TokError("unexpected backslash at end of string");
1163
1164     // Recognize octal sequences.
1165     if ((unsigned) (Str[i] - '0') <= 7) {
1166       // Consume up to three octal characters.
1167       unsigned Value = Str[i] - '0';
1168
1169       if (i + 1 != e && ((unsigned) (Str[i + 1] - '0')) <= 7) {
1170         ++i;
1171         Value = Value * 8 + (Str[i] - '0');
1172
1173         if (i + 1 != e && ((unsigned) (Str[i + 1] - '0')) <= 7) {
1174           ++i;
1175           Value = Value * 8 + (Str[i] - '0');
1176         }
1177       }
1178
1179       if (Value > 255)
1180         return TokError("invalid octal escape sequence (out of range)");
1181
1182       Data += (unsigned char) Value;
1183       continue;
1184     }
1185
1186     // Otherwise recognize individual escapes.
1187     switch (Str[i]) {
1188     default:
1189       // Just reject invalid escape sequences for now.
1190       return TokError("invalid escape sequence (unrecognized character)");
1191
1192     case 'b': Data += '\b'; break;
1193     case 'f': Data += '\f'; break;
1194     case 'n': Data += '\n'; break;
1195     case 'r': Data += '\r'; break;
1196     case 't': Data += '\t'; break;
1197     case '"': Data += '"'; break;
1198     case '\\': Data += '\\'; break;
1199     }
1200   }
1201
1202   return false;
1203 }
1204
1205 /// ParseDirectiveAscii:
1206 ///   ::= ( .ascii | .asciz ) [ "string" ( , "string" )* ]
1207 bool AsmParser::ParseDirectiveAscii(bool ZeroTerminated) {
1208   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1209     for (;;) {
1210       if (getLexer().isNot(AsmToken::String))
1211         return TokError("expected string in '.ascii' or '.asciz' directive");
1212
1213       std::string Data;
1214       if (ParseEscapedString(Data))
1215         return true;
1216
1217       getStreamer().EmitBytes(Data, DEFAULT_ADDRSPACE);
1218       if (ZeroTerminated)
1219         getStreamer().EmitBytes(StringRef("\0", 1), DEFAULT_ADDRSPACE);
1220
1221       Lex();
1222
1223       if (getLexer().is(AsmToken::EndOfStatement))
1224         break;
1225
1226       if (getLexer().isNot(AsmToken::Comma))
1227         return TokError("unexpected token in '.ascii' or '.asciz' directive");
1228       Lex();
1229     }
1230   }
1231
1232   Lex();
1233   return false;
1234 }
1235
1236 /// ParseDirectiveValue
1237 ///  ::= (.byte | .short | ... ) [ expression (, expression)* ]
1238 bool AsmParser::ParseDirectiveValue(unsigned Size) {
1239   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1240     for (;;) {
1241       const MCExpr *Value;
1242       SMLoc ATTRIBUTE_UNUSED StartLoc = getLexer().getLoc();
1243       if (ParseExpression(Value))
1244         return true;
1245
1246       // Special case constant expressions to match code generator.
1247       if (const MCConstantExpr *MCE = dyn_cast<MCConstantExpr>(Value))
1248         getStreamer().EmitIntValue(MCE->getValue(), Size, DEFAULT_ADDRSPACE);
1249       else
1250         getStreamer().EmitValue(Value, Size, DEFAULT_ADDRSPACE);
1251
1252       if (getLexer().is(AsmToken::EndOfStatement))
1253         break;
1254       
1255       // FIXME: Improve diagnostic.
1256       if (getLexer().isNot(AsmToken::Comma))
1257         return TokError("unexpected token in directive");
1258       Lex();
1259     }
1260   }
1261
1262   Lex();
1263   return false;
1264 }
1265
1266 /// ParseDirectiveSpace
1267 ///  ::= .space expression [ , expression ]
1268 bool AsmParser::ParseDirectiveSpace() {
1269   int64_t NumBytes;
1270   if (ParseAbsoluteExpression(NumBytes))
1271     return true;
1272
1273   int64_t FillExpr = 0;
1274   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1275     if (getLexer().isNot(AsmToken::Comma))
1276       return TokError("unexpected token in '.space' directive");
1277     Lex();
1278     
1279     if (ParseAbsoluteExpression(FillExpr))
1280       return true;
1281
1282     if (getLexer().isNot(AsmToken::EndOfStatement))
1283       return TokError("unexpected token in '.space' directive");
1284   }
1285
1286   Lex();
1287
1288   if (NumBytes <= 0)
1289     return TokError("invalid number of bytes in '.space' directive");
1290
1291   // FIXME: Sometimes the fill expr is 'nop' if it isn't supplied, instead of 0.
1292   getStreamer().EmitFill(NumBytes, FillExpr, DEFAULT_ADDRSPACE);
1293
1294   return false;
1295 }
1296
1297 /// ParseDirectiveFill
1298 ///  ::= .fill expression , expression , expression
1299 bool AsmParser::ParseDirectiveFill() {
1300   int64_t NumValues;
1301   if (ParseAbsoluteExpression(NumValues))
1302     return true;
1303
1304   if (getLexer().isNot(AsmToken::Comma))
1305     return TokError("unexpected token in '.fill' directive");
1306   Lex();
1307   
1308   int64_t FillSize;
1309   if (ParseAbsoluteExpression(FillSize))
1310     return true;
1311
1312   if (getLexer().isNot(AsmToken::Comma))
1313     return TokError("unexpected token in '.fill' directive");
1314   Lex();
1315   
1316   int64_t FillExpr;
1317   if (ParseAbsoluteExpression(FillExpr))
1318     return true;
1319
1320   if (getLexer().isNot(AsmToken::EndOfStatement))
1321     return TokError("unexpected token in '.fill' directive");
1322   
1323   Lex();
1324
1325   if (FillSize != 1 && FillSize != 2 && FillSize != 4 && FillSize != 8)
1326     return TokError("invalid '.fill' size, expected 1, 2, 4, or 8");
1327
1328   for (uint64_t i = 0, e = NumValues; i != e; ++i)
1329     getStreamer().EmitIntValue(FillExpr, FillSize, DEFAULT_ADDRSPACE);
1330
1331   return false;
1332 }
1333
1334 /// ParseDirectiveOrg
1335 ///  ::= .org expression [ , expression ]
1336 bool AsmParser::ParseDirectiveOrg() {
1337   const MCExpr *Offset;
1338   if (ParseExpression(Offset))
1339     return true;
1340
1341   // Parse optional fill expression.
1342   int64_t FillExpr = 0;
1343   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1344     if (getLexer().isNot(AsmToken::Comma))
1345       return TokError("unexpected token in '.org' directive");
1346     Lex();
1347     
1348     if (ParseAbsoluteExpression(FillExpr))
1349       return true;
1350
1351     if (getLexer().isNot(AsmToken::EndOfStatement))
1352       return TokError("unexpected token in '.org' directive");
1353   }
1354
1355   Lex();
1356
1357   // FIXME: Only limited forms of relocatable expressions are accepted here, it
1358   // has to be relative to the current section.
1359   getStreamer().EmitValueToOffset(Offset, FillExpr);
1360
1361   return false;
1362 }
1363
1364 /// ParseDirectiveAlign
1365 ///  ::= {.align, ...} expression [ , expression [ , expression ]]
1366 bool AsmParser::ParseDirectiveAlign(bool IsPow2, unsigned ValueSize) {
1367   SMLoc AlignmentLoc = getLexer().getLoc();
1368   int64_t Alignment;
1369   if (ParseAbsoluteExpression(Alignment))
1370     return true;
1371
1372   SMLoc MaxBytesLoc;
1373   bool HasFillExpr = false;
1374   int64_t FillExpr = 0;
1375   int64_t MaxBytesToFill = 0;
1376   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1377     if (getLexer().isNot(AsmToken::Comma))
1378       return TokError("unexpected token in directive");
1379     Lex();
1380
1381     // The fill expression can be omitted while specifying a maximum number of
1382     // alignment bytes, e.g:
1383     //  .align 3,,4
1384     if (getLexer().isNot(AsmToken::Comma)) {
1385       HasFillExpr = true;
1386       if (ParseAbsoluteExpression(FillExpr))
1387         return true;
1388     }
1389
1390     if (getLexer().isNot(AsmToken::EndOfStatement)) {
1391       if (getLexer().isNot(AsmToken::Comma))
1392         return TokError("unexpected token in directive");
1393       Lex();
1394
1395       MaxBytesLoc = getLexer().getLoc();
1396       if (ParseAbsoluteExpression(MaxBytesToFill))
1397         return true;
1398       
1399       if (getLexer().isNot(AsmToken::EndOfStatement))
1400         return TokError("unexpected token in directive");
1401     }
1402   }
1403
1404   Lex();
1405
1406   if (!HasFillExpr)
1407     FillExpr = 0;
1408
1409   // Compute alignment in bytes.
1410   if (IsPow2) {
1411     // FIXME: Diagnose overflow.
1412     if (Alignment >= 32) {
1413       Error(AlignmentLoc, "invalid alignment value");
1414       Alignment = 31;
1415     }
1416
1417     Alignment = 1ULL << Alignment;
1418   }
1419
1420   // Diagnose non-sensical max bytes to align.
1421   if (MaxBytesLoc.isValid()) {
1422     if (MaxBytesToFill < 1) {
1423       Error(MaxBytesLoc, "alignment directive can never be satisfied in this "
1424             "many bytes, ignoring maximum bytes expression");
1425       MaxBytesToFill = 0;
1426     }
1427
1428     if (MaxBytesToFill >= Alignment) {
1429       Warning(MaxBytesLoc, "maximum bytes expression exceeds alignment and "
1430               "has no effect");
1431       MaxBytesToFill = 0;
1432     }
1433   }
1434
1435   // Check whether we should use optimal code alignment for this .align
1436   // directive.
1437   //
1438   // FIXME: This should be using a target hook.
1439   bool UseCodeAlign = false;
1440   if (const MCSectionMachO *S = dyn_cast<MCSectionMachO>(
1441         getStreamer().getCurrentSection()))
1442     UseCodeAlign = S->hasAttribute(MCSectionMachO::S_ATTR_PURE_INSTRUCTIONS);
1443   if ((!HasFillExpr || Lexer.getMAI().getTextAlignFillValue() == FillExpr) &&
1444       ValueSize == 1 && UseCodeAlign) {
1445     getStreamer().EmitCodeAlignment(Alignment, MaxBytesToFill);
1446   } else {
1447     // FIXME: Target specific behavior about how the "extra" bytes are filled.
1448     getStreamer().EmitValueToAlignment(Alignment, FillExpr, ValueSize,
1449                                        MaxBytesToFill);
1450   }
1451
1452   return false;
1453 }
1454
1455 /// ParseDirectiveSymbolAttribute
1456 ///  ::= { ".globl", ".weak", ... } [ identifier ( , identifier )* ]
1457 bool AsmParser::ParseDirectiveSymbolAttribute(MCSymbolAttr Attr) {
1458   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1459     for (;;) {
1460       StringRef Name;
1461
1462       if (ParseIdentifier(Name))
1463         return TokError("expected identifier in directive");
1464       
1465       MCSymbol *Sym = getContext().GetOrCreateSymbol(Name);
1466
1467       getStreamer().EmitSymbolAttribute(Sym, Attr);
1468
1469       if (getLexer().is(AsmToken::EndOfStatement))
1470         break;
1471
1472       if (getLexer().isNot(AsmToken::Comma))
1473         return TokError("unexpected token in directive");
1474       Lex();
1475     }
1476   }
1477
1478   Lex();
1479   return false;  
1480 }
1481
1482 /// ParseDirectiveELFType
1483 ///  ::= .type identifier , @attribute
1484 bool AsmParser::ParseDirectiveELFType() {
1485   StringRef Name;
1486   if (ParseIdentifier(Name))
1487     return TokError("expected identifier in directive");
1488
1489   // Handle the identifier as the key symbol.
1490   MCSymbol *Sym = getContext().GetOrCreateSymbol(Name);
1491
1492   if (getLexer().isNot(AsmToken::Comma))
1493     return TokError("unexpected token in '.type' directive");
1494   Lex();
1495
1496   if (getLexer().isNot(AsmToken::At))
1497     return TokError("expected '@' before type");
1498   Lex();
1499
1500   StringRef Type;
1501   SMLoc TypeLoc;
1502
1503   TypeLoc = getLexer().getLoc();
1504   if (ParseIdentifier(Type))
1505     return TokError("expected symbol type in directive");
1506
1507   MCSymbolAttr Attr = StringSwitch<MCSymbolAttr>(Type)
1508     .Case("function", MCSA_ELF_TypeFunction)
1509     .Case("object", MCSA_ELF_TypeObject)
1510     .Case("tls_object", MCSA_ELF_TypeTLS)
1511     .Case("common", MCSA_ELF_TypeCommon)
1512     .Case("notype", MCSA_ELF_TypeNoType)
1513     .Default(MCSA_Invalid);
1514
1515   if (Attr == MCSA_Invalid)
1516     return Error(TypeLoc, "unsupported attribute in '.type' directive");
1517
1518   if (getLexer().isNot(AsmToken::EndOfStatement))
1519     return TokError("unexpected token in '.type' directive");
1520
1521   Lex();
1522
1523   getStreamer().EmitSymbolAttribute(Sym, Attr);
1524
1525   return false;
1526 }
1527
1528 /// ParseDirectiveComm
1529 ///  ::= ( .comm | .lcomm ) identifier , size_expression [ , align_expression ]
1530 bool AsmParser::ParseDirectiveComm(bool IsLocal) {
1531   SMLoc IDLoc = getLexer().getLoc();
1532   StringRef Name;
1533   if (ParseIdentifier(Name))
1534     return TokError("expected identifier in directive");
1535   
1536   // Handle the identifier as the key symbol.
1537   MCSymbol *Sym = getContext().GetOrCreateSymbol(Name);
1538
1539   if (getLexer().isNot(AsmToken::Comma))
1540     return TokError("unexpected token in directive");
1541   Lex();
1542
1543   int64_t Size;
1544   SMLoc SizeLoc = getLexer().getLoc();
1545   if (ParseAbsoluteExpression(Size))
1546     return true;
1547
1548   int64_t Pow2Alignment = 0;
1549   SMLoc Pow2AlignmentLoc;
1550   if (getLexer().is(AsmToken::Comma)) {
1551     Lex();
1552     Pow2AlignmentLoc = getLexer().getLoc();
1553     if (ParseAbsoluteExpression(Pow2Alignment))
1554       return true;
1555     
1556     // If this target takes alignments in bytes (not log) validate and convert.
1557     if (Lexer.getMAI().getAlignmentIsInBytes()) {
1558       if (!isPowerOf2_64(Pow2Alignment))
1559         return Error(Pow2AlignmentLoc, "alignment must be a power of 2");
1560       Pow2Alignment = Log2_64(Pow2Alignment);
1561     }
1562   }
1563   
1564   if (getLexer().isNot(AsmToken::EndOfStatement))
1565     return TokError("unexpected token in '.comm' or '.lcomm' directive");
1566   
1567   Lex();
1568
1569   // NOTE: a size of zero for a .comm should create a undefined symbol
1570   // but a size of .lcomm creates a bss symbol of size zero.
1571   if (Size < 0)
1572     return Error(SizeLoc, "invalid '.comm' or '.lcomm' directive size, can't "
1573                  "be less than zero");
1574
1575   // NOTE: The alignment in the directive is a power of 2 value, the assembler
1576   // may internally end up wanting an alignment in bytes.
1577   // FIXME: Diagnose overflow.
1578   if (Pow2Alignment < 0)
1579     return Error(Pow2AlignmentLoc, "invalid '.comm' or '.lcomm' directive "
1580                  "alignment, can't be less than zero");
1581
1582   if (!Sym->isUndefined())
1583     return Error(IDLoc, "invalid symbol redefinition");
1584
1585   // '.lcomm' is equivalent to '.zerofill'.
1586   // Create the Symbol as a common or local common with Size and Pow2Alignment
1587   if (IsLocal) {
1588     getStreamer().EmitZerofill(Ctx.getMachOSection(
1589                                  "__DATA", "__bss", MCSectionMachO::S_ZEROFILL,
1590                                  0, SectionKind::getBSS()),
1591                                Sym, Size, 1 << Pow2Alignment);
1592     return false;
1593   }
1594
1595   getStreamer().EmitCommonSymbol(Sym, Size, 1 << Pow2Alignment);
1596   return false;
1597 }
1598
1599 /// ParseDirectiveAbort
1600 ///  ::= .abort [... message ...]
1601 bool AsmParser::ParseDirectiveAbort() {
1602   // FIXME: Use loc from directive.
1603   SMLoc Loc = getLexer().getLoc();
1604
1605   StringRef Str = ParseStringToEndOfStatement();
1606   if (getLexer().isNot(AsmToken::EndOfStatement))
1607     return TokError("unexpected token in '.abort' directive");
1608
1609   Lex();
1610
1611   if (Str.empty())
1612     Error(Loc, ".abort detected. Assembly stopping.");
1613   else
1614     Error(Loc, ".abort '" + Str + "' detected. Assembly stopping.");
1615   // FIXME: Actually abort assembly here.
1616
1617   return false;
1618 }
1619
1620 /// ParseDirectiveInclude
1621 ///  ::= .include "filename"
1622 bool AsmParser::ParseDirectiveInclude() {
1623   if (getLexer().isNot(AsmToken::String))
1624     return TokError("expected string in '.include' directive");
1625   
1626   std::string Filename = getTok().getString();
1627   SMLoc IncludeLoc = getLexer().getLoc();
1628   Lex();
1629
1630   if (getLexer().isNot(AsmToken::EndOfStatement))
1631     return TokError("unexpected token in '.include' directive");
1632   
1633   // Strip the quotes.
1634   Filename = Filename.substr(1, Filename.size()-2);
1635   
1636   // Attempt to switch the lexer to the included file before consuming the end
1637   // of statement to avoid losing it when we switch.
1638   if (EnterIncludeFile(Filename)) {
1639     Error(IncludeLoc, "Could not find include file '" + Filename + "'");
1640     return true;
1641   }
1642
1643   return false;
1644 }
1645
1646 /// ParseDirectiveIf
1647 /// ::= .if expression
1648 bool AsmParser::ParseDirectiveIf(SMLoc DirectiveLoc) {
1649   TheCondStack.push_back(TheCondState);
1650   TheCondState.TheCond = AsmCond::IfCond;
1651   if(TheCondState.Ignore) {
1652     EatToEndOfStatement();
1653   }
1654   else {
1655     int64_t ExprValue;
1656     if (ParseAbsoluteExpression(ExprValue))
1657       return true;
1658
1659     if (getLexer().isNot(AsmToken::EndOfStatement))
1660       return TokError("unexpected token in '.if' directive");
1661     
1662     Lex();
1663
1664     TheCondState.CondMet = ExprValue;
1665     TheCondState.Ignore = !TheCondState.CondMet;
1666   }
1667
1668   return false;
1669 }
1670
1671 /// ParseDirectiveElseIf
1672 /// ::= .elseif expression
1673 bool AsmParser::ParseDirectiveElseIf(SMLoc DirectiveLoc) {
1674   if (TheCondState.TheCond != AsmCond::IfCond &&
1675       TheCondState.TheCond != AsmCond::ElseIfCond)
1676       Error(DirectiveLoc, "Encountered a .elseif that doesn't follow a .if or "
1677                           " an .elseif");
1678   TheCondState.TheCond = AsmCond::ElseIfCond;
1679
1680   bool LastIgnoreState = false;
1681   if (!TheCondStack.empty())
1682       LastIgnoreState = TheCondStack.back().Ignore;
1683   if (LastIgnoreState || TheCondState.CondMet) {
1684     TheCondState.Ignore = true;
1685     EatToEndOfStatement();
1686   }
1687   else {
1688     int64_t ExprValue;
1689     if (ParseAbsoluteExpression(ExprValue))
1690       return true;
1691
1692     if (getLexer().isNot(AsmToken::EndOfStatement))
1693       return TokError("unexpected token in '.elseif' directive");
1694     
1695     Lex();
1696     TheCondState.CondMet = ExprValue;
1697     TheCondState.Ignore = !TheCondState.CondMet;
1698   }
1699
1700   return false;
1701 }
1702
1703 /// ParseDirectiveElse
1704 /// ::= .else
1705 bool AsmParser::ParseDirectiveElse(SMLoc DirectiveLoc) {
1706   if (getLexer().isNot(AsmToken::EndOfStatement))
1707     return TokError("unexpected token in '.else' directive");
1708   
1709   Lex();
1710
1711   if (TheCondState.TheCond != AsmCond::IfCond &&
1712       TheCondState.TheCond != AsmCond::ElseIfCond)
1713       Error(DirectiveLoc, "Encountered a .else that doesn't follow a .if or an "
1714                           ".elseif");
1715   TheCondState.TheCond = AsmCond::ElseCond;
1716   bool LastIgnoreState = false;
1717   if (!TheCondStack.empty())
1718     LastIgnoreState = TheCondStack.back().Ignore;
1719   if (LastIgnoreState || TheCondState.CondMet)
1720     TheCondState.Ignore = true;
1721   else
1722     TheCondState.Ignore = false;
1723
1724   return false;
1725 }
1726
1727 /// ParseDirectiveEndIf
1728 /// ::= .endif
1729 bool AsmParser::ParseDirectiveEndIf(SMLoc DirectiveLoc) {
1730   if (getLexer().isNot(AsmToken::EndOfStatement))
1731     return TokError("unexpected token in '.endif' directive");
1732   
1733   Lex();
1734
1735   if ((TheCondState.TheCond == AsmCond::NoCond) ||
1736       TheCondStack.empty())
1737     Error(DirectiveLoc, "Encountered a .endif that doesn't follow a .if or "
1738                         ".else");
1739   if (!TheCondStack.empty()) {
1740     TheCondState = TheCondStack.back();
1741     TheCondStack.pop_back();
1742   }
1743
1744   return false;
1745 }
1746
1747 /// ParseDirectiveFile
1748 /// ::= .file [number] string
1749 bool GenericAsmParser::ParseDirectiveFile(StringRef, SMLoc DirectiveLoc) {
1750   // FIXME: I'm not sure what this is.
1751   int64_t FileNumber = -1;
1752   SMLoc FileNumberLoc = getLexer().getLoc();
1753   if (getLexer().is(AsmToken::Integer)) {
1754     FileNumber = getTok().getIntVal();
1755     Lex();
1756
1757     if (FileNumber < 1)
1758       return TokError("file number less than one");
1759   }
1760
1761   if (getLexer().isNot(AsmToken::String))
1762     return TokError("unexpected token in '.file' directive");
1763
1764   StringRef Filename = getTok().getString();
1765   Filename = Filename.substr(1, Filename.size()-2);
1766   Lex();
1767
1768   if (getLexer().isNot(AsmToken::EndOfStatement))
1769     return TokError("unexpected token in '.file' directive");
1770
1771   if (FileNumber == -1)
1772     getStreamer().EmitFileDirective(Filename);
1773   else {
1774      if (getContext().GetDwarfFile(Filename, FileNumber) == 0)
1775         Error(FileNumberLoc, "file number already allocated");
1776     getStreamer().EmitDwarfFileDirective(FileNumber, Filename);
1777   }
1778
1779   return false;
1780 }
1781
1782 /// ParseDirectiveLine
1783 /// ::= .line [number]
1784 bool GenericAsmParser::ParseDirectiveLine(StringRef, SMLoc DirectiveLoc) {
1785   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1786     if (getLexer().isNot(AsmToken::Integer))
1787       return TokError("unexpected token in '.line' directive");
1788
1789     int64_t LineNumber = getTok().getIntVal();
1790     (void) LineNumber;
1791     Lex();
1792
1793     // FIXME: Do something with the .line.
1794   }
1795
1796   if (getLexer().isNot(AsmToken::EndOfStatement))
1797     return TokError("unexpected token in '.line' directive");
1798
1799   return false;
1800 }
1801
1802
1803 /// ParseDirectiveLoc
1804 /// ::= .loc number [number [number]]
1805 bool GenericAsmParser::ParseDirectiveLoc(StringRef, SMLoc DirectiveLoc) {
1806   if (getLexer().isNot(AsmToken::Integer))
1807     return TokError("unexpected token in '.loc' directive");
1808
1809   // FIXME: What are these fields?
1810   int64_t FileNumber = getTok().getIntVal();
1811   (void) FileNumber;
1812   // FIXME: Validate file.
1813
1814   Lex();
1815   if (getLexer().isNot(AsmToken::EndOfStatement)) {
1816     if (getLexer().isNot(AsmToken::Integer))
1817       return TokError("unexpected token in '.loc' directive");
1818
1819     int64_t Param2 = getTok().getIntVal();
1820     (void) Param2;
1821     Lex();
1822
1823     if (getLexer().isNot(AsmToken::EndOfStatement)) {
1824       if (getLexer().isNot(AsmToken::Integer))
1825         return TokError("unexpected token in '.loc' directive");
1826
1827       int64_t Param3 = getTok().getIntVal();
1828       (void) Param3;
1829       Lex();
1830
1831       // FIXME: Do something with the .loc.
1832     }
1833   }
1834
1835   if (getLexer().isNot(AsmToken::EndOfStatement))
1836     return TokError("unexpected token in '.file' directive");
1837
1838   return false;
1839 }
1840
1841 /// ParseDirectiveMacrosOnOff
1842 /// ::= .macros_on
1843 /// ::= .macros_off
1844 bool GenericAsmParser::ParseDirectiveMacrosOnOff(StringRef Directive,
1845                                                  SMLoc DirectiveLoc) {
1846   if (getLexer().isNot(AsmToken::EndOfStatement))
1847     return Error(getLexer().getLoc(),
1848                  "unexpected token in '" + Directive + "' directive");
1849
1850   getParser().MacrosEnabled = Directive == ".macros_on";
1851
1852   return false;
1853 }
1854
1855 /// ParseDirectiveMacro
1856 /// ::= .macro name
1857 bool GenericAsmParser::ParseDirectiveMacro(StringRef Directive,
1858                                            SMLoc DirectiveLoc) {
1859   StringRef Name;
1860   if (getParser().ParseIdentifier(Name))
1861     return TokError("expected identifier in directive");
1862
1863   if (getLexer().isNot(AsmToken::EndOfStatement))
1864     return TokError("unexpected token in '.macro' directive");
1865
1866   // Eat the end of statement.
1867   Lex();
1868
1869   AsmToken EndToken, StartToken = getTok();
1870
1871   // Lex the macro definition.
1872   for (;;) {
1873     // Check whether we have reached the end of the file.
1874     if (getLexer().is(AsmToken::Eof))
1875       return Error(DirectiveLoc, "no matching '.endmacro' in definition");
1876
1877     // Otherwise, check whether we have reach the .endmacro.
1878     if (getLexer().is(AsmToken::Identifier) &&
1879         (getTok().getIdentifier() == ".endm" ||
1880          getTok().getIdentifier() == ".endmacro")) {
1881       EndToken = getTok();
1882       Lex();
1883       if (getLexer().isNot(AsmToken::EndOfStatement))
1884         return TokError("unexpected token in '" + EndToken.getIdentifier() +
1885                         "' directive");
1886       break;
1887     }
1888
1889     // Otherwise, scan til the end of the statement.
1890     getParser().EatToEndOfStatement();
1891   }
1892
1893   if (getParser().MacroMap.lookup(Name)) {
1894     return Error(DirectiveLoc, "macro '" + Name + "' is already defined");
1895   }
1896
1897   const char *BodyStart = StartToken.getLoc().getPointer();
1898   const char *BodyEnd = EndToken.getLoc().getPointer();
1899   StringRef Body = StringRef(BodyStart, BodyEnd - BodyStart);
1900   getParser().MacroMap[Name] = new Macro(Name, Body);
1901   return false;
1902 }
1903
1904 /// ParseDirectiveEndMacro
1905 /// ::= .endm
1906 /// ::= .endmacro
1907 bool GenericAsmParser::ParseDirectiveEndMacro(StringRef Directive,
1908                                            SMLoc DirectiveLoc) {
1909   if (getLexer().isNot(AsmToken::EndOfStatement))
1910     return TokError("unexpected token in '" + Directive + "' directive");
1911
1912   // If we are inside a macro instantiation, terminate the current
1913   // instantiation.
1914   if (!getParser().ActiveMacros.empty()) {
1915     getParser().HandleMacroExit();
1916     return false;
1917   }
1918
1919   // Otherwise, this .endmacro is a stray entry in the file; well formed
1920   // .endmacro directives are handled during the macro definition parsing.
1921   return TokError("unexpected '" + Directive + "' in file, "
1922                   "no current macro definition");
1923 }
1924
1925 /// \brief Create an MCAsmParser instance.
1926 MCAsmParser *llvm::createMCAsmParser(const Target &T, SourceMgr &SM,
1927                                      MCContext &C, MCStreamer &Out,
1928                                      const MCAsmInfo &MAI) {
1929   return new AsmParser(T, SM, C, Out, MAI);
1930 }