Allow negative constants for unsigned integers and unsigned constants
[oota-llvm.git] / lib / AsmParser / llvmAsmParser.y
1 //===-- llvmAsmParser.y - Parser for llvm assembly files --------*- C++ -*-===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file was developed by the LLVM research group and is distributed under
6 // the University of Illinois Open Source License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 //  This file implements the bison parser for LLVM assembly languages files.
11 //
12 //===----------------------------------------------------------------------===//
13
14 %{
15 #include "ParserInternals.h"
16 #include "llvm/CallingConv.h"
17 #include "llvm/InlineAsm.h"
18 #include "llvm/Instructions.h"
19 #include "llvm/Module.h"
20 #include "llvm/SymbolTable.h"
21 #include "llvm/Support/GetElementPtrTypeIterator.h"
22 #include "llvm/ADT/STLExtras.h"
23 #include "llvm/Support/MathExtras.h"
24 #include "llvm/Support/Streams.h"
25 #include <algorithm>
26 #include <list>
27 #include <utility>
28
29 // The following is a gross hack. In order to rid the libAsmParser library of
30 // exceptions, we have to have a way of getting the yyparse function to go into
31 // an error situation. So, whenever we want an error to occur, the GenerateError
32 // function (see bottom of file) sets TriggerError. Then, at the end of each 
33 // production in the grammer we use CHECK_FOR_ERROR which will invoke YYERROR 
34 // (a goto) to put YACC in error state. Furthermore, several calls to 
35 // GenerateError are made from inside productions and they must simulate the
36 // previous exception behavior by exiting the production immediately. We have
37 // replaced these with the GEN_ERROR macro which calls GeneratError and then
38 // immediately invokes YYERROR. This would be so much cleaner if it was a 
39 // recursive descent parser.
40 static bool TriggerError = false;
41 #define CHECK_FOR_ERROR { if (TriggerError) { TriggerError = false; YYABORT; } }
42 #define GEN_ERROR(msg) { GenerateError(msg); YYERROR; }
43
44 int yyerror(const char *ErrorMsg); // Forward declarations to prevent "implicit
45 int yylex();                       // declaration" of xxx warnings.
46 int yyparse();
47
48 namespace llvm {
49   std::string CurFilename;
50 }
51 using namespace llvm;
52
53 static Module *ParserResult;
54
55 // DEBUG_UPREFS - Define this symbol if you want to enable debugging output
56 // relating to upreferences in the input stream.
57 //
58 //#define DEBUG_UPREFS 1
59 #ifdef DEBUG_UPREFS
60 #define UR_OUT(X) cerr << X
61 #else
62 #define UR_OUT(X)
63 #endif
64
65 #define YYERROR_VERBOSE 1
66
67 static GlobalVariable *CurGV;
68
69
70 // This contains info used when building the body of a function.  It is
71 // destroyed when the function is completed.
72 //
73 typedef std::vector<Value *> ValueList;           // Numbered defs
74 static void 
75 ResolveDefinitions(std::map<const Type *,ValueList> &LateResolvers,
76                    std::map<const Type *,ValueList> *FutureLateResolvers = 0);
77
78 static struct PerModuleInfo {
79   Module *CurrentModule;
80   std::map<const Type *, ValueList> Values; // Module level numbered definitions
81   std::map<const Type *,ValueList> LateResolveValues;
82   std::vector<PATypeHolder>    Types;
83   std::map<ValID, PATypeHolder> LateResolveTypes;
84
85   /// PlaceHolderInfo - When temporary placeholder objects are created, remember
86   /// how they were referenced and on which line of the input they came from so
87   /// that we can resolve them later and print error messages as appropriate.
88   std::map<Value*, std::pair<ValID, int> > PlaceHolderInfo;
89
90   // GlobalRefs - This maintains a mapping between <Type, ValID>'s and forward
91   // references to global values.  Global values may be referenced before they
92   // are defined, and if so, the temporary object that they represent is held
93   // here.  This is used for forward references of GlobalValues.
94   //
95   typedef std::map<std::pair<const PointerType *,
96                              ValID>, GlobalValue*> GlobalRefsType;
97   GlobalRefsType GlobalRefs;
98
99   void ModuleDone() {
100     // If we could not resolve some functions at function compilation time
101     // (calls to functions before they are defined), resolve them now...  Types
102     // are resolved when the constant pool has been completely parsed.
103     //
104     ResolveDefinitions(LateResolveValues);
105     if (TriggerError)
106       return;
107
108     // Check to make sure that all global value forward references have been
109     // resolved!
110     //
111     if (!GlobalRefs.empty()) {
112       std::string UndefinedReferences = "Unresolved global references exist:\n";
113
114       for (GlobalRefsType::iterator I = GlobalRefs.begin(), E =GlobalRefs.end();
115            I != E; ++I) {
116         UndefinedReferences += "  " + I->first.first->getDescription() + " " +
117                                I->first.second.getName() + "\n";
118       }
119       GenerateError(UndefinedReferences);
120       return;
121     }
122
123     Values.clear();         // Clear out function local definitions
124     Types.clear();
125     CurrentModule = 0;
126   }
127
128   // GetForwardRefForGlobal - Check to see if there is a forward reference
129   // for this global.  If so, remove it from the GlobalRefs map and return it.
130   // If not, just return null.
131   GlobalValue *GetForwardRefForGlobal(const PointerType *PTy, ValID ID) {
132     // Check to see if there is a forward reference to this global variable...
133     // if there is, eliminate it and patch the reference to use the new def'n.
134     GlobalRefsType::iterator I = GlobalRefs.find(std::make_pair(PTy, ID));
135     GlobalValue *Ret = 0;
136     if (I != GlobalRefs.end()) {
137       Ret = I->second;
138       GlobalRefs.erase(I);
139     }
140     return Ret;
141   }
142 } CurModule;
143
144 static struct PerFunctionInfo {
145   Function *CurrentFunction;     // Pointer to current function being created
146
147   std::map<const Type*, ValueList> Values; // Keep track of #'d definitions
148   std::map<const Type*, ValueList> LateResolveValues;
149   bool isDeclare;                    // Is this function a forward declararation?
150   GlobalValue::LinkageTypes Linkage; // Linkage for forward declaration.
151
152   /// BBForwardRefs - When we see forward references to basic blocks, keep
153   /// track of them here.
154   std::map<BasicBlock*, std::pair<ValID, int> > BBForwardRefs;
155   std::vector<BasicBlock*> NumberedBlocks;
156   unsigned NextBBNum;
157
158   inline PerFunctionInfo() {
159     CurrentFunction = 0;
160     isDeclare = false;
161     Linkage = GlobalValue::ExternalLinkage;    
162   }
163
164   inline void FunctionStart(Function *M) {
165     CurrentFunction = M;
166     NextBBNum = 0;
167   }
168
169   void FunctionDone() {
170     NumberedBlocks.clear();
171
172     // Any forward referenced blocks left?
173     if (!BBForwardRefs.empty()) {
174       GenerateError("Undefined reference to label " +
175                      BBForwardRefs.begin()->first->getName());
176       return;
177     }
178
179     // Resolve all forward references now.
180     ResolveDefinitions(LateResolveValues, &CurModule.LateResolveValues);
181
182     Values.clear();         // Clear out function local definitions
183     CurrentFunction = 0;
184     isDeclare = false;
185     Linkage = GlobalValue::ExternalLinkage;
186   }
187 } CurFun;  // Info for the current function...
188
189 static bool inFunctionScope() { return CurFun.CurrentFunction != 0; }
190
191
192 //===----------------------------------------------------------------------===//
193 //               Code to handle definitions of all the types
194 //===----------------------------------------------------------------------===//
195
196 static int InsertValue(Value *V,
197                   std::map<const Type*,ValueList> &ValueTab = CurFun.Values) {
198   if (V->hasName()) return -1;           // Is this a numbered definition?
199
200   // Yes, insert the value into the value table...
201   ValueList &List = ValueTab[V->getType()];
202   List.push_back(V);
203   return List.size()-1;
204 }
205
206 static const Type *getTypeVal(const ValID &D, bool DoNotImprovise = false) {
207   switch (D.Type) {
208   case ValID::NumberVal:               // Is it a numbered definition?
209     // Module constants occupy the lowest numbered slots...
210     if ((unsigned)D.Num < CurModule.Types.size())
211       return CurModule.Types[(unsigned)D.Num];
212     break;
213   case ValID::NameVal:                 // Is it a named definition?
214     if (const Type *N = CurModule.CurrentModule->getTypeByName(D.Name)) {
215       D.destroy();  // Free old strdup'd memory...
216       return N;
217     }
218     break;
219   default:
220     GenerateError("Internal parser error: Invalid symbol type reference!");
221     return 0;
222   }
223
224   // If we reached here, we referenced either a symbol that we don't know about
225   // or an id number that hasn't been read yet.  We may be referencing something
226   // forward, so just create an entry to be resolved later and get to it...
227   //
228   if (DoNotImprovise) return 0;  // Do we just want a null to be returned?
229
230
231   if (inFunctionScope()) {
232     if (D.Type == ValID::NameVal) {
233       GenerateError("Reference to an undefined type: '" + D.getName() + "'");
234       return 0;
235     } else {
236       GenerateError("Reference to an undefined type: #" + itostr(D.Num));
237       return 0;
238     }
239   }
240
241   std::map<ValID, PATypeHolder>::iterator I =CurModule.LateResolveTypes.find(D);
242   if (I != CurModule.LateResolveTypes.end())
243     return I->second;
244
245   Type *Typ = OpaqueType::get();
246   CurModule.LateResolveTypes.insert(std::make_pair(D, Typ));
247   return Typ;
248  }
249
250 static Value *lookupInSymbolTable(const Type *Ty, const std::string &Name) {
251   SymbolTable &SymTab =
252     inFunctionScope() ? CurFun.CurrentFunction->getSymbolTable() :
253                         CurModule.CurrentModule->getSymbolTable();
254   return SymTab.lookup(Ty, Name);
255 }
256
257 // getValNonImprovising - Look up the value specified by the provided type and
258 // the provided ValID.  If the value exists and has already been defined, return
259 // it.  Otherwise return null.
260 //
261 static Value *getValNonImprovising(const Type *Ty, const ValID &D) {
262   if (isa<FunctionType>(Ty)) {
263     GenerateError("Functions are not values and "
264                    "must be referenced as pointers");
265     return 0;
266   }
267
268   switch (D.Type) {
269   case ValID::NumberVal: {                 // Is it a numbered definition?
270     unsigned Num = (unsigned)D.Num;
271
272     // Module constants occupy the lowest numbered slots...
273     std::map<const Type*,ValueList>::iterator VI = CurModule.Values.find(Ty);
274     if (VI != CurModule.Values.end()) {
275       if (Num < VI->second.size())
276         return VI->second[Num];
277       Num -= VI->second.size();
278     }
279
280     // Make sure that our type is within bounds
281     VI = CurFun.Values.find(Ty);
282     if (VI == CurFun.Values.end()) return 0;
283
284     // Check that the number is within bounds...
285     if (VI->second.size() <= Num) return 0;
286
287     return VI->second[Num];
288   }
289
290   case ValID::NameVal: {                // Is it a named definition?
291     Value *N = lookupInSymbolTable(Ty, std::string(D.Name));
292     if (N == 0) return 0;
293
294     D.destroy();  // Free old strdup'd memory...
295     return N;
296   }
297
298   // Check to make sure that "Ty" is an integral type, and that our
299   // value will fit into the specified type...
300   case ValID::ConstSIntVal:    // Is it a constant pool reference??
301     if (!ConstantInt::isValueValidForType(Ty, D.ConstPool64)) {
302       GenerateError("Signed integral constant '" +
303                      itostr(D.ConstPool64) + "' is invalid for type '" +
304                      Ty->getDescription() + "'!");
305       return 0;
306     }
307     return ConstantInt::get(Ty, D.ConstPool64);
308
309   case ValID::ConstUIntVal:     // Is it an unsigned const pool reference?
310     if (!ConstantInt::isValueValidForType(Ty, D.UConstPool64)) {
311       if (!ConstantInt::isValueValidForType(Ty, D.ConstPool64)) {
312         GenerateError("Integral constant '" + utostr(D.UConstPool64) +
313                        "' is invalid or out of range!");
314         return 0;
315       } else {     // This is really a signed reference.  Transmogrify.
316         return ConstantInt::get(Ty, D.ConstPool64);
317       }
318     } else {
319       return ConstantInt::get(Ty, D.UConstPool64);
320     }
321
322   case ValID::ConstFPVal:        // Is it a floating point const pool reference?
323     if (!ConstantFP::isValueValidForType(Ty, D.ConstPoolFP)) {
324       GenerateError("FP constant invalid for type!!");
325       return 0;
326     }
327     return ConstantFP::get(Ty, D.ConstPoolFP);
328
329   case ValID::ConstNullVal:      // Is it a null value?
330     if (!isa<PointerType>(Ty)) {
331       GenerateError("Cannot create a a non pointer null!");
332       return 0;
333     }
334     return ConstantPointerNull::get(cast<PointerType>(Ty));
335
336   case ValID::ConstUndefVal:      // Is it an undef value?
337     return UndefValue::get(Ty);
338
339   case ValID::ConstZeroVal:      // Is it a zero value?
340     return Constant::getNullValue(Ty);
341     
342   case ValID::ConstantVal:       // Fully resolved constant?
343     if (D.ConstantValue->getType() != Ty) {
344       GenerateError("Constant expression type different from required type!");
345       return 0;
346     }
347     return D.ConstantValue;
348
349   case ValID::InlineAsmVal: {    // Inline asm expression
350     const PointerType *PTy = dyn_cast<PointerType>(Ty);
351     const FunctionType *FTy =
352       PTy ? dyn_cast<FunctionType>(PTy->getElementType()) : 0;
353     if (!FTy || !InlineAsm::Verify(FTy, D.IAD->Constraints)) {
354       GenerateError("Invalid type for asm constraint string!");
355       return 0;
356     }
357     InlineAsm *IA = InlineAsm::get(FTy, D.IAD->AsmString, D.IAD->Constraints,
358                                    D.IAD->HasSideEffects);
359     D.destroy();   // Free InlineAsmDescriptor.
360     return IA;
361   }
362   default:
363     assert(0 && "Unhandled case!");
364     return 0;
365   }   // End of switch
366
367   assert(0 && "Unhandled case!");
368   return 0;
369 }
370
371 // getVal - This function is identical to getValNonImprovising, except that if a
372 // value is not already defined, it "improvises" by creating a placeholder var
373 // that looks and acts just like the requested variable.  When the value is
374 // defined later, all uses of the placeholder variable are replaced with the
375 // real thing.
376 //
377 static Value *getVal(const Type *Ty, const ValID &ID) {
378   if (Ty == Type::LabelTy) {
379     GenerateError("Cannot use a basic block here");
380     return 0;
381   }
382
383   // See if the value has already been defined.
384   Value *V = getValNonImprovising(Ty, ID);
385   if (V) return V;
386   if (TriggerError) return 0;
387
388   if (!Ty->isFirstClassType() && !isa<OpaqueType>(Ty)) {
389     GenerateError("Invalid use of a composite type!");
390     return 0;
391   }
392
393   // If we reached here, we referenced either a symbol that we don't know about
394   // or an id number that hasn't been read yet.  We may be referencing something
395   // forward, so just create an entry to be resolved later and get to it...
396   //
397   V = new Argument(Ty);
398
399   // Remember where this forward reference came from.  FIXME, shouldn't we try
400   // to recycle these things??
401   CurModule.PlaceHolderInfo.insert(std::make_pair(V, std::make_pair(ID,
402                                                                llvmAsmlineno)));
403
404   if (inFunctionScope())
405     InsertValue(V, CurFun.LateResolveValues);
406   else
407     InsertValue(V, CurModule.LateResolveValues);
408   return V;
409 }
410
411 /// getBBVal - This is used for two purposes:
412 ///  * If isDefinition is true, a new basic block with the specified ID is being
413 ///    defined.
414 ///  * If isDefinition is true, this is a reference to a basic block, which may
415 ///    or may not be a forward reference.
416 ///
417 static BasicBlock *getBBVal(const ValID &ID, bool isDefinition = false) {
418   assert(inFunctionScope() && "Can't get basic block at global scope!");
419
420   std::string Name;
421   BasicBlock *BB = 0;
422   switch (ID.Type) {
423   default: 
424     GenerateError("Illegal label reference " + ID.getName());
425     return 0;
426   case ValID::NumberVal:                // Is it a numbered definition?
427     if (unsigned(ID.Num) >= CurFun.NumberedBlocks.size())
428       CurFun.NumberedBlocks.resize(ID.Num+1);
429     BB = CurFun.NumberedBlocks[ID.Num];
430     break;
431   case ValID::NameVal:                  // Is it a named definition?
432     Name = ID.Name;
433     if (Value *N = CurFun.CurrentFunction->
434                    getSymbolTable().lookup(Type::LabelTy, Name))
435       BB = cast<BasicBlock>(N);
436     break;
437   }
438
439   // See if the block has already been defined.
440   if (BB) {
441     // If this is the definition of the block, make sure the existing value was
442     // just a forward reference.  If it was a forward reference, there will be
443     // an entry for it in the PlaceHolderInfo map.
444     if (isDefinition && !CurFun.BBForwardRefs.erase(BB)) {
445       // The existing value was a definition, not a forward reference.
446       GenerateError("Redefinition of label " + ID.getName());
447       return 0;
448     }
449
450     ID.destroy();                       // Free strdup'd memory.
451     return BB;
452   }
453
454   // Otherwise this block has not been seen before.
455   BB = new BasicBlock("", CurFun.CurrentFunction);
456   if (ID.Type == ValID::NameVal) {
457     BB->setName(ID.Name);
458   } else {
459     CurFun.NumberedBlocks[ID.Num] = BB;
460   }
461
462   // If this is not a definition, keep track of it so we can use it as a forward
463   // reference.
464   if (!isDefinition) {
465     // Remember where this forward reference came from.
466     CurFun.BBForwardRefs[BB] = std::make_pair(ID, llvmAsmlineno);
467   } else {
468     // The forward declaration could have been inserted anywhere in the
469     // function: insert it into the correct place now.
470     CurFun.CurrentFunction->getBasicBlockList().remove(BB);
471     CurFun.CurrentFunction->getBasicBlockList().push_back(BB);
472   }
473   ID.destroy();
474   return BB;
475 }
476
477
478 //===----------------------------------------------------------------------===//
479 //              Code to handle forward references in instructions
480 //===----------------------------------------------------------------------===//
481 //
482 // This code handles the late binding needed with statements that reference
483 // values not defined yet... for example, a forward branch, or the PHI node for
484 // a loop body.
485 //
486 // This keeps a table (CurFun.LateResolveValues) of all such forward references
487 // and back patchs after we are done.
488 //
489
490 // ResolveDefinitions - If we could not resolve some defs at parsing
491 // time (forward branches, phi functions for loops, etc...) resolve the
492 // defs now...
493 //
494 static void 
495 ResolveDefinitions(std::map<const Type*,ValueList> &LateResolvers,
496                    std::map<const Type*,ValueList> *FutureLateResolvers) {
497   // Loop over LateResolveDefs fixing up stuff that couldn't be resolved
498   for (std::map<const Type*,ValueList>::iterator LRI = LateResolvers.begin(),
499          E = LateResolvers.end(); LRI != E; ++LRI) {
500     ValueList &List = LRI->second;
501     while (!List.empty()) {
502       Value *V = List.back();
503       List.pop_back();
504
505       std::map<Value*, std::pair<ValID, int> >::iterator PHI =
506         CurModule.PlaceHolderInfo.find(V);
507       assert(PHI != CurModule.PlaceHolderInfo.end() && "Placeholder error!");
508
509       ValID &DID = PHI->second.first;
510
511       Value *TheRealValue = getValNonImprovising(LRI->first, DID);
512       if (TriggerError)
513         return;
514       if (TheRealValue) {
515         V->replaceAllUsesWith(TheRealValue);
516         delete V;
517         CurModule.PlaceHolderInfo.erase(PHI);
518       } else if (FutureLateResolvers) {
519         // Functions have their unresolved items forwarded to the module late
520         // resolver table
521         InsertValue(V, *FutureLateResolvers);
522       } else {
523         if (DID.Type == ValID::NameVal) {
524           GenerateError("Reference to an invalid definition: '" +DID.getName()+
525                          "' of type '" + V->getType()->getDescription() + "'",
526                          PHI->second.second);
527           return;
528         } else {
529           GenerateError("Reference to an invalid definition: #" +
530                          itostr(DID.Num) + " of type '" +
531                          V->getType()->getDescription() + "'",
532                          PHI->second.second);
533           return;
534         }
535       }
536     }
537   }
538
539   LateResolvers.clear();
540 }
541
542 // ResolveTypeTo - A brand new type was just declared.  This means that (if
543 // name is not null) things referencing Name can be resolved.  Otherwise, things
544 // refering to the number can be resolved.  Do this now.
545 //
546 static void ResolveTypeTo(char *Name, const Type *ToTy) {
547   ValID D;
548   if (Name) D = ValID::create(Name);
549   else      D = ValID::create((int)CurModule.Types.size());
550
551   std::map<ValID, PATypeHolder>::iterator I =
552     CurModule.LateResolveTypes.find(D);
553   if (I != CurModule.LateResolveTypes.end()) {
554     ((DerivedType*)I->second.get())->refineAbstractTypeTo(ToTy);
555     CurModule.LateResolveTypes.erase(I);
556   }
557 }
558
559 // setValueName - Set the specified value to the name given.  The name may be
560 // null potentially, in which case this is a noop.  The string passed in is
561 // assumed to be a malloc'd string buffer, and is free'd by this function.
562 //
563 static void setValueName(Value *V, char *NameStr) {
564   if (NameStr) {
565     std::string Name(NameStr);      // Copy string
566     free(NameStr);                  // Free old string
567
568     if (V->getType() == Type::VoidTy) {
569       GenerateError("Can't assign name '" + Name+"' to value with void type!");
570       return;
571     }
572
573     assert(inFunctionScope() && "Must be in function scope!");
574     SymbolTable &ST = CurFun.CurrentFunction->getSymbolTable();
575     if (ST.lookup(V->getType(), Name)) {
576       GenerateError("Redefinition of value named '" + Name + "' in the '" +
577                      V->getType()->getDescription() + "' type plane!");
578       return;
579     }
580
581     // Set the name.
582     V->setName(Name);
583   }
584 }
585
586 /// ParseGlobalVariable - Handle parsing of a global.  If Initializer is null,
587 /// this is a declaration, otherwise it is a definition.
588 static GlobalVariable *
589 ParseGlobalVariable(char *NameStr,GlobalValue::LinkageTypes Linkage,
590                     bool isConstantGlobal, const Type *Ty,
591                     Constant *Initializer) {
592   if (isa<FunctionType>(Ty)) {
593     GenerateError("Cannot declare global vars of function type!");
594     return 0;
595   }
596
597   const PointerType *PTy = PointerType::get(Ty);
598
599   std::string Name;
600   if (NameStr) {
601     Name = NameStr;      // Copy string
602     free(NameStr);       // Free old string
603   }
604
605   // See if this global value was forward referenced.  If so, recycle the
606   // object.
607   ValID ID;
608   if (!Name.empty()) {
609     ID = ValID::create((char*)Name.c_str());
610   } else {
611     ID = ValID::create((int)CurModule.Values[PTy].size());
612   }
613
614   if (GlobalValue *FWGV = CurModule.GetForwardRefForGlobal(PTy, ID)) {
615     // Move the global to the end of the list, from whereever it was
616     // previously inserted.
617     GlobalVariable *GV = cast<GlobalVariable>(FWGV);
618     CurModule.CurrentModule->getGlobalList().remove(GV);
619     CurModule.CurrentModule->getGlobalList().push_back(GV);
620     GV->setInitializer(Initializer);
621     GV->setLinkage(Linkage);
622     GV->setConstant(isConstantGlobal);
623     InsertValue(GV, CurModule.Values);
624     return GV;
625   }
626
627   // If this global has a name, check to see if there is already a definition
628   // of this global in the module.  If so, merge as appropriate.  Note that
629   // this is really just a hack around problems in the CFE.  :(
630   if (!Name.empty()) {
631     // We are a simple redefinition of a value, check to see if it is defined
632     // the same as the old one.
633     if (GlobalVariable *EGV =
634                 CurModule.CurrentModule->getGlobalVariable(Name, Ty)) {
635       // We are allowed to redefine a global variable in two circumstances:
636       // 1. If at least one of the globals is uninitialized or
637       // 2. If both initializers have the same value.
638       //
639       if (!EGV->hasInitializer() || !Initializer ||
640           EGV->getInitializer() == Initializer) {
641
642         // Make sure the existing global version gets the initializer!  Make
643         // sure that it also gets marked const if the new version is.
644         if (Initializer && !EGV->hasInitializer())
645           EGV->setInitializer(Initializer);
646         if (isConstantGlobal)
647           EGV->setConstant(true);
648         EGV->setLinkage(Linkage);
649         return EGV;
650       }
651
652       GenerateError("Redefinition of global variable named '" + Name +
653                      "' in the '" + Ty->getDescription() + "' type plane!");
654       return 0;
655     }
656   }
657
658   // Otherwise there is no existing GV to use, create one now.
659   GlobalVariable *GV =
660     new GlobalVariable(Ty, isConstantGlobal, Linkage, Initializer, Name,
661                        CurModule.CurrentModule);
662   InsertValue(GV, CurModule.Values);
663   return GV;
664 }
665
666 // setTypeName - Set the specified type to the name given.  The name may be
667 // null potentially, in which case this is a noop.  The string passed in is
668 // assumed to be a malloc'd string buffer, and is freed by this function.
669 //
670 // This function returns true if the type has already been defined, but is
671 // allowed to be redefined in the specified context.  If the name is a new name
672 // for the type plane, it is inserted and false is returned.
673 static bool setTypeName(const Type *T, char *NameStr) {
674   assert(!inFunctionScope() && "Can't give types function-local names!");
675   if (NameStr == 0) return false;
676  
677   std::string Name(NameStr);      // Copy string
678   free(NameStr);                  // Free old string
679
680   // We don't allow assigning names to void type
681   if (T == Type::VoidTy) {
682     GenerateError("Can't assign name '" + Name + "' to the void type!");
683     return false;
684   }
685
686   // Set the type name, checking for conflicts as we do so.
687   bool AlreadyExists = CurModule.CurrentModule->addTypeName(Name, T);
688
689   if (AlreadyExists) {   // Inserting a name that is already defined???
690     const Type *Existing = CurModule.CurrentModule->getTypeByName(Name);
691     assert(Existing && "Conflict but no matching type?");
692
693     // There is only one case where this is allowed: when we are refining an
694     // opaque type.  In this case, Existing will be an opaque type.
695     if (const OpaqueType *OpTy = dyn_cast<OpaqueType>(Existing)) {
696       // We ARE replacing an opaque type!
697       const_cast<OpaqueType*>(OpTy)->refineAbstractTypeTo(T);
698       return true;
699     }
700
701     // Otherwise, this is an attempt to redefine a type. That's okay if
702     // the redefinition is identical to the original. This will be so if
703     // Existing and T point to the same Type object. In this one case we
704     // allow the equivalent redefinition.
705     if (Existing == T) return true;  // Yes, it's equal.
706
707     // Any other kind of (non-equivalent) redefinition is an error.
708     GenerateError("Redefinition of type named '" + Name + "' in the '" +
709                    T->getDescription() + "' type plane!");
710   }
711
712   return false;
713 }
714
715 //===----------------------------------------------------------------------===//
716 // Code for handling upreferences in type names...
717 //
718
719 // TypeContains - Returns true if Ty directly contains E in it.
720 //
721 static bool TypeContains(const Type *Ty, const Type *E) {
722   return std::find(Ty->subtype_begin(), Ty->subtype_end(),
723                    E) != Ty->subtype_end();
724 }
725
726 namespace {
727   struct UpRefRecord {
728     // NestingLevel - The number of nesting levels that need to be popped before
729     // this type is resolved.
730     unsigned NestingLevel;
731
732     // LastContainedTy - This is the type at the current binding level for the
733     // type.  Every time we reduce the nesting level, this gets updated.
734     const Type *LastContainedTy;
735
736     // UpRefTy - This is the actual opaque type that the upreference is
737     // represented with.
738     OpaqueType *UpRefTy;
739
740     UpRefRecord(unsigned NL, OpaqueType *URTy)
741       : NestingLevel(NL), LastContainedTy(URTy), UpRefTy(URTy) {}
742   };
743 }
744
745 // UpRefs - A list of the outstanding upreferences that need to be resolved.
746 static std::vector<UpRefRecord> UpRefs;
747
748 /// HandleUpRefs - Every time we finish a new layer of types, this function is
749 /// called.  It loops through the UpRefs vector, which is a list of the
750 /// currently active types.  For each type, if the up reference is contained in
751 /// the newly completed type, we decrement the level count.  When the level
752 /// count reaches zero, the upreferenced type is the type that is passed in:
753 /// thus we can complete the cycle.
754 ///
755 static PATypeHolder HandleUpRefs(const Type *ty) {
756   // If Ty isn't abstract, or if there are no up-references in it, then there is
757   // nothing to resolve here.
758   if (!ty->isAbstract() || UpRefs.empty()) return ty;
759   
760   PATypeHolder Ty(ty);
761   UR_OUT("Type '" << Ty->getDescription() <<
762          "' newly formed.  Resolving upreferences.\n" <<
763          UpRefs.size() << " upreferences active!\n");
764
765   // If we find any resolvable upreferences (i.e., those whose NestingLevel goes
766   // to zero), we resolve them all together before we resolve them to Ty.  At
767   // the end of the loop, if there is anything to resolve to Ty, it will be in
768   // this variable.
769   OpaqueType *TypeToResolve = 0;
770
771   for (unsigned i = 0; i != UpRefs.size(); ++i) {
772     UR_OUT("  UR#" << i << " - TypeContains(" << Ty->getDescription() << ", "
773            << UpRefs[i].second->getDescription() << ") = "
774            << (TypeContains(Ty, UpRefs[i].second) ? "true" : "false") << "\n");
775     if (TypeContains(Ty, UpRefs[i].LastContainedTy)) {
776       // Decrement level of upreference
777       unsigned Level = --UpRefs[i].NestingLevel;
778       UpRefs[i].LastContainedTy = Ty;
779       UR_OUT("  Uplevel Ref Level = " << Level << "\n");
780       if (Level == 0) {                     // Upreference should be resolved!
781         if (!TypeToResolve) {
782           TypeToResolve = UpRefs[i].UpRefTy;
783         } else {
784           UR_OUT("  * Resolving upreference for "
785                  << UpRefs[i].second->getDescription() << "\n";
786                  std::string OldName = UpRefs[i].UpRefTy->getDescription());
787           UpRefs[i].UpRefTy->refineAbstractTypeTo(TypeToResolve);
788           UR_OUT("  * Type '" << OldName << "' refined upreference to: "
789                  << (const void*)Ty << ", " << Ty->getDescription() << "\n");
790         }
791         UpRefs.erase(UpRefs.begin()+i);     // Remove from upreference list...
792         --i;                                // Do not skip the next element...
793       }
794     }
795   }
796
797   if (TypeToResolve) {
798     UR_OUT("  * Resolving upreference for "
799            << UpRefs[i].second->getDescription() << "\n";
800            std::string OldName = TypeToResolve->getDescription());
801     TypeToResolve->refineAbstractTypeTo(Ty);
802   }
803
804   return Ty;
805 }
806
807 // common code from the two 'RunVMAsmParser' functions
808 static Module* RunParser(Module * M) {
809
810   llvmAsmlineno = 1;      // Reset the current line number...
811   CurModule.CurrentModule = M;
812
813   // Check to make sure the parser succeeded
814   if (yyparse()) {
815     if (ParserResult)
816       delete ParserResult;
817     return 0;
818   }
819
820   // Check to make sure that parsing produced a result
821   if (!ParserResult)
822     return 0;
823
824   // Reset ParserResult variable while saving its value for the result.
825   Module *Result = ParserResult;
826   ParserResult = 0;
827
828   return Result;
829 }
830
831 //===----------------------------------------------------------------------===//
832 //            RunVMAsmParser - Define an interface to this parser
833 //===----------------------------------------------------------------------===//
834 //
835 Module *llvm::RunVMAsmParser(const std::string &Filename, FILE *F) {
836   set_scan_file(F);
837
838   CurFilename = Filename;
839   return RunParser(new Module(CurFilename));
840 }
841
842 Module *llvm::RunVMAsmParser(const char * AsmString, Module * M) {
843   set_scan_string(AsmString);
844
845   CurFilename = "from_memory";
846   if (M == NULL) {
847     return RunParser(new Module (CurFilename));
848   } else {
849     return RunParser(M);
850   }
851 }
852
853 %}
854
855 %union {
856   llvm::Module                           *ModuleVal;
857   llvm::Function                         *FunctionVal;
858   std::pair<llvm::PATypeHolder*, char*>  *ArgVal;
859   llvm::BasicBlock                       *BasicBlockVal;
860   llvm::TerminatorInst                   *TermInstVal;
861   llvm::Instruction                      *InstVal;
862   llvm::Constant                         *ConstVal;
863
864   const llvm::Type                       *PrimType;
865   llvm::PATypeHolder                     *TypeVal;
866   llvm::Value                            *ValueVal;
867
868   std::vector<std::pair<llvm::PATypeHolder*,char*> > *ArgList;
869   std::vector<llvm::Value*>              *ValueList;
870   std::list<llvm::PATypeHolder>          *TypeList;
871   // Represent the RHS of PHI node
872   std::list<std::pair<llvm::Value*,
873                       llvm::BasicBlock*> > *PHIList;
874   std::vector<std::pair<llvm::Constant*, llvm::BasicBlock*> > *JumpTable;
875   std::vector<llvm::Constant*>           *ConstVector;
876
877   llvm::GlobalValue::LinkageTypes         Linkage;
878   int64_t                           SInt64Val;
879   uint64_t                          UInt64Val;
880   int                               SIntVal;
881   unsigned                          UIntVal;
882   double                            FPVal;
883   bool                              BoolVal;
884
885   char                             *StrVal;   // This memory is strdup'd!
886   llvm::ValID                       ValIDVal; // strdup'd memory maybe!
887
888   llvm::Instruction::BinaryOps      BinaryOpVal;
889   llvm::Instruction::TermOps        TermOpVal;
890   llvm::Instruction::MemoryOps      MemOpVal;
891   llvm::Instruction::CastOps        CastOpVal;
892   llvm::Instruction::OtherOps       OtherOpVal;
893   llvm::Module::Endianness          Endianness;
894   llvm::ICmpInst::Predicate         IPredicate;
895   llvm::FCmpInst::Predicate         FPredicate;
896 }
897
898 %type <ModuleVal>     Module FunctionList
899 %type <FunctionVal>   Function FunctionProto FunctionHeader BasicBlockList
900 %type <BasicBlockVal> BasicBlock InstructionList
901 %type <TermInstVal>   BBTerminatorInst
902 %type <InstVal>       Inst InstVal MemoryInst
903 %type <ConstVal>      ConstVal ConstExpr
904 %type <ConstVector>   ConstVector
905 %type <ArgList>       ArgList ArgListH
906 %type <ArgVal>        ArgVal
907 %type <PHIList>       PHIList
908 %type <ValueList>     ValueRefList ValueRefListE  // For call param lists
909 %type <ValueList>     IndexList                   // For GEP derived indices
910 %type <TypeList>      TypeListI ArgTypeListI
911 %type <JumpTable>     JumpTable
912 %type <BoolVal>       GlobalType                  // GLOBAL or CONSTANT?
913 %type <BoolVal>       OptVolatile                 // 'volatile' or not
914 %type <BoolVal>       OptTailCall                 // TAIL CALL or plain CALL.
915 %type <BoolVal>       OptSideEffect               // 'sideeffect' or not.
916 %type <Linkage>       OptLinkage
917 %type <Endianness>    BigOrLittle
918
919 // ValueRef - Unresolved reference to a definition or BB
920 %type <ValIDVal>      ValueRef ConstValueRef SymbolicValueRef
921 %type <ValueVal>      ResolvedVal            // <type> <valref> pair
922 // Tokens and types for handling constant integer values
923 //
924 // ESINT64VAL - A negative number within long long range
925 %token <SInt64Val> ESINT64VAL
926
927 // EUINT64VAL - A positive number within uns. long long range
928 %token <UInt64Val> EUINT64VAL
929
930 %token  <SIntVal>   SINTVAL   // Signed 32 bit ints...
931 %token  <UIntVal>   UINTVAL   // Unsigned 32 bit ints...
932 %type   <SIntVal>   INTVAL
933 %token  <FPVal>     FPVAL     // Float or Double constant
934
935 // Built in types...
936 %type  <TypeVal> Types TypesV UpRTypes UpRTypesV
937 %type  <PrimType> SIntType UIntType IntType FPType PrimType   // Classifications
938 %token <PrimType> VOID BOOL SBYTE UBYTE SHORT USHORT INT UINT LONG ULONG
939 %token <PrimType> FLOAT DOUBLE TYPE LABEL
940
941 %token <StrVal> VAR_ID LABELSTR STRINGCONSTANT
942 %type  <StrVal> Name OptName OptAssign
943 %type  <UIntVal> OptAlign OptCAlign
944 %type <StrVal> OptSection SectionString
945
946 %token IMPLEMENTATION ZEROINITIALIZER TRUETOK FALSETOK BEGINTOK ENDTOK
947 %token DECLARE GLOBAL CONSTANT SECTION VOLATILE
948 %token TO DOTDOTDOT NULL_TOK UNDEF CONST INTERNAL LINKONCE WEAK APPENDING
949 %token DLLIMPORT DLLEXPORT EXTERN_WEAK
950 %token OPAQUE NOT EXTERNAL TARGET TRIPLE ENDIAN POINTERSIZE LITTLE BIG ALIGN
951 %token DEPLIBS CALL TAIL ASM_TOK MODULE SIDEEFFECT
952 %token CC_TOK CCC_TOK CSRETCC_TOK FASTCC_TOK COLDCC_TOK
953 %token X86_STDCALLCC_TOK X86_FASTCALLCC_TOK
954 %token DATALAYOUT
955 %type <UIntVal> OptCallingConv
956
957 // Basic Block Terminating Operators
958 %token <TermOpVal> RET BR SWITCH INVOKE UNWIND UNREACHABLE
959
960 // Binary Operators
961 %type  <BinaryOpVal> ArithmeticOps LogicalOps SetCondOps // Binops Subcatagories
962 %token <BinaryOpVal> ADD SUB MUL UDIV SDIV FDIV UREM SREM FREM AND OR XOR
963 %token <BinaryOpVal> SETLE SETGE SETLT SETGT SETEQ SETNE  // Binary Comparators
964 %token <OtherOpVal> ICMP FCMP
965 %type  <IPredicate> IPredicates
966 %type  <FPredicate> FPredicates
967 %token  EQ NE SLT SGT SLE SGE ULT UGT ULE UGE 
968 %token  OEQ ONE OLT OGT OLE OGE ORD UNO UEQ UNE
969
970 // Memory Instructions
971 %token <MemOpVal> MALLOC ALLOCA FREE LOAD STORE GETELEMENTPTR
972
973 // Cast Operators
974 %type <CastOpVal> CastOps
975 %token <CastOpVal> TRUNC ZEXT SEXT FPTRUNC FPEXT BITCAST
976 %token <CastOpVal> UITOFP SITOFP FPTOUI FPTOSI INTTOPTR PTRTOINT
977
978 // Other Operators
979 %type  <OtherOpVal> ShiftOps
980 %token <OtherOpVal> PHI_TOK SELECT SHL LSHR ASHR VAARG
981 %token <OtherOpVal> EXTRACTELEMENT INSERTELEMENT SHUFFLEVECTOR
982
983
984 %start Module
985 %%
986
987 // Handle constant integer size restriction and conversion...
988 //
989 INTVAL : SINTVAL;
990 INTVAL : UINTVAL {
991   if ($1 > (uint32_t)INT32_MAX)     // Outside of my range!
992     GEN_ERROR("Value too large for type!");
993   $$ = (int32_t)$1;
994   CHECK_FOR_ERROR
995 };
996
997 // Operations that are notably excluded from this list include:
998 // RET, BR, & SWITCH because they end basic blocks and are treated specially.
999 //
1000 ArithmeticOps: ADD | SUB | MUL | UDIV | SDIV | FDIV | UREM | SREM | FREM;
1001 LogicalOps   : AND | OR | XOR;
1002 SetCondOps   : SETLE | SETGE | SETLT | SETGT | SETEQ | SETNE;
1003 CastOps      : TRUNC | ZEXT | SEXT | FPTRUNC | FPEXT | BITCAST | 
1004                UITOFP | SITOFP | FPTOUI | FPTOSI | INTTOPTR | PTRTOINT;
1005 ShiftOps     : SHL | LSHR | ASHR;
1006 IPredicates  
1007   : EQ   { $$ = ICmpInst::ICMP_EQ; }  | NE   { $$ = ICmpInst::ICMP_NE; }
1008   | SLT  { $$ = ICmpInst::ICMP_SLT; } | SGT  { $$ = ICmpInst::ICMP_SGT; }
1009   | SLE  { $$ = ICmpInst::ICMP_SLE; } | SGE  { $$ = ICmpInst::ICMP_SGE; }
1010   | ULT  { $$ = ICmpInst::ICMP_ULT; } | UGT  { $$ = ICmpInst::ICMP_UGT; }
1011   | ULE  { $$ = ICmpInst::ICMP_ULE; } | UGE  { $$ = ICmpInst::ICMP_UGE; } 
1012   ;
1013
1014 FPredicates  
1015   : OEQ  { $$ = FCmpInst::FCMP_OEQ; } | ONE  { $$ = FCmpInst::FCMP_ONE; }
1016   | OLT  { $$ = FCmpInst::FCMP_OLT; } | OGT  { $$ = FCmpInst::FCMP_OGT; }
1017   | OLE  { $$ = FCmpInst::FCMP_OLE; } | OGE  { $$ = FCmpInst::FCMP_OGE; }
1018   | ORD  { $$ = FCmpInst::FCMP_ORD; } | UNO  { $$ = FCmpInst::FCMP_UNO; }
1019   | UEQ  { $$ = FCmpInst::FCMP_UEQ; } | UNE  { $$ = FCmpInst::FCMP_UNE; }
1020   | ULT  { $$ = FCmpInst::FCMP_ULT; } | UGT  { $$ = FCmpInst::FCMP_UGT; }
1021   | ULE  { $$ = FCmpInst::FCMP_ULE; } | UGE  { $$ = FCmpInst::FCMP_UGE; }
1022   | TRUETOK { $$ = FCmpInst::FCMP_TRUE; }
1023   | FALSETOK { $$ = FCmpInst::FCMP_FALSE; }
1024   ;
1025
1026 // These are some types that allow classification if we only want a particular 
1027 // thing... for example, only a signed, unsigned, or integral type.
1028 SIntType :  LONG |  INT |  SHORT | SBYTE;
1029 UIntType : ULONG | UINT | USHORT | UBYTE;
1030 IntType  : SIntType | UIntType;
1031 FPType   : FLOAT | DOUBLE;
1032
1033 // OptAssign - Value producing statements have an optional assignment component
1034 OptAssign : Name '=' {
1035     $$ = $1;
1036     CHECK_FOR_ERROR
1037   }
1038   | /*empty*/ {
1039     $$ = 0;
1040     CHECK_FOR_ERROR
1041   };
1042
1043 OptLinkage : INTERNAL    { $$ = GlobalValue::InternalLinkage; } |
1044              LINKONCE    { $$ = GlobalValue::LinkOnceLinkage; } |
1045              WEAK        { $$ = GlobalValue::WeakLinkage; } |
1046              APPENDING   { $$ = GlobalValue::AppendingLinkage; } |
1047              DLLIMPORT   { $$ = GlobalValue::DLLImportLinkage; } |
1048              DLLEXPORT   { $$ = GlobalValue::DLLExportLinkage; } |
1049              EXTERN_WEAK { $$ = GlobalValue::ExternalWeakLinkage; } |
1050              /*empty*/   { $$ = GlobalValue::ExternalLinkage; };
1051
1052 OptCallingConv : /*empty*/          { $$ = CallingConv::C; } |
1053                  CCC_TOK            { $$ = CallingConv::C; } |
1054                  CSRETCC_TOK        { $$ = CallingConv::CSRet; } |
1055                  FASTCC_TOK         { $$ = CallingConv::Fast; } |
1056                  COLDCC_TOK         { $$ = CallingConv::Cold; } |
1057                  X86_STDCALLCC_TOK  { $$ = CallingConv::X86_StdCall; } |
1058                  X86_FASTCALLCC_TOK { $$ = CallingConv::X86_FastCall; } |
1059                  CC_TOK EUINT64VAL  {
1060                    if ((unsigned)$2 != $2)
1061                      GEN_ERROR("Calling conv too large!");
1062                    $$ = $2;
1063                   CHECK_FOR_ERROR
1064                  };
1065
1066 // OptAlign/OptCAlign - An optional alignment, and an optional alignment with
1067 // a comma before it.
1068 OptAlign : /*empty*/        { $$ = 0; } |
1069            ALIGN EUINT64VAL {
1070   $$ = $2;
1071   if ($$ != 0 && !isPowerOf2_32($$))
1072     GEN_ERROR("Alignment must be a power of two!");
1073   CHECK_FOR_ERROR
1074 };
1075 OptCAlign : /*empty*/            { $$ = 0; } |
1076             ',' ALIGN EUINT64VAL {
1077   $$ = $3;
1078   if ($$ != 0 && !isPowerOf2_32($$))
1079     GEN_ERROR("Alignment must be a power of two!");
1080   CHECK_FOR_ERROR
1081 };
1082
1083
1084 SectionString : SECTION STRINGCONSTANT {
1085   for (unsigned i = 0, e = strlen($2); i != e; ++i)
1086     if ($2[i] == '"' || $2[i] == '\\')
1087       GEN_ERROR("Invalid character in section name!");
1088   $$ = $2;
1089   CHECK_FOR_ERROR
1090 };
1091
1092 OptSection : /*empty*/ { $$ = 0; } |
1093              SectionString { $$ = $1; };
1094
1095 // GlobalVarAttributes - Used to pass the attributes string on a global.  CurGV
1096 // is set to be the global we are processing.
1097 //
1098 GlobalVarAttributes : /* empty */ {} |
1099                      ',' GlobalVarAttribute GlobalVarAttributes {};
1100 GlobalVarAttribute : SectionString {
1101     CurGV->setSection($1);
1102     free($1);
1103     CHECK_FOR_ERROR
1104   } 
1105   | ALIGN EUINT64VAL {
1106     if ($2 != 0 && !isPowerOf2_32($2))
1107       GEN_ERROR("Alignment must be a power of two!");
1108     CurGV->setAlignment($2);
1109     CHECK_FOR_ERROR
1110   };
1111
1112 //===----------------------------------------------------------------------===//
1113 // Types includes all predefined types... except void, because it can only be
1114 // used in specific contexts (function returning void for example).  To have
1115 // access to it, a user must explicitly use TypesV.
1116 //
1117
1118 // TypesV includes all of 'Types', but it also includes the void type.
1119 TypesV    : Types    | VOID { $$ = new PATypeHolder($1); };
1120 UpRTypesV : UpRTypes | VOID { $$ = new PATypeHolder($1); };
1121
1122 Types     : UpRTypes {
1123     if (!UpRefs.empty())
1124       GEN_ERROR("Invalid upreference in type: " + (*$1)->getDescription());
1125     $$ = $1;
1126     CHECK_FOR_ERROR
1127   };
1128
1129
1130 // Derived types are added later...
1131 //
1132 PrimType : BOOL | SBYTE | UBYTE | SHORT  | USHORT | INT   | UINT ;
1133 PrimType : LONG | ULONG | FLOAT | DOUBLE | TYPE   | LABEL;
1134 UpRTypes : OPAQUE {
1135     $$ = new PATypeHolder(OpaqueType::get());
1136     CHECK_FOR_ERROR
1137   }
1138   | PrimType {
1139     $$ = new PATypeHolder($1);
1140     CHECK_FOR_ERROR
1141   };
1142 UpRTypes : SymbolicValueRef {            // Named types are also simple types...
1143   const Type* tmp = getTypeVal($1);
1144   CHECK_FOR_ERROR
1145   $$ = new PATypeHolder(tmp);
1146 };
1147
1148 // Include derived types in the Types production.
1149 //
1150 UpRTypes : '\\' EUINT64VAL {                   // Type UpReference
1151     if ($2 > (uint64_t)~0U) GEN_ERROR("Value out of range!");
1152     OpaqueType *OT = OpaqueType::get();        // Use temporary placeholder
1153     UpRefs.push_back(UpRefRecord((unsigned)$2, OT));  // Add to vector...
1154     $$ = new PATypeHolder(OT);
1155     UR_OUT("New Upreference!\n");
1156     CHECK_FOR_ERROR
1157   }
1158   | UpRTypesV '(' ArgTypeListI ')' {           // Function derived type?
1159     std::vector<const Type*> Params;
1160     for (std::list<llvm::PATypeHolder>::iterator I = $3->begin(),
1161            E = $3->end(); I != E; ++I)
1162       Params.push_back(*I);
1163     bool isVarArg = Params.size() && Params.back() == Type::VoidTy;
1164     if (isVarArg) Params.pop_back();
1165
1166     $$ = new PATypeHolder(HandleUpRefs(FunctionType::get(*$1,Params,isVarArg)));
1167     delete $3;      // Delete the argument list
1168     delete $1;      // Delete the return type handle
1169     CHECK_FOR_ERROR
1170   }
1171   | '[' EUINT64VAL 'x' UpRTypes ']' {          // Sized array type?
1172     $$ = new PATypeHolder(HandleUpRefs(ArrayType::get(*$4, (unsigned)$2)));
1173     delete $4;
1174     CHECK_FOR_ERROR
1175   }
1176   | '<' EUINT64VAL 'x' UpRTypes '>' {          // Packed array type?
1177      const llvm::Type* ElemTy = $4->get();
1178      if ((unsigned)$2 != $2)
1179         GEN_ERROR("Unsigned result not equal to signed result");
1180      if (!ElemTy->isPrimitiveType())
1181         GEN_ERROR("Elemental type of a PackedType must be primitive");
1182      if (!isPowerOf2_32($2))
1183        GEN_ERROR("Vector length should be a power of 2!");
1184      $$ = new PATypeHolder(HandleUpRefs(PackedType::get(*$4, (unsigned)$2)));
1185      delete $4;
1186      CHECK_FOR_ERROR
1187   }
1188   | '{' TypeListI '}' {                        // Structure type?
1189     std::vector<const Type*> Elements;
1190     for (std::list<llvm::PATypeHolder>::iterator I = $2->begin(),
1191            E = $2->end(); I != E; ++I)
1192       Elements.push_back(*I);
1193
1194     $$ = new PATypeHolder(HandleUpRefs(StructType::get(Elements)));
1195     delete $2;
1196     CHECK_FOR_ERROR
1197   }
1198   | '{' '}' {                                  // Empty structure type?
1199     $$ = new PATypeHolder(StructType::get(std::vector<const Type*>()));
1200     CHECK_FOR_ERROR
1201   }
1202   | '<' '{' TypeListI '}' '>' {
1203     std::vector<const Type*> Elements;
1204     for (std::list<llvm::PATypeHolder>::iterator I = $3->begin(),
1205            E = $3->end(); I != E; ++I)
1206       Elements.push_back(*I);
1207
1208     $$ = new PATypeHolder(HandleUpRefs(StructType::get(Elements, true)));
1209     delete $3;
1210     CHECK_FOR_ERROR
1211   }
1212   | '<' '{' '}' '>' {                         // Empty structure type?
1213     $$ = new PATypeHolder(StructType::get(std::vector<const Type*>(), true));
1214     CHECK_FOR_ERROR
1215   }
1216   | UpRTypes '*' {                             // Pointer type?
1217     if (*$1 == Type::LabelTy)
1218       GEN_ERROR("Cannot form a pointer to a basic block");
1219     $$ = new PATypeHolder(HandleUpRefs(PointerType::get(*$1)));
1220     delete $1;
1221     CHECK_FOR_ERROR
1222   };
1223
1224 // TypeList - Used for struct declarations and as a basis for function type 
1225 // declaration type lists
1226 //
1227 TypeListI : UpRTypes {
1228     $$ = new std::list<PATypeHolder>();
1229     $$->push_back(*$1); delete $1;
1230     CHECK_FOR_ERROR
1231   }
1232   | TypeListI ',' UpRTypes {
1233     ($$=$1)->push_back(*$3); delete $3;
1234     CHECK_FOR_ERROR
1235   };
1236
1237 // ArgTypeList - List of types for a function type declaration...
1238 ArgTypeListI : TypeListI
1239   | TypeListI ',' DOTDOTDOT {
1240     ($$=$1)->push_back(Type::VoidTy);
1241     CHECK_FOR_ERROR
1242   }
1243   | DOTDOTDOT {
1244     ($$ = new std::list<PATypeHolder>())->push_back(Type::VoidTy);
1245     CHECK_FOR_ERROR
1246   }
1247   | /*empty*/ {
1248     $$ = new std::list<PATypeHolder>();
1249     CHECK_FOR_ERROR
1250   };
1251
1252 // ConstVal - The various declarations that go into the constant pool.  This
1253 // production is used ONLY to represent constants that show up AFTER a 'const',
1254 // 'constant' or 'global' token at global scope.  Constants that can be inlined
1255 // into other expressions (such as integers and constexprs) are handled by the
1256 // ResolvedVal, ValueRef and ConstValueRef productions.
1257 //
1258 ConstVal: Types '[' ConstVector ']' { // Nonempty unsized arr
1259     const ArrayType *ATy = dyn_cast<ArrayType>($1->get());
1260     if (ATy == 0)
1261       GEN_ERROR("Cannot make array constant with type: '" + 
1262                      (*$1)->getDescription() + "'!");
1263     const Type *ETy = ATy->getElementType();
1264     int NumElements = ATy->getNumElements();
1265
1266     // Verify that we have the correct size...
1267     if (NumElements != -1 && NumElements != (int)$3->size())
1268       GEN_ERROR("Type mismatch: constant sized array initialized with " +
1269                      utostr($3->size()) +  " arguments, but has size of " + 
1270                      itostr(NumElements) + "!");
1271
1272     // Verify all elements are correct type!
1273     for (unsigned i = 0; i < $3->size(); i++) {
1274       if (ETy != (*$3)[i]->getType())
1275         GEN_ERROR("Element #" + utostr(i) + " is not of type '" + 
1276                        ETy->getDescription() +"' as required!\nIt is of type '"+
1277                        (*$3)[i]->getType()->getDescription() + "'.");
1278     }
1279
1280     $$ = ConstantArray::get(ATy, *$3);
1281     delete $1; delete $3;
1282     CHECK_FOR_ERROR
1283   }
1284   | Types '[' ']' {
1285     const ArrayType *ATy = dyn_cast<ArrayType>($1->get());
1286     if (ATy == 0)
1287       GEN_ERROR("Cannot make array constant with type: '" + 
1288                      (*$1)->getDescription() + "'!");
1289
1290     int NumElements = ATy->getNumElements();
1291     if (NumElements != -1 && NumElements != 0) 
1292       GEN_ERROR("Type mismatch: constant sized array initialized with 0"
1293                      " arguments, but has size of " + itostr(NumElements) +"!");
1294     $$ = ConstantArray::get(ATy, std::vector<Constant*>());
1295     delete $1;
1296     CHECK_FOR_ERROR
1297   }
1298   | Types 'c' STRINGCONSTANT {
1299     const ArrayType *ATy = dyn_cast<ArrayType>($1->get());
1300     if (ATy == 0)
1301       GEN_ERROR("Cannot make array constant with type: '" + 
1302                      (*$1)->getDescription() + "'!");
1303
1304     int NumElements = ATy->getNumElements();
1305     const Type *ETy = ATy->getElementType();
1306     char *EndStr = UnEscapeLexed($3, true);
1307     if (NumElements != -1 && NumElements != (EndStr-$3))
1308       GEN_ERROR("Can't build string constant of size " + 
1309                      itostr((int)(EndStr-$3)) +
1310                      " when array has size " + itostr(NumElements) + "!");
1311     std::vector<Constant*> Vals;
1312     if (ETy == Type::SByteTy) {
1313       for (signed char *C = (signed char *)$3; C != (signed char *)EndStr; ++C)
1314         Vals.push_back(ConstantInt::get(ETy, *C));
1315     } else if (ETy == Type::UByteTy) {
1316       for (unsigned char *C = (unsigned char *)$3; 
1317            C != (unsigned char*)EndStr; ++C)
1318         Vals.push_back(ConstantInt::get(ETy, *C));
1319     } else {
1320       free($3);
1321       GEN_ERROR("Cannot build string arrays of non byte sized elements!");
1322     }
1323     free($3);
1324     $$ = ConstantArray::get(ATy, Vals);
1325     delete $1;
1326     CHECK_FOR_ERROR
1327   }
1328   | Types '<' ConstVector '>' { // Nonempty unsized arr
1329     const PackedType *PTy = dyn_cast<PackedType>($1->get());
1330     if (PTy == 0)
1331       GEN_ERROR("Cannot make packed constant with type: '" + 
1332                      (*$1)->getDescription() + "'!");
1333     const Type *ETy = PTy->getElementType();
1334     int NumElements = PTy->getNumElements();
1335
1336     // Verify that we have the correct size...
1337     if (NumElements != -1 && NumElements != (int)$3->size())
1338       GEN_ERROR("Type mismatch: constant sized packed initialized with " +
1339                      utostr($3->size()) +  " arguments, but has size of " + 
1340                      itostr(NumElements) + "!");
1341
1342     // Verify all elements are correct type!
1343     for (unsigned i = 0; i < $3->size(); i++) {
1344       if (ETy != (*$3)[i]->getType())
1345         GEN_ERROR("Element #" + utostr(i) + " is not of type '" + 
1346            ETy->getDescription() +"' as required!\nIt is of type '"+
1347            (*$3)[i]->getType()->getDescription() + "'.");
1348     }
1349
1350     $$ = ConstantPacked::get(PTy, *$3);
1351     delete $1; delete $3;
1352     CHECK_FOR_ERROR
1353   }
1354   | Types '{' ConstVector '}' {
1355     const StructType *STy = dyn_cast<StructType>($1->get());
1356     if (STy == 0)
1357       GEN_ERROR("Cannot make struct constant with type: '" + 
1358                      (*$1)->getDescription() + "'!");
1359
1360     if ($3->size() != STy->getNumContainedTypes())
1361       GEN_ERROR("Illegal number of initializers for structure type!");
1362
1363     // Check to ensure that constants are compatible with the type initializer!
1364     for (unsigned i = 0, e = $3->size(); i != e; ++i)
1365       if ((*$3)[i]->getType() != STy->getElementType(i))
1366         GEN_ERROR("Expected type '" +
1367                        STy->getElementType(i)->getDescription() +
1368                        "' for element #" + utostr(i) +
1369                        " of structure initializer!");
1370
1371     $$ = ConstantStruct::get(STy, *$3);
1372     delete $1; delete $3;
1373     CHECK_FOR_ERROR
1374   }
1375   | Types '{' '}' {
1376     const StructType *STy = dyn_cast<StructType>($1->get());
1377     if (STy == 0)
1378       GEN_ERROR("Cannot make struct constant with type: '" + 
1379                      (*$1)->getDescription() + "'!");
1380
1381     if (STy->getNumContainedTypes() != 0)
1382       GEN_ERROR("Illegal number of initializers for structure type!");
1383
1384     $$ = ConstantStruct::get(STy, std::vector<Constant*>());
1385     delete $1;
1386     CHECK_FOR_ERROR
1387   }
1388   | Types NULL_TOK {
1389     const PointerType *PTy = dyn_cast<PointerType>($1->get());
1390     if (PTy == 0)
1391       GEN_ERROR("Cannot make null pointer constant with type: '" + 
1392                      (*$1)->getDescription() + "'!");
1393
1394     $$ = ConstantPointerNull::get(PTy);
1395     delete $1;
1396     CHECK_FOR_ERROR
1397   }
1398   | Types UNDEF {
1399     $$ = UndefValue::get($1->get());
1400     delete $1;
1401     CHECK_FOR_ERROR
1402   }
1403   | Types SymbolicValueRef {
1404     const PointerType *Ty = dyn_cast<PointerType>($1->get());
1405     if (Ty == 0)
1406       GEN_ERROR("Global const reference must be a pointer type!");
1407
1408     // ConstExprs can exist in the body of a function, thus creating
1409     // GlobalValues whenever they refer to a variable.  Because we are in
1410     // the context of a function, getValNonImprovising will search the functions
1411     // symbol table instead of the module symbol table for the global symbol,
1412     // which throws things all off.  To get around this, we just tell
1413     // getValNonImprovising that we are at global scope here.
1414     //
1415     Function *SavedCurFn = CurFun.CurrentFunction;
1416     CurFun.CurrentFunction = 0;
1417
1418     Value *V = getValNonImprovising(Ty, $2);
1419     CHECK_FOR_ERROR
1420
1421     CurFun.CurrentFunction = SavedCurFn;
1422
1423     // If this is an initializer for a constant pointer, which is referencing a
1424     // (currently) undefined variable, create a stub now that shall be replaced
1425     // in the future with the right type of variable.
1426     //
1427     if (V == 0) {
1428       assert(isa<PointerType>(Ty) && "Globals may only be used as pointers!");
1429       const PointerType *PT = cast<PointerType>(Ty);
1430
1431       // First check to see if the forward references value is already created!
1432       PerModuleInfo::GlobalRefsType::iterator I =
1433         CurModule.GlobalRefs.find(std::make_pair(PT, $2));
1434     
1435       if (I != CurModule.GlobalRefs.end()) {
1436         V = I->second;             // Placeholder already exists, use it...
1437         $2.destroy();
1438       } else {
1439         std::string Name;
1440         if ($2.Type == ValID::NameVal) Name = $2.Name;
1441
1442         // Create the forward referenced global.
1443         GlobalValue *GV;
1444         if (const FunctionType *FTy = 
1445                  dyn_cast<FunctionType>(PT->getElementType())) {
1446           GV = new Function(FTy, GlobalValue::ExternalLinkage, Name,
1447                             CurModule.CurrentModule);
1448         } else {
1449           GV = new GlobalVariable(PT->getElementType(), false,
1450                                   GlobalValue::ExternalLinkage, 0,
1451                                   Name, CurModule.CurrentModule);
1452         }
1453
1454         // Keep track of the fact that we have a forward ref to recycle it
1455         CurModule.GlobalRefs.insert(std::make_pair(std::make_pair(PT, $2), GV));
1456         V = GV;
1457       }
1458     }
1459
1460     $$ = cast<GlobalValue>(V);
1461     delete $1;            // Free the type handle
1462     CHECK_FOR_ERROR
1463   }
1464   | Types ConstExpr {
1465     if ($1->get() != $2->getType())
1466       GEN_ERROR("Mismatched types for constant expression!");
1467     $$ = $2;
1468     delete $1;
1469     CHECK_FOR_ERROR
1470   }
1471   | Types ZEROINITIALIZER {
1472     const Type *Ty = $1->get();
1473     if (isa<FunctionType>(Ty) || Ty == Type::LabelTy || isa<OpaqueType>(Ty))
1474       GEN_ERROR("Cannot create a null initialized value of this type!");
1475     $$ = Constant::getNullValue(Ty);
1476     delete $1;
1477     CHECK_FOR_ERROR
1478   }
1479   | SIntType ESINT64VAL {      // integral constants
1480     if (!ConstantInt::isValueValidForType($1, $2))
1481       GEN_ERROR("Constant value doesn't fit in type!");
1482     $$ = ConstantInt::get($1, $2);
1483     CHECK_FOR_ERROR
1484   }
1485   | SIntType EUINT64VAL {      // integral constants
1486     if (!ConstantInt::isValueValidForType($1, $2))
1487       GEN_ERROR("Constant value doesn't fit in type!");
1488     $$ = ConstantInt::get($1, $2);
1489     CHECK_FOR_ERROR
1490   }
1491   | UIntType EUINT64VAL {            // integral constants
1492     if (!ConstantInt::isValueValidForType($1, $2))
1493       GEN_ERROR("Constant value doesn't fit in type!");
1494     $$ = ConstantInt::get($1, $2);
1495     CHECK_FOR_ERROR
1496   }
1497   | UIntType ESINT64VAL {
1498     if (!ConstantInt::isValueValidForType($1, $2))
1499       GEN_ERROR("Constant value doesn't fit in type!");
1500     $$ = ConstantInt::get($1, $2);
1501     CHECK_FOR_ERROR
1502   }
1503   | BOOL TRUETOK {                      // Boolean constants
1504     $$ = ConstantBool::getTrue();
1505     CHECK_FOR_ERROR
1506   }
1507   | BOOL FALSETOK {                     // Boolean constants
1508     $$ = ConstantBool::getFalse();
1509     CHECK_FOR_ERROR
1510   }
1511   | FPType FPVAL {                   // Float & Double constants
1512     if (!ConstantFP::isValueValidForType($1, $2))
1513       GEN_ERROR("Floating point constant invalid for type!!");
1514     $$ = ConstantFP::get($1, $2);
1515     CHECK_FOR_ERROR
1516   };
1517
1518
1519 ConstExpr: CastOps '(' ConstVal TO Types ')' {
1520     Constant *Val = $3;
1521     const Type *Ty = $5->get();
1522     if (!Val->getType()->isFirstClassType())
1523       GEN_ERROR("cast constant expression from a non-primitive type: '" +
1524                      Val->getType()->getDescription() + "'!");
1525     if (!Ty->isFirstClassType())
1526       GEN_ERROR("cast constant expression to a non-primitive type: '" +
1527                 Ty->getDescription() + "'!");
1528     $$ = ConstantExpr::getCast($1, $3, $5->get());
1529     delete $5;
1530   }
1531   | GETELEMENTPTR '(' ConstVal IndexList ')' {
1532     if (!isa<PointerType>($3->getType()))
1533       GEN_ERROR("GetElementPtr requires a pointer operand!");
1534
1535     const Type *IdxTy =
1536       GetElementPtrInst::getIndexedType($3->getType(), *$4, true);
1537     if (!IdxTy)
1538       GEN_ERROR("Index list invalid for constant getelementptr!");
1539
1540     std::vector<Constant*> IdxVec;
1541     for (unsigned i = 0, e = $4->size(); i != e; ++i)
1542       if (Constant *C = dyn_cast<Constant>((*$4)[i]))
1543         IdxVec.push_back(C);
1544       else
1545         GEN_ERROR("Indices to constant getelementptr must be constants!");
1546
1547     delete $4;
1548
1549     $$ = ConstantExpr::getGetElementPtr($3, IdxVec);
1550     CHECK_FOR_ERROR
1551   }
1552   | SELECT '(' ConstVal ',' ConstVal ',' ConstVal ')' {
1553     if ($3->getType() != Type::BoolTy)
1554       GEN_ERROR("Select condition must be of boolean type!");
1555     if ($5->getType() != $7->getType())
1556       GEN_ERROR("Select operand types must match!");
1557     $$ = ConstantExpr::getSelect($3, $5, $7);
1558     CHECK_FOR_ERROR
1559   }
1560   | ArithmeticOps '(' ConstVal ',' ConstVal ')' {
1561     if ($3->getType() != $5->getType())
1562       GEN_ERROR("Binary operator types must match!");
1563     CHECK_FOR_ERROR;
1564     $$ = ConstantExpr::get($1, $3, $5);
1565   }
1566   | LogicalOps '(' ConstVal ',' ConstVal ')' {
1567     if ($3->getType() != $5->getType())
1568       GEN_ERROR("Logical operator types must match!");
1569     if (!$3->getType()->isIntegral()) {
1570       if (!isa<PackedType>($3->getType()) || 
1571           !cast<PackedType>($3->getType())->getElementType()->isIntegral())
1572         GEN_ERROR("Logical operator requires integral operands!");
1573     }
1574     $$ = ConstantExpr::get($1, $3, $5);
1575     CHECK_FOR_ERROR
1576   }
1577   | SetCondOps '(' ConstVal ',' ConstVal ')' {
1578     if ($3->getType() != $5->getType())
1579       GEN_ERROR("setcc operand types must match!");
1580     $$ = ConstantExpr::get($1, $3, $5);
1581     CHECK_FOR_ERROR
1582   }
1583   | ICMP IPredicates '(' ConstVal ',' ConstVal ')' {
1584     if ($4->getType() != $6->getType())
1585       GEN_ERROR("icmp operand types must match!");
1586     $$ = ConstantExpr::getICmp($2, $4, $6);
1587   }
1588   | FCMP FPredicates '(' ConstVal ',' ConstVal ')' {
1589     if ($4->getType() != $6->getType())
1590       GEN_ERROR("fcmp operand types must match!");
1591     $$ = ConstantExpr::getFCmp($2, $4, $6);
1592   }
1593   | ShiftOps '(' ConstVal ',' ConstVal ')' {
1594     if ($5->getType() != Type::UByteTy)
1595       GEN_ERROR("Shift count for shift constant must be unsigned byte!");
1596     if (!$3->getType()->isInteger())
1597       GEN_ERROR("Shift constant expression requires integer operand!");
1598     CHECK_FOR_ERROR;
1599     $$ = ConstantExpr::get($1, $3, $5);
1600     CHECK_FOR_ERROR
1601   }
1602   | EXTRACTELEMENT '(' ConstVal ',' ConstVal ')' {
1603     if (!ExtractElementInst::isValidOperands($3, $5))
1604       GEN_ERROR("Invalid extractelement operands!");
1605     $$ = ConstantExpr::getExtractElement($3, $5);
1606     CHECK_FOR_ERROR
1607   }
1608   | INSERTELEMENT '(' ConstVal ',' ConstVal ',' ConstVal ')' {
1609     if (!InsertElementInst::isValidOperands($3, $5, $7))
1610       GEN_ERROR("Invalid insertelement operands!");
1611     $$ = ConstantExpr::getInsertElement($3, $5, $7);
1612     CHECK_FOR_ERROR
1613   }
1614   | SHUFFLEVECTOR '(' ConstVal ',' ConstVal ',' ConstVal ')' {
1615     if (!ShuffleVectorInst::isValidOperands($3, $5, $7))
1616       GEN_ERROR("Invalid shufflevector operands!");
1617     $$ = ConstantExpr::getShuffleVector($3, $5, $7);
1618     CHECK_FOR_ERROR
1619   };
1620
1621
1622 // ConstVector - A list of comma separated constants.
1623 ConstVector : ConstVector ',' ConstVal {
1624     ($$ = $1)->push_back($3);
1625     CHECK_FOR_ERROR
1626   }
1627   | ConstVal {
1628     $$ = new std::vector<Constant*>();
1629     $$->push_back($1);
1630     CHECK_FOR_ERROR
1631   };
1632
1633
1634 // GlobalType - Match either GLOBAL or CONSTANT for global declarations...
1635 GlobalType : GLOBAL { $$ = false; } | CONSTANT { $$ = true; };
1636
1637
1638 //===----------------------------------------------------------------------===//
1639 //                             Rules to match Modules
1640 //===----------------------------------------------------------------------===//
1641
1642 // Module rule: Capture the result of parsing the whole file into a result
1643 // variable...
1644 //
1645 Module : FunctionList {
1646   $$ = ParserResult = $1;
1647   CurModule.ModuleDone();
1648   CHECK_FOR_ERROR;
1649 };
1650
1651 // FunctionList - A list of functions, preceeded by a constant pool.
1652 //
1653 FunctionList : FunctionList Function {
1654     $$ = $1;
1655     CurFun.FunctionDone();
1656     CHECK_FOR_ERROR
1657   } 
1658   | FunctionList FunctionProto {
1659     $$ = $1;
1660     CHECK_FOR_ERROR
1661   }
1662   | FunctionList MODULE ASM_TOK AsmBlock {
1663     $$ = $1;
1664     CHECK_FOR_ERROR
1665   }  
1666   | FunctionList IMPLEMENTATION {
1667     $$ = $1;
1668     CHECK_FOR_ERROR
1669   }
1670   | ConstPool {
1671     $$ = CurModule.CurrentModule;
1672     // Emit an error if there are any unresolved types left.
1673     if (!CurModule.LateResolveTypes.empty()) {
1674       const ValID &DID = CurModule.LateResolveTypes.begin()->first;
1675       if (DID.Type == ValID::NameVal) {
1676         GEN_ERROR("Reference to an undefined type: '"+DID.getName() + "'");
1677       } else {
1678         GEN_ERROR("Reference to an undefined type: #" + itostr(DID.Num));
1679       }
1680     }
1681     CHECK_FOR_ERROR
1682   };
1683
1684 // ConstPool - Constants with optional names assigned to them.
1685 ConstPool : ConstPool OptAssign TYPE TypesV {
1686     // Eagerly resolve types.  This is not an optimization, this is a
1687     // requirement that is due to the fact that we could have this:
1688     //
1689     // %list = type { %list * }
1690     // %list = type { %list * }    ; repeated type decl
1691     //
1692     // If types are not resolved eagerly, then the two types will not be
1693     // determined to be the same type!
1694     //
1695     ResolveTypeTo($2, *$4);
1696
1697     if (!setTypeName(*$4, $2) && !$2) {
1698       CHECK_FOR_ERROR
1699       // If this is a named type that is not a redefinition, add it to the slot
1700       // table.
1701       CurModule.Types.push_back(*$4);
1702     }
1703
1704     delete $4;
1705     CHECK_FOR_ERROR
1706   }
1707   | ConstPool FunctionProto {       // Function prototypes can be in const pool
1708     CHECK_FOR_ERROR
1709   }
1710   | ConstPool MODULE ASM_TOK AsmBlock {  // Asm blocks can be in the const pool
1711     CHECK_FOR_ERROR
1712   }
1713   | ConstPool OptAssign OptLinkage GlobalType ConstVal {
1714     if ($5 == 0) 
1715       GEN_ERROR("Global value initializer is not a constant!");
1716     CurGV = ParseGlobalVariable($2, $3, $4, $5->getType(), $5);
1717     CHECK_FOR_ERROR
1718   } GlobalVarAttributes {
1719     CurGV = 0;
1720   }
1721   | ConstPool OptAssign EXTERNAL GlobalType Types {
1722     CurGV = ParseGlobalVariable($2, GlobalValue::ExternalLinkage, $4, *$5, 0);
1723     CHECK_FOR_ERROR
1724     delete $5;
1725   } GlobalVarAttributes {
1726     CurGV = 0;
1727     CHECK_FOR_ERROR
1728   }
1729   | ConstPool OptAssign DLLIMPORT GlobalType Types {
1730     CurGV = ParseGlobalVariable($2, GlobalValue::DLLImportLinkage, $4, *$5, 0);
1731     CHECK_FOR_ERROR
1732     delete $5;
1733   } GlobalVarAttributes {
1734     CurGV = 0;
1735     CHECK_FOR_ERROR
1736   }
1737   | ConstPool OptAssign EXTERN_WEAK GlobalType Types {
1738     CurGV = 
1739       ParseGlobalVariable($2, GlobalValue::ExternalWeakLinkage, $4, *$5, 0);
1740     CHECK_FOR_ERROR
1741     delete $5;
1742   } GlobalVarAttributes {
1743     CurGV = 0;
1744     CHECK_FOR_ERROR
1745   }
1746   | ConstPool TARGET TargetDefinition { 
1747     CHECK_FOR_ERROR
1748   }
1749   | ConstPool DEPLIBS '=' LibrariesDefinition {
1750     CHECK_FOR_ERROR
1751   }
1752   | /* empty: end of list */ { 
1753   };
1754
1755
1756 AsmBlock : STRINGCONSTANT {
1757   const std::string &AsmSoFar = CurModule.CurrentModule->getModuleInlineAsm();
1758   char *EndStr = UnEscapeLexed($1, true);
1759   std::string NewAsm($1, EndStr);
1760   free($1);
1761
1762   if (AsmSoFar.empty())
1763     CurModule.CurrentModule->setModuleInlineAsm(NewAsm);
1764   else
1765     CurModule.CurrentModule->setModuleInlineAsm(AsmSoFar+"\n"+NewAsm);
1766   CHECK_FOR_ERROR
1767 };
1768
1769 BigOrLittle : BIG    { $$ = Module::BigEndian; };
1770 BigOrLittle : LITTLE { $$ = Module::LittleEndian; };
1771
1772 TargetDefinition : ENDIAN '=' BigOrLittle {
1773     CurModule.CurrentModule->setEndianness($3);
1774     CHECK_FOR_ERROR
1775   }
1776   | POINTERSIZE '=' EUINT64VAL {
1777     if ($3 == 32)
1778       CurModule.CurrentModule->setPointerSize(Module::Pointer32);
1779     else if ($3 == 64)
1780       CurModule.CurrentModule->setPointerSize(Module::Pointer64);
1781     else
1782       GEN_ERROR("Invalid pointer size: '" + utostr($3) + "'!");
1783     CHECK_FOR_ERROR
1784   }
1785   | TRIPLE '=' STRINGCONSTANT {
1786     CurModule.CurrentModule->setTargetTriple($3);
1787     free($3);
1788   }
1789   | DATALAYOUT '=' STRINGCONSTANT {
1790     CurModule.CurrentModule->setDataLayout($3);
1791     free($3);
1792   };
1793
1794 LibrariesDefinition : '[' LibList ']';
1795
1796 LibList : LibList ',' STRINGCONSTANT {
1797           CurModule.CurrentModule->addLibrary($3);
1798           free($3);
1799           CHECK_FOR_ERROR
1800         }
1801         | STRINGCONSTANT {
1802           CurModule.CurrentModule->addLibrary($1);
1803           free($1);
1804           CHECK_FOR_ERROR
1805         }
1806         | /* empty: end of list */ {
1807           CHECK_FOR_ERROR
1808         }
1809         ;
1810
1811 //===----------------------------------------------------------------------===//
1812 //                       Rules to match Function Headers
1813 //===----------------------------------------------------------------------===//
1814
1815 Name : VAR_ID | STRINGCONSTANT;
1816 OptName : Name | /*empty*/ { $$ = 0; };
1817
1818 ArgVal : Types OptName {
1819   if (*$1 == Type::VoidTy)
1820     GEN_ERROR("void typed arguments are invalid!");
1821   $$ = new std::pair<PATypeHolder*, char*>($1, $2);
1822   CHECK_FOR_ERROR
1823 };
1824
1825 ArgListH : ArgListH ',' ArgVal {
1826     $$ = $1;
1827     $1->push_back(*$3);
1828     delete $3;
1829     CHECK_FOR_ERROR
1830   }
1831   | ArgVal {
1832     $$ = new std::vector<std::pair<PATypeHolder*,char*> >();
1833     $$->push_back(*$1);
1834     delete $1;
1835     CHECK_FOR_ERROR
1836   };
1837
1838 ArgList : ArgListH {
1839     $$ = $1;
1840     CHECK_FOR_ERROR
1841   }
1842   | ArgListH ',' DOTDOTDOT {
1843     $$ = $1;
1844     $$->push_back(std::pair<PATypeHolder*,
1845                             char*>(new PATypeHolder(Type::VoidTy), 0));
1846     CHECK_FOR_ERROR
1847   }
1848   | DOTDOTDOT {
1849     $$ = new std::vector<std::pair<PATypeHolder*,char*> >();
1850     $$->push_back(std::make_pair(new PATypeHolder(Type::VoidTy), (char*)0));
1851     CHECK_FOR_ERROR
1852   }
1853   | /* empty */ {
1854     $$ = 0;
1855     CHECK_FOR_ERROR
1856   };
1857
1858 FunctionHeaderH : OptCallingConv TypesV Name '(' ArgList ')' 
1859                   OptSection OptAlign {
1860   UnEscapeLexed($3);
1861   std::string FunctionName($3);
1862   free($3);  // Free strdup'd memory!
1863   
1864   if (!(*$2)->isFirstClassType() && *$2 != Type::VoidTy)
1865     GEN_ERROR("LLVM functions cannot return aggregate types!");
1866
1867   std::vector<const Type*> ParamTypeList;
1868   if ($5) {   // If there are arguments...
1869     for (std::vector<std::pair<PATypeHolder*,char*> >::iterator I = $5->begin();
1870          I != $5->end(); ++I)
1871       ParamTypeList.push_back(I->first->get());
1872   }
1873
1874   bool isVarArg = ParamTypeList.size() && ParamTypeList.back() == Type::VoidTy;
1875   if (isVarArg) ParamTypeList.pop_back();
1876
1877   const FunctionType *FT = FunctionType::get(*$2, ParamTypeList, isVarArg);
1878   const PointerType *PFT = PointerType::get(FT);
1879   delete $2;
1880
1881   ValID ID;
1882   if (!FunctionName.empty()) {
1883     ID = ValID::create((char*)FunctionName.c_str());
1884   } else {
1885     ID = ValID::create((int)CurModule.Values[PFT].size());
1886   }
1887
1888   Function *Fn = 0;
1889   // See if this function was forward referenced.  If so, recycle the object.
1890   if (GlobalValue *FWRef = CurModule.GetForwardRefForGlobal(PFT, ID)) {
1891     // Move the function to the end of the list, from whereever it was 
1892     // previously inserted.
1893     Fn = cast<Function>(FWRef);
1894     CurModule.CurrentModule->getFunctionList().remove(Fn);
1895     CurModule.CurrentModule->getFunctionList().push_back(Fn);
1896   } else if (!FunctionName.empty() &&     // Merge with an earlier prototype?
1897              (Fn = CurModule.CurrentModule->getFunction(FunctionName, FT))) {
1898     // If this is the case, either we need to be a forward decl, or it needs 
1899     // to be.
1900     if (!CurFun.isDeclare && !Fn->isExternal())
1901       GEN_ERROR("Redefinition of function '" + FunctionName + "'!");
1902     
1903     // Make sure to strip off any argument names so we can't get conflicts.
1904     if (Fn->isExternal())
1905       for (Function::arg_iterator AI = Fn->arg_begin(), AE = Fn->arg_end();
1906            AI != AE; ++AI)
1907         AI->setName("");
1908   } else  {  // Not already defined?
1909     Fn = new Function(FT, GlobalValue::ExternalLinkage, FunctionName,
1910                       CurModule.CurrentModule);
1911
1912     InsertValue(Fn, CurModule.Values);
1913   }
1914
1915   CurFun.FunctionStart(Fn);
1916
1917   if (CurFun.isDeclare) {
1918     // If we have declaration, always overwrite linkage.  This will allow us to
1919     // correctly handle cases, when pointer to function is passed as argument to
1920     // another function.
1921     Fn->setLinkage(CurFun.Linkage);
1922   }
1923   Fn->setCallingConv($1);
1924   Fn->setAlignment($8);
1925   if ($7) {
1926     Fn->setSection($7);
1927     free($7);
1928   }
1929
1930   // Add all of the arguments we parsed to the function...
1931   if ($5) {                     // Is null if empty...
1932     if (isVarArg) {  // Nuke the last entry
1933       assert($5->back().first->get() == Type::VoidTy && $5->back().second == 0&&
1934              "Not a varargs marker!");
1935       delete $5->back().first;
1936       $5->pop_back();  // Delete the last entry
1937     }
1938     Function::arg_iterator ArgIt = Fn->arg_begin();
1939     for (std::vector<std::pair<PATypeHolder*,char*> >::iterator I = $5->begin();
1940          I != $5->end(); ++I, ++ArgIt) {
1941       delete I->first;                          // Delete the typeholder...
1942
1943       setValueName(ArgIt, I->second);           // Insert arg into symtab...
1944       CHECK_FOR_ERROR
1945       InsertValue(ArgIt);
1946     }
1947
1948     delete $5;                     // We're now done with the argument list
1949   }
1950   CHECK_FOR_ERROR
1951 };
1952
1953 BEGIN : BEGINTOK | '{';                // Allow BEGIN or '{' to start a function
1954
1955 FunctionHeader : OptLinkage FunctionHeaderH BEGIN {
1956   $$ = CurFun.CurrentFunction;
1957
1958   // Make sure that we keep track of the linkage type even if there was a
1959   // previous "declare".
1960   $$->setLinkage($1);
1961 };
1962
1963 END : ENDTOK | '}';                    // Allow end of '}' to end a function
1964
1965 Function : BasicBlockList END {
1966   $$ = $1;
1967   CHECK_FOR_ERROR
1968 };
1969
1970 FnDeclareLinkage: /*default*/ |
1971                   DLLIMPORT   { CurFun.Linkage = GlobalValue::DLLImportLinkage; } |
1972                   EXTERN_WEAK { CurFun.Linkage = GlobalValue::ExternalWeakLinkage; };
1973   
1974 FunctionProto : DECLARE { CurFun.isDeclare = true; } FnDeclareLinkage FunctionHeaderH {
1975     $$ = CurFun.CurrentFunction;
1976     CurFun.FunctionDone();
1977     CHECK_FOR_ERROR
1978   };
1979
1980 //===----------------------------------------------------------------------===//
1981 //                        Rules to match Basic Blocks
1982 //===----------------------------------------------------------------------===//
1983
1984 OptSideEffect : /* empty */ {
1985     $$ = false;
1986     CHECK_FOR_ERROR
1987   }
1988   | SIDEEFFECT {
1989     $$ = true;
1990     CHECK_FOR_ERROR
1991   };
1992
1993 ConstValueRef : ESINT64VAL {    // A reference to a direct constant
1994     $$ = ValID::create($1);
1995     CHECK_FOR_ERROR
1996   }
1997   | EUINT64VAL {
1998     $$ = ValID::create($1);
1999     CHECK_FOR_ERROR
2000   }
2001   | FPVAL {                     // Perhaps it's an FP constant?
2002     $$ = ValID::create($1);
2003     CHECK_FOR_ERROR
2004   }
2005   | TRUETOK {
2006     $$ = ValID::create(ConstantBool::getTrue());
2007     CHECK_FOR_ERROR
2008   } 
2009   | FALSETOK {
2010     $$ = ValID::create(ConstantBool::getFalse());
2011     CHECK_FOR_ERROR
2012   }
2013   | NULL_TOK {
2014     $$ = ValID::createNull();
2015     CHECK_FOR_ERROR
2016   }
2017   | UNDEF {
2018     $$ = ValID::createUndef();
2019     CHECK_FOR_ERROR
2020   }
2021   | ZEROINITIALIZER {     // A vector zero constant.
2022     $$ = ValID::createZeroInit();
2023     CHECK_FOR_ERROR
2024   }
2025   | '<' ConstVector '>' { // Nonempty unsized packed vector
2026     const Type *ETy = (*$2)[0]->getType();
2027     int NumElements = $2->size(); 
2028     
2029     PackedType* pt = PackedType::get(ETy, NumElements);
2030     PATypeHolder* PTy = new PATypeHolder(
2031                                          HandleUpRefs(
2032                                             PackedType::get(
2033                                                 ETy, 
2034                                                 NumElements)
2035                                             )
2036                                          );
2037     
2038     // Verify all elements are correct type!
2039     for (unsigned i = 0; i < $2->size(); i++) {
2040       if (ETy != (*$2)[i]->getType())
2041         GEN_ERROR("Element #" + utostr(i) + " is not of type '" + 
2042                      ETy->getDescription() +"' as required!\nIt is of type '" +
2043                      (*$2)[i]->getType()->getDescription() + "'.");
2044     }
2045
2046     $$ = ValID::create(ConstantPacked::get(pt, *$2));
2047     delete PTy; delete $2;
2048     CHECK_FOR_ERROR
2049   }
2050   | ConstExpr {
2051     $$ = ValID::create($1);
2052     CHECK_FOR_ERROR
2053   }
2054   | ASM_TOK OptSideEffect STRINGCONSTANT ',' STRINGCONSTANT {
2055     char *End = UnEscapeLexed($3, true);
2056     std::string AsmStr = std::string($3, End);
2057     End = UnEscapeLexed($5, true);
2058     std::string Constraints = std::string($5, End);
2059     $$ = ValID::createInlineAsm(AsmStr, Constraints, $2);
2060     free($3);
2061     free($5);
2062     CHECK_FOR_ERROR
2063   };
2064
2065 // SymbolicValueRef - Reference to one of two ways of symbolically refering to
2066 // another value.
2067 //
2068 SymbolicValueRef : INTVAL {  // Is it an integer reference...?
2069     $$ = ValID::create($1);
2070     CHECK_FOR_ERROR
2071   }
2072   | Name {                   // Is it a named reference...?
2073     $$ = ValID::create($1);
2074     CHECK_FOR_ERROR
2075   };
2076
2077 // ValueRef - A reference to a definition... either constant or symbolic
2078 ValueRef : SymbolicValueRef | ConstValueRef;
2079
2080
2081 // ResolvedVal - a <type> <value> pair.  This is used only in cases where the
2082 // type immediately preceeds the value reference, and allows complex constant
2083 // pool references (for things like: 'ret [2 x int] [ int 12, int 42]')
2084 ResolvedVal : Types ValueRef {
2085     $$ = getVal(*$1, $2); delete $1;
2086     CHECK_FOR_ERROR
2087   };
2088
2089 BasicBlockList : BasicBlockList BasicBlock {
2090     $$ = $1;
2091     CHECK_FOR_ERROR
2092   }
2093   | FunctionHeader BasicBlock { // Do not allow functions with 0 basic blocks   
2094     $$ = $1;
2095     CHECK_FOR_ERROR
2096   };
2097
2098
2099 // Basic blocks are terminated by branching instructions: 
2100 // br, br/cc, switch, ret
2101 //
2102 BasicBlock : InstructionList OptAssign BBTerminatorInst  {
2103     setValueName($3, $2);
2104     CHECK_FOR_ERROR
2105     InsertValue($3);
2106
2107     $1->getInstList().push_back($3);
2108     InsertValue($1);
2109     $$ = $1;
2110     CHECK_FOR_ERROR
2111   };
2112
2113 InstructionList : InstructionList Inst {
2114     if (CastInst *CI1 = dyn_cast<CastInst>($2))
2115       if (CastInst *CI2 = dyn_cast<CastInst>(CI1->getOperand(0)))
2116         if (CI2->getParent() == 0)
2117           $1->getInstList().push_back(CI2);
2118     $1->getInstList().push_back($2);
2119     $$ = $1;
2120     CHECK_FOR_ERROR
2121   }
2122   | /* empty */ {
2123     $$ = getBBVal(ValID::create((int)CurFun.NextBBNum++), true);
2124     CHECK_FOR_ERROR
2125
2126     // Make sure to move the basic block to the correct location in the
2127     // function, instead of leaving it inserted wherever it was first
2128     // referenced.
2129     Function::BasicBlockListType &BBL = 
2130       CurFun.CurrentFunction->getBasicBlockList();
2131     BBL.splice(BBL.end(), BBL, $$);
2132     CHECK_FOR_ERROR
2133   }
2134   | LABELSTR {
2135     $$ = getBBVal(ValID::create($1), true);
2136     CHECK_FOR_ERROR
2137
2138     // Make sure to move the basic block to the correct location in the
2139     // function, instead of leaving it inserted wherever it was first
2140     // referenced.
2141     Function::BasicBlockListType &BBL = 
2142       CurFun.CurrentFunction->getBasicBlockList();
2143     BBL.splice(BBL.end(), BBL, $$);
2144     CHECK_FOR_ERROR
2145   };
2146
2147 BBTerminatorInst : RET ResolvedVal {              // Return with a result...
2148     $$ = new ReturnInst($2);
2149     CHECK_FOR_ERROR
2150   }
2151   | RET VOID {                                       // Return with no result...
2152     $$ = new ReturnInst();
2153     CHECK_FOR_ERROR
2154   }
2155   | BR LABEL ValueRef {                         // Unconditional Branch...
2156     BasicBlock* tmpBB = getBBVal($3);
2157     CHECK_FOR_ERROR
2158     $$ = new BranchInst(tmpBB);
2159   }                                                  // Conditional Branch...
2160   | BR BOOL ValueRef ',' LABEL ValueRef ',' LABEL ValueRef {  
2161     BasicBlock* tmpBBA = getBBVal($6);
2162     CHECK_FOR_ERROR
2163     BasicBlock* tmpBBB = getBBVal($9);
2164     CHECK_FOR_ERROR
2165     Value* tmpVal = getVal(Type::BoolTy, $3);
2166     CHECK_FOR_ERROR
2167     $$ = new BranchInst(tmpBBA, tmpBBB, tmpVal);
2168   }
2169   | SWITCH IntType ValueRef ',' LABEL ValueRef '[' JumpTable ']' {
2170     Value* tmpVal = getVal($2, $3);
2171     CHECK_FOR_ERROR
2172     BasicBlock* tmpBB = getBBVal($6);
2173     CHECK_FOR_ERROR
2174     SwitchInst *S = new SwitchInst(tmpVal, tmpBB, $8->size());
2175     $$ = S;
2176
2177     std::vector<std::pair<Constant*,BasicBlock*> >::iterator I = $8->begin(),
2178       E = $8->end();
2179     for (; I != E; ++I) {
2180       if (ConstantInt *CI = dyn_cast<ConstantInt>(I->first))
2181           S->addCase(CI, I->second);
2182       else
2183         GEN_ERROR("Switch case is constant, but not a simple integer!");
2184     }
2185     delete $8;
2186     CHECK_FOR_ERROR
2187   }
2188   | SWITCH IntType ValueRef ',' LABEL ValueRef '[' ']' {
2189     Value* tmpVal = getVal($2, $3);
2190     CHECK_FOR_ERROR
2191     BasicBlock* tmpBB = getBBVal($6);
2192     CHECK_FOR_ERROR
2193     SwitchInst *S = new SwitchInst(tmpVal, tmpBB, 0);
2194     $$ = S;
2195     CHECK_FOR_ERROR
2196   }
2197   | INVOKE OptCallingConv TypesV ValueRef '(' ValueRefListE ')'
2198     TO LABEL ValueRef UNWIND LABEL ValueRef {
2199     const PointerType *PFTy;
2200     const FunctionType *Ty;
2201
2202     if (!(PFTy = dyn_cast<PointerType>($3->get())) ||
2203         !(Ty = dyn_cast<FunctionType>(PFTy->getElementType()))) {
2204       // Pull out the types of all of the arguments...
2205       std::vector<const Type*> ParamTypes;
2206       if ($6) {
2207         for (std::vector<Value*>::iterator I = $6->begin(), E = $6->end();
2208              I != E; ++I)
2209           ParamTypes.push_back((*I)->getType());
2210       }
2211
2212       bool isVarArg = ParamTypes.size() && ParamTypes.back() == Type::VoidTy;
2213       if (isVarArg) ParamTypes.pop_back();
2214
2215       Ty = FunctionType::get($3->get(), ParamTypes, isVarArg);
2216       PFTy = PointerType::get(Ty);
2217     }
2218
2219     Value *V = getVal(PFTy, $4);   // Get the function we're calling...
2220     CHECK_FOR_ERROR
2221     BasicBlock *Normal = getBBVal($10);
2222     CHECK_FOR_ERROR
2223     BasicBlock *Except = getBBVal($13);
2224     CHECK_FOR_ERROR
2225
2226     // Create the call node...
2227     if (!$6) {                                   // Has no arguments?
2228       $$ = new InvokeInst(V, Normal, Except, std::vector<Value*>());
2229     } else {                                     // Has arguments?
2230       // Loop through FunctionType's arguments and ensure they are specified
2231       // correctly!
2232       //
2233       FunctionType::param_iterator I = Ty->param_begin();
2234       FunctionType::param_iterator E = Ty->param_end();
2235       std::vector<Value*>::iterator ArgI = $6->begin(), ArgE = $6->end();
2236
2237       for (; ArgI != ArgE && I != E; ++ArgI, ++I)
2238         if ((*ArgI)->getType() != *I)
2239           GEN_ERROR("Parameter " +(*ArgI)->getName()+ " is not of type '" +
2240                          (*I)->getDescription() + "'!");
2241
2242       if (I != E || (ArgI != ArgE && !Ty->isVarArg()))
2243         GEN_ERROR("Invalid number of parameters detected!");
2244
2245       $$ = new InvokeInst(V, Normal, Except, *$6);
2246     }
2247     cast<InvokeInst>($$)->setCallingConv($2);
2248   
2249     delete $3;
2250     delete $6;
2251     CHECK_FOR_ERROR
2252   }
2253   | UNWIND {
2254     $$ = new UnwindInst();
2255     CHECK_FOR_ERROR
2256   }
2257   | UNREACHABLE {
2258     $$ = new UnreachableInst();
2259     CHECK_FOR_ERROR
2260   };
2261
2262
2263
2264 JumpTable : JumpTable IntType ConstValueRef ',' LABEL ValueRef {
2265     $$ = $1;
2266     Constant *V = cast<Constant>(getValNonImprovising($2, $3));
2267     CHECK_FOR_ERROR
2268     if (V == 0)
2269       GEN_ERROR("May only switch on a constant pool value!");
2270
2271     BasicBlock* tmpBB = getBBVal($6);
2272     CHECK_FOR_ERROR
2273     $$->push_back(std::make_pair(V, tmpBB));
2274   }
2275   | IntType ConstValueRef ',' LABEL ValueRef {
2276     $$ = new std::vector<std::pair<Constant*, BasicBlock*> >();
2277     Constant *V = cast<Constant>(getValNonImprovising($1, $2));
2278     CHECK_FOR_ERROR
2279
2280     if (V == 0)
2281       GEN_ERROR("May only switch on a constant pool value!");
2282
2283     BasicBlock* tmpBB = getBBVal($5);
2284     CHECK_FOR_ERROR
2285     $$->push_back(std::make_pair(V, tmpBB)); 
2286   };
2287
2288 Inst : OptAssign InstVal {
2289   // Is this definition named?? if so, assign the name...
2290   setValueName($2, $1);
2291   CHECK_FOR_ERROR
2292   InsertValue($2);
2293   $$ = $2;
2294   CHECK_FOR_ERROR
2295 };
2296
2297 PHIList : Types '[' ValueRef ',' ValueRef ']' {    // Used for PHI nodes
2298     $$ = new std::list<std::pair<Value*, BasicBlock*> >();
2299     Value* tmpVal = getVal(*$1, $3);
2300     CHECK_FOR_ERROR
2301     BasicBlock* tmpBB = getBBVal($5);
2302     CHECK_FOR_ERROR
2303     $$->push_back(std::make_pair(tmpVal, tmpBB));
2304     delete $1;
2305   }
2306   | PHIList ',' '[' ValueRef ',' ValueRef ']' {
2307     $$ = $1;
2308     Value* tmpVal = getVal($1->front().first->getType(), $4);
2309     CHECK_FOR_ERROR
2310     BasicBlock* tmpBB = getBBVal($6);
2311     CHECK_FOR_ERROR
2312     $1->push_back(std::make_pair(tmpVal, tmpBB));
2313   };
2314
2315
2316 ValueRefList : ResolvedVal {    // Used for call statements, and memory insts...
2317     $$ = new std::vector<Value*>();
2318     $$->push_back($1);
2319   }
2320   | ValueRefList ',' ResolvedVal {
2321     $$ = $1;
2322     $1->push_back($3);
2323     CHECK_FOR_ERROR
2324   };
2325
2326 // ValueRefListE - Just like ValueRefList, except that it may also be empty!
2327 ValueRefListE : ValueRefList | /*empty*/ { $$ = 0; };
2328
2329 OptTailCall : TAIL CALL {
2330     $$ = true;
2331     CHECK_FOR_ERROR
2332   }
2333   | CALL {
2334     $$ = false;
2335     CHECK_FOR_ERROR
2336   };
2337
2338 InstVal : ArithmeticOps Types ValueRef ',' ValueRef {
2339     if (!(*$2)->isInteger() && !(*$2)->isFloatingPoint() && 
2340         !isa<PackedType>((*$2).get()))
2341       GEN_ERROR(
2342         "Arithmetic operator requires integer, FP, or packed operands!");
2343     if (isa<PackedType>((*$2).get()) && 
2344         ($1 == Instruction::URem || 
2345          $1 == Instruction::SRem ||
2346          $1 == Instruction::FRem))
2347       GEN_ERROR("U/S/FRem not supported on packed types!");
2348     Value* val1 = getVal(*$2, $3); 
2349     CHECK_FOR_ERROR
2350     Value* val2 = getVal(*$2, $5);
2351     CHECK_FOR_ERROR
2352     $$ = BinaryOperator::create($1, val1, val2);
2353     if ($$ == 0)
2354       GEN_ERROR("binary operator returned null!");
2355     delete $2;
2356   }
2357   | LogicalOps Types ValueRef ',' ValueRef {
2358     if (!(*$2)->isIntegral()) {
2359       if (!isa<PackedType>($2->get()) ||
2360           !cast<PackedType>($2->get())->getElementType()->isIntegral())
2361         GEN_ERROR("Logical operator requires integral operands!");
2362     }
2363     Value* tmpVal1 = getVal(*$2, $3);
2364     CHECK_FOR_ERROR
2365     Value* tmpVal2 = getVal(*$2, $5);
2366     CHECK_FOR_ERROR
2367     $$ = BinaryOperator::create($1, tmpVal1, tmpVal2);
2368     if ($$ == 0)
2369       GEN_ERROR("binary operator returned null!");
2370     delete $2;
2371   }
2372   | SetCondOps Types ValueRef ',' ValueRef {
2373     if(isa<PackedType>((*$2).get())) {
2374       GEN_ERROR(
2375         "PackedTypes currently not supported in setcc instructions!");
2376     }
2377     Value* tmpVal1 = getVal(*$2, $3);
2378     CHECK_FOR_ERROR
2379     Value* tmpVal2 = getVal(*$2, $5);
2380     CHECK_FOR_ERROR
2381     $$ = new SetCondInst($1, tmpVal1, tmpVal2);
2382     if ($$ == 0)
2383       GEN_ERROR("binary operator returned null!");
2384     delete $2;
2385   }
2386   | ICMP IPredicates Types ValueRef ',' ValueRef  {
2387     if (isa<PackedType>((*$3).get()))
2388       GEN_ERROR("Packed types not supported by icmp instruction");
2389     Value* tmpVal1 = getVal(*$3, $4);
2390     CHECK_FOR_ERROR
2391     Value* tmpVal2 = getVal(*$3, $6);
2392     CHECK_FOR_ERROR
2393     $$ = CmpInst::create($1, $2, tmpVal1, tmpVal2);
2394     if ($$ == 0)
2395       GEN_ERROR("icmp operator returned null!");
2396   }
2397   | FCMP FPredicates Types ValueRef ',' ValueRef  {
2398     if (isa<PackedType>((*$3).get()))
2399       GEN_ERROR("Packed types not supported by fcmp instruction");
2400     Value* tmpVal1 = getVal(*$3, $4);
2401     CHECK_FOR_ERROR
2402     Value* tmpVal2 = getVal(*$3, $6);
2403     CHECK_FOR_ERROR
2404     $$ = CmpInst::create($1, $2, tmpVal1, tmpVal2);
2405     if ($$ == 0)
2406       GEN_ERROR("fcmp operator returned null!");
2407   }
2408   | NOT ResolvedVal {
2409     cerr << "WARNING: Use of eliminated 'not' instruction:"
2410          << " Replacing with 'xor'.\n";
2411
2412     Value *Ones = ConstantIntegral::getAllOnesValue($2->getType());
2413     if (Ones == 0)
2414       GEN_ERROR("Expected integral type for not instruction!");
2415
2416     $$ = BinaryOperator::create(Instruction::Xor, $2, Ones);
2417     if ($$ == 0)
2418       GEN_ERROR("Could not create a xor instruction!");
2419     CHECK_FOR_ERROR
2420   }
2421   | ShiftOps ResolvedVal ',' ResolvedVal {
2422     if ($4->getType() != Type::UByteTy)
2423       GEN_ERROR("Shift amount must be ubyte!");
2424     if (!$2->getType()->isInteger())
2425       GEN_ERROR("Shift constant expression requires integer operand!");
2426     CHECK_FOR_ERROR;
2427     $$ = new ShiftInst($1, $2, $4);
2428     CHECK_FOR_ERROR
2429   }
2430   | CastOps ResolvedVal TO Types {
2431     Value* Val = $2;
2432     const Type* Ty = $4->get();
2433     if (!Val->getType()->isFirstClassType())
2434       GEN_ERROR("cast from a non-primitive type: '" +
2435                 Val->getType()->getDescription() + "'!");
2436     if (!Ty->isFirstClassType())
2437       GEN_ERROR("cast to a non-primitive type: '" + Ty->getDescription() +"'!");
2438     $$ = CastInst::create($1, $2, $4->get());
2439     delete $4;
2440   }
2441   | SELECT ResolvedVal ',' ResolvedVal ',' ResolvedVal {
2442     if ($2->getType() != Type::BoolTy)
2443       GEN_ERROR("select condition must be boolean!");
2444     if ($4->getType() != $6->getType())
2445       GEN_ERROR("select value types should match!");
2446     $$ = new SelectInst($2, $4, $6);
2447     CHECK_FOR_ERROR
2448   }
2449   | VAARG ResolvedVal ',' Types {
2450     $$ = new VAArgInst($2, *$4);
2451     delete $4;
2452     CHECK_FOR_ERROR
2453   }
2454   | EXTRACTELEMENT ResolvedVal ',' ResolvedVal {
2455     if (!ExtractElementInst::isValidOperands($2, $4))
2456       GEN_ERROR("Invalid extractelement operands!");
2457     $$ = new ExtractElementInst($2, $4);
2458     CHECK_FOR_ERROR
2459   }
2460   | INSERTELEMENT ResolvedVal ',' ResolvedVal ',' ResolvedVal {
2461     if (!InsertElementInst::isValidOperands($2, $4, $6))
2462       GEN_ERROR("Invalid insertelement operands!");
2463     $$ = new InsertElementInst($2, $4, $6);
2464     CHECK_FOR_ERROR
2465   }
2466   | SHUFFLEVECTOR ResolvedVal ',' ResolvedVal ',' ResolvedVal {
2467     if (!ShuffleVectorInst::isValidOperands($2, $4, $6))
2468       GEN_ERROR("Invalid shufflevector operands!");
2469     $$ = new ShuffleVectorInst($2, $4, $6);
2470     CHECK_FOR_ERROR
2471   }
2472   | PHI_TOK PHIList {
2473     const Type *Ty = $2->front().first->getType();
2474     if (!Ty->isFirstClassType())
2475       GEN_ERROR("PHI node operands must be of first class type!");
2476     $$ = new PHINode(Ty);
2477     ((PHINode*)$$)->reserveOperandSpace($2->size());
2478     while ($2->begin() != $2->end()) {
2479       if ($2->front().first->getType() != Ty) 
2480         GEN_ERROR("All elements of a PHI node must be of the same type!");
2481       cast<PHINode>($$)->addIncoming($2->front().first, $2->front().second);
2482       $2->pop_front();
2483     }
2484     delete $2;  // Free the list...
2485     CHECK_FOR_ERROR
2486   }
2487   | OptTailCall OptCallingConv TypesV ValueRef '(' ValueRefListE ')'  {
2488     const PointerType *PFTy = 0;
2489     const FunctionType *Ty = 0;
2490
2491     if (!(PFTy = dyn_cast<PointerType>($3->get())) ||
2492         !(Ty = dyn_cast<FunctionType>(PFTy->getElementType()))) {
2493       // Pull out the types of all of the arguments...
2494       std::vector<const Type*> ParamTypes;
2495       if ($6) {
2496         for (std::vector<Value*>::iterator I = $6->begin(), E = $6->end();
2497              I != E; ++I)
2498           ParamTypes.push_back((*I)->getType());
2499       }
2500
2501       bool isVarArg = ParamTypes.size() && ParamTypes.back() == Type::VoidTy;
2502       if (isVarArg) ParamTypes.pop_back();
2503
2504       if (!(*$3)->isFirstClassType() && *$3 != Type::VoidTy)
2505         GEN_ERROR("LLVM functions cannot return aggregate types!");
2506
2507       Ty = FunctionType::get($3->get(), ParamTypes, isVarArg);
2508       PFTy = PointerType::get(Ty);
2509     }
2510
2511     Value *V = getVal(PFTy, $4);   // Get the function we're calling...
2512     CHECK_FOR_ERROR
2513
2514     // Create the call node...
2515     if (!$6) {                                   // Has no arguments?
2516       // Make sure no arguments is a good thing!
2517       if (Ty->getNumParams() != 0)
2518         GEN_ERROR("No arguments passed to a function that "
2519                        "expects arguments!");
2520
2521       $$ = new CallInst(V, std::vector<Value*>());
2522     } else {                                     // Has arguments?
2523       // Loop through FunctionType's arguments and ensure they are specified
2524       // correctly!
2525       //
2526       FunctionType::param_iterator I = Ty->param_begin();
2527       FunctionType::param_iterator E = Ty->param_end();
2528       std::vector<Value*>::iterator ArgI = $6->begin(), ArgE = $6->end();
2529
2530       for (; ArgI != ArgE && I != E; ++ArgI, ++I)
2531         if ((*ArgI)->getType() != *I)
2532           GEN_ERROR("Parameter " +(*ArgI)->getName()+ " is not of type '" +
2533                          (*I)->getDescription() + "'!");
2534
2535       if (I != E || (ArgI != ArgE && !Ty->isVarArg()))
2536         GEN_ERROR("Invalid number of parameters detected!");
2537
2538       $$ = new CallInst(V, *$6);
2539     }
2540     cast<CallInst>($$)->setTailCall($1);
2541     cast<CallInst>($$)->setCallingConv($2);
2542     delete $3;
2543     delete $6;
2544     CHECK_FOR_ERROR
2545   }
2546   | MemoryInst {
2547     $$ = $1;
2548     CHECK_FOR_ERROR
2549   };
2550
2551
2552 // IndexList - List of indices for GEP based instructions...
2553 IndexList : ',' ValueRefList { 
2554     $$ = $2; 
2555     CHECK_FOR_ERROR
2556   } | /* empty */ { 
2557     $$ = new std::vector<Value*>(); 
2558     CHECK_FOR_ERROR
2559   };
2560
2561 OptVolatile : VOLATILE {
2562     $$ = true;
2563     CHECK_FOR_ERROR
2564   }
2565   | /* empty */ {
2566     $$ = false;
2567     CHECK_FOR_ERROR
2568   };
2569
2570
2571
2572 MemoryInst : MALLOC Types OptCAlign {
2573     $$ = new MallocInst(*$2, 0, $3);
2574     delete $2;
2575     CHECK_FOR_ERROR
2576   }
2577   | MALLOC Types ',' UINT ValueRef OptCAlign {
2578     Value* tmpVal = getVal($4, $5);
2579     CHECK_FOR_ERROR
2580     $$ = new MallocInst(*$2, tmpVal, $6);
2581     delete $2;
2582   }
2583   | ALLOCA Types OptCAlign {
2584     $$ = new AllocaInst(*$2, 0, $3);
2585     delete $2;
2586     CHECK_FOR_ERROR
2587   }
2588   | ALLOCA Types ',' UINT ValueRef OptCAlign {
2589     Value* tmpVal = getVal($4, $5);
2590     CHECK_FOR_ERROR
2591     $$ = new AllocaInst(*$2, tmpVal, $6);
2592     delete $2;
2593   }
2594   | FREE ResolvedVal {
2595     if (!isa<PointerType>($2->getType()))
2596       GEN_ERROR("Trying to free nonpointer type " + 
2597                      $2->getType()->getDescription() + "!");
2598     $$ = new FreeInst($2);
2599     CHECK_FOR_ERROR
2600   }
2601
2602   | OptVolatile LOAD Types ValueRef {
2603     if (!isa<PointerType>($3->get()))
2604       GEN_ERROR("Can't load from nonpointer type: " +
2605                      (*$3)->getDescription());
2606     if (!cast<PointerType>($3->get())->getElementType()->isFirstClassType())
2607       GEN_ERROR("Can't load from pointer of non-first-class type: " +
2608                      (*$3)->getDescription());
2609     Value* tmpVal = getVal(*$3, $4);
2610     CHECK_FOR_ERROR
2611     $$ = new LoadInst(tmpVal, "", $1);
2612     delete $3;
2613   }
2614   | OptVolatile STORE ResolvedVal ',' Types ValueRef {
2615     const PointerType *PT = dyn_cast<PointerType>($5->get());
2616     if (!PT)
2617       GEN_ERROR("Can't store to a nonpointer type: " +
2618                      (*$5)->getDescription());
2619     const Type *ElTy = PT->getElementType();
2620     if (ElTy != $3->getType())
2621       GEN_ERROR("Can't store '" + $3->getType()->getDescription() +
2622                      "' into space of type '" + ElTy->getDescription() + "'!");
2623
2624     Value* tmpVal = getVal(*$5, $6);
2625     CHECK_FOR_ERROR
2626     $$ = new StoreInst($3, tmpVal, $1);
2627     delete $5;
2628   }
2629   | GETELEMENTPTR Types ValueRef IndexList {
2630     if (!isa<PointerType>($2->get()))
2631       GEN_ERROR("getelementptr insn requires pointer operand!");
2632
2633     if (!GetElementPtrInst::getIndexedType(*$2, *$4, true))
2634       GEN_ERROR("Invalid getelementptr indices for type '" +
2635                      (*$2)->getDescription()+ "'!");
2636     Value* tmpVal = getVal(*$2, $3);
2637     CHECK_FOR_ERROR
2638     $$ = new GetElementPtrInst(tmpVal, *$4);
2639     delete $2; 
2640     delete $4;
2641   };
2642
2643
2644 %%
2645
2646 void llvm::GenerateError(const std::string &message, int LineNo) {
2647   if (LineNo == -1) LineNo = llvmAsmlineno;
2648   // TODO: column number in exception
2649   if (TheParseError)
2650     TheParseError->setError(CurFilename, message, LineNo);
2651   TriggerError = 1;
2652 }
2653
2654 int yyerror(const char *ErrorMsg) {
2655   std::string where 
2656     = std::string((CurFilename == "-") ? std::string("<stdin>") : CurFilename)
2657                   + ":" + utostr((unsigned) llvmAsmlineno) + ": ";
2658   std::string errMsg = std::string(ErrorMsg) + "\n" + where + " while reading ";
2659   if (yychar == YYEMPTY || yychar == 0)
2660     errMsg += "end-of-file.";
2661   else
2662     errMsg += "token: '" + std::string(llvmAsmtext, llvmAsmleng) + "'";
2663   GenerateError(errMsg);
2664   return 0;
2665 }