Add new optional getPassName() virtual function that a Pass can override
[oota-llvm.git] / lib / Target / SparcV9 / SparcV9AsmPrinter.cpp
1 //===-- EmitAssembly.cpp - Emit Sparc Specific .s File ---------------------==//
2 //
3 // This file implements all of the stuff neccesary to output a .s file from
4 // LLVM.  The code in this file assumes that the specified module has already
5 // been compiled into the internal data structures of the Module.
6 //
7 // This code largely consists of two LLVM Pass's: a FunctionPass and a Pass.
8 // The FunctionPass is pipelined together with all of the rest of the code
9 // generation stages, and the Pass runs at the end to emit code for global
10 // variables and such.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #include "SparcInternals.h"
15 #include "llvm/CodeGen/MachineInstr.h"
16 #include "llvm/CodeGen/MachineCodeForMethod.h"
17 #include "llvm/GlobalVariable.h"
18 #include "llvm/Constants.h"
19 #include "llvm/DerivedTypes.h"
20 #include "llvm/Annotation.h"
21 #include "llvm/BasicBlock.h"
22 #include "llvm/Function.h"
23 #include "llvm/Module.h"
24 #include "llvm/SlotCalculator.h"
25 #include "llvm/Pass.h"
26 #include "llvm/Assembly/Writer.h"
27 #include "Support/StringExtras.h"
28 #include "Support/HashExtras.h"
29 #include <iostream>
30 using std::string;
31
32 namespace {
33
34 class GlobalIdTable: public Annotation {
35   static AnnotationID AnnotId;
36   friend class AsmPrinter;              // give access to AnnotId
37   
38   typedef std::hash_map<const Value*, int> ValIdMap;
39   typedef ValIdMap::const_iterator ValIdMapConstIterator;
40   typedef ValIdMap::      iterator ValIdMapIterator;
41 public:
42   SlotCalculator Table;    // map anonymous values to unique integer IDs
43   ValIdMap valToIdMap;     // used for values not handled by SlotCalculator 
44   
45   GlobalIdTable(Module* M) : Annotation(AnnotId), Table(M, true) {}
46 };
47
48 AnnotationID GlobalIdTable::AnnotId =
49   AnnotationManager::getID("ASM PRINTER GLOBAL TABLE ANNOT");
50   
51 //===---------------------------------------------------------------------===//
52 //   Code Shared By the two printer passes, as a mixin
53 //===---------------------------------------------------------------------===//
54
55 class AsmPrinter {
56   GlobalIdTable* idTable;
57 public:
58   std::ostream &toAsm;
59   const TargetMachine &Target;
60   
61   enum Sections {
62     Unknown,
63     Text,
64     ReadOnlyData,
65     InitRWData,
66     UninitRWData,
67   } CurSection;
68
69   AsmPrinter(std::ostream &os, const TargetMachine &T)
70     : idTable(0), toAsm(os), Target(T), CurSection(Unknown) {}
71   
72   // (start|end)(Module|Function) - Callback methods to be invoked by subclasses
73   void startModule(Module *M) {
74     // Create the global id table if it does not already exist
75     idTable = (GlobalIdTable*) M->getAnnotation(GlobalIdTable::AnnotId);
76     if (idTable == NULL) {
77       idTable = new GlobalIdTable(M);
78       M->addAnnotation(idTable);
79     }
80   }
81   void startFunction(Function *F) {
82     // Make sure the slot table has information about this function...
83     idTable->Table.incorporateFunction(F);
84   }
85   void endFunction(Function *F) {
86     idTable->Table.purgeFunction();  // Forget all about F
87   }
88   void endModule() {
89   }
90
91   // Check if a name is external or accessible from external code.
92   // Only functions can currently be external.  "main" is the only name
93   // that is visible externally.
94   bool isExternal(const Value* V) {
95     const Function *F = dyn_cast<Function>(V);
96     return F && (F->isExternal() || F->getName() == "main");
97   }
98   
99   // enterSection - Use this method to enter a different section of the output
100   // executable.  This is used to only output neccesary section transitions.
101   //
102   void enterSection(enum Sections S) {
103     if (S == CurSection) return;        // Only switch section if neccesary
104     CurSection = S;
105
106     toAsm << "\n\t.section ";
107     switch (S)
108       {
109       default: assert(0 && "Bad section name!");
110       case Text:         toAsm << "\".text\""; break;
111       case ReadOnlyData: toAsm << "\".rodata\",#alloc"; break;
112       case InitRWData:   toAsm << "\".data\",#alloc,#write"; break;
113       case UninitRWData: toAsm << "\".bss\",#alloc,#write\nBbss.bss:"; break;
114       }
115     toAsm << "\n";
116   }
117
118   static std::string getValidSymbolName(const string &S) {
119     string Result;
120     
121     // Symbol names in Sparc assembly language have these rules:
122     // (a) Must match { letter | _ | . | $ } { letter | _ | . | $ | digit }*
123     // (b) A name beginning in "." is treated as a local name.
124     // (c) Names beginning with "_" are reserved by ANSI C and shd not be used.
125     // 
126     if (S[0] == '_' || isdigit(S[0]))
127       Result += "ll";
128     
129     for (unsigned i = 0; i < S.size(); ++i)
130       {
131         char C = S[i];
132         if (C == '_' || C == '.' || C == '$' || isalpha(C) || isdigit(C))
133           Result += C;
134         else
135           {
136             Result += '_';
137             Result += char('0' + ((unsigned char)C >> 4));
138             Result += char('0' + (C & 0xF));
139           }
140       }
141     return Result;
142   }
143
144   // getID - Return a valid identifier for the specified value.  Base it on
145   // the name of the identifier if possible (qualified by the type), and
146   // use a numbered value based on prefix otherwise.
147   // FPrefix is always prepended to the output identifier.
148   //
149   string getID(const Value *V, const char *Prefix, const char *FPrefix = 0) {
150     string Result = FPrefix ? FPrefix : "";  // "Forced prefix"
151     
152     Result = Result + (V->hasName()? V->getName() : string(Prefix));
153     
154     // Qualify all internal names with a unique id.
155     if (!isExternal(V)) {
156       int valId = idTable->Table.getValSlot(V);
157       if (valId == -1) {
158         GlobalIdTable::ValIdMapConstIterator I = idTable->valToIdMap.find(V);
159         if (I == idTable->valToIdMap.end())
160           valId = idTable->valToIdMap[V] = idTable->valToIdMap.size();
161         else
162           valId = I->second;
163       }
164       Result = Result + "_" + itostr(valId);
165     }
166     
167     return getValidSymbolName(Result);
168   }
169   
170   // getID Wrappers - Ensure consistent usage...
171   string getID(const Function *F) {
172     return getID(F, "LLVMFunction_");
173   }
174   string getID(const BasicBlock *BB) {
175     return getID(BB, "LL", (".L_"+getID(BB->getParent())+"_").c_str());
176   }
177   string getID(const GlobalVariable *GV) {
178     return getID(GV, "LLVMGlobal_", ".G_");
179   }
180   string getID(const Constant *CV) {
181     return getID(CV, "LLVMConst_", ".C_");
182   }
183 };
184
185
186
187 //===----------------------------------------------------------------------===//
188 //   SparcFunctionAsmPrinter Code
189 //===----------------------------------------------------------------------===//
190
191 struct SparcFunctionAsmPrinter : public FunctionPass, public AsmPrinter {
192   inline SparcFunctionAsmPrinter(std::ostream &os, const TargetMachine &t)
193     : AsmPrinter(os, t) {}
194
195   const char *getPassName() const {
196     return "Output Sparc Assembly for Functions";
197   }
198
199   virtual bool doInitialization(Module *M) {
200     startModule(M);
201     return false;
202   }
203
204   virtual bool runOnFunction(Function *F) {
205     startFunction(F);
206     emitFunction(F);
207     endFunction(F);
208     return false;
209   }
210
211   virtual bool doFinalization(Module *M) {
212     endModule();
213     return false;
214   }
215
216   virtual void getAnalysisUsage(AnalysisUsage &AU) const {
217     AU.setPreservesAll();
218   }
219
220   void emitFunction(const Function *F);
221 private :
222   void emitBasicBlock(const BasicBlock *BB);
223   void emitMachineInst(const MachineInstr *MI);
224   
225   unsigned int printOperands(const MachineInstr *MI, unsigned int opNum);
226   void printOneOperand(const MachineOperand &Op);
227
228   bool OpIsBranchTargetLabel(const MachineInstr *MI, unsigned int opNum);
229   bool OpIsMemoryAddressBase(const MachineInstr *MI, unsigned int opNum);
230   
231   unsigned getOperandMask(unsigned Opcode) {
232     switch (Opcode) {
233     case SUBcc:   return 1 << 3;  // Remove CC argument
234     case BA:      return 1 << 0;  // Remove Arg #0, which is always null or xcc
235     default:      return 0;       // By default, don't hack operands...
236     }
237   }
238 };
239
240 inline bool
241 SparcFunctionAsmPrinter::OpIsBranchTargetLabel(const MachineInstr *MI,
242                                                unsigned int opNum) {
243   switch (MI->getOpCode()) {
244   case JMPLCALL:
245   case JMPLRET: return (opNum == 0);
246   default:      return false;
247   }
248 }
249
250
251 inline bool
252 SparcFunctionAsmPrinter::OpIsMemoryAddressBase(const MachineInstr *MI,
253                                                unsigned int opNum) {
254   if (Target.getInstrInfo().isLoad(MI->getOpCode()))
255     return (opNum == 0);
256   else if (Target.getInstrInfo().isStore(MI->getOpCode()))
257     return (opNum == 1);
258   else
259     return false;
260 }
261
262
263 #define PrintOp1PlusOp2(Op1, Op2) \
264   printOneOperand(Op1); \
265   toAsm << "+"; \
266   printOneOperand(Op2);
267
268 unsigned int
269 SparcFunctionAsmPrinter::printOperands(const MachineInstr *MI,
270                                unsigned int opNum)
271 {
272   const MachineOperand& Op = MI->getOperand(opNum);
273   
274   if (OpIsBranchTargetLabel(MI, opNum))
275     {
276       PrintOp1PlusOp2(Op, MI->getOperand(opNum+1));
277       return 2;
278     }
279   else if (OpIsMemoryAddressBase(MI, opNum))
280     {
281       toAsm << "[";
282       PrintOp1PlusOp2(Op, MI->getOperand(opNum+1));
283       toAsm << "]";
284       return 2;
285     }
286   else
287     {
288       printOneOperand(Op);
289       return 1;
290     }
291 }
292
293
294 void
295 SparcFunctionAsmPrinter::printOneOperand(const MachineOperand &op)
296 {
297   switch (op.getOperandType())
298     {
299     case MachineOperand::MO_VirtualRegister:
300     case MachineOperand::MO_CCRegister:
301     case MachineOperand::MO_MachineRegister:
302       {
303         int RegNum = (int)op.getAllocatedRegNum();
304         
305         // better to print code with NULL registers than to die
306         if (RegNum == Target.getRegInfo().getInvalidRegNum()) {
307           toAsm << "<NULL VALUE>";
308         } else {
309           toAsm << "%" << Target.getRegInfo().getUnifiedRegName(RegNum);
310         }
311         break;
312       }
313     
314     case MachineOperand::MO_PCRelativeDisp:
315       {
316         const Value *Val = op.getVRegValue();
317         if (!Val)
318           toAsm << "\t<*NULL Value*>";
319         else if (const BasicBlock *BB = dyn_cast<BasicBlock>(Val))
320           toAsm << getID(BB);
321         else if (const Function *M = dyn_cast<Function>(Val))
322           toAsm << getID(M);
323         else if (const GlobalVariable *GV = dyn_cast<GlobalVariable>(Val))
324           toAsm << getID(GV);
325         else if (const Constant *CV = dyn_cast<Constant>(Val))
326           toAsm << getID(CV);
327         else
328           toAsm << "<unknown value=" << Val << ">";
329         break;
330       }
331     
332     case MachineOperand::MO_SignExtendedImmed:
333     case MachineOperand::MO_UnextendedImmed:
334       toAsm << (long)op.getImmedValue();
335       break;
336     
337     default:
338       toAsm << op;      // use dump field
339       break;
340     }
341 }
342
343
344 void
345 SparcFunctionAsmPrinter::emitMachineInst(const MachineInstr *MI)
346 {
347   unsigned Opcode = MI->getOpCode();
348
349   if (TargetInstrDescriptors[Opcode].iclass & M_DUMMY_PHI_FLAG)
350     return;  // IGNORE PHI NODES
351
352   toAsm << "\t" << TargetInstrDescriptors[Opcode].opCodeString << "\t";
353
354   unsigned Mask = getOperandMask(Opcode);
355   
356   bool NeedComma = false;
357   unsigned N = 1;
358   for (unsigned OpNum = 0; OpNum < MI->getNumOperands(); OpNum += N)
359     if (! ((1 << OpNum) & Mask)) {        // Ignore this operand?
360       if (NeedComma) toAsm << ", ";         // Handle comma outputing
361       NeedComma = true;
362       N = printOperands(MI, OpNum);
363     }
364   else
365     N = 1;
366   
367   toAsm << "\n";
368 }
369
370 void
371 SparcFunctionAsmPrinter::emitBasicBlock(const BasicBlock *BB)
372 {
373   // Emit a label for the basic block
374   toAsm << getID(BB) << ":\n";
375
376   // Get the vector of machine instructions corresponding to this bb.
377   const MachineCodeForBasicBlock &MIs = BB->getMachineInstrVec();
378   MachineCodeForBasicBlock::const_iterator MII = MIs.begin(), MIE = MIs.end();
379
380   // Loop over all of the instructions in the basic block...
381   for (; MII != MIE; ++MII)
382     emitMachineInst(*MII);
383   toAsm << "\n";  // Seperate BB's with newlines
384 }
385
386 void
387 SparcFunctionAsmPrinter::emitFunction(const Function *M)
388 {
389   string methName = getID(M);
390   toAsm << "!****** Outputing Function: " << methName << " ******\n";
391   enterSection(AsmPrinter::Text);
392   toAsm << "\t.align\t4\n\t.global\t" << methName << "\n";
393   //toAsm << "\t.type\t" << methName << ",#function\n";
394   toAsm << "\t.type\t" << methName << ", 2\n";
395   toAsm << methName << ":\n";
396
397   // Output code for all of the basic blocks in the function...
398   for (Function::const_iterator I = M->begin(), E = M->end(); I != E; ++I)
399     emitBasicBlock(*I);
400
401   // Output a .size directive so the debugger knows the extents of the function
402   toAsm << ".EndOf_" << methName << ":\n\t.size "
403            << methName << ", .EndOf_"
404            << methName << "-" << methName << "\n";
405
406   // Put some spaces between the functions
407   toAsm << "\n\n";
408 }
409
410 }  // End anonymous namespace
411
412 Pass *UltraSparc::getFunctionAsmPrinterPass(PassManager &PM, std::ostream &Out){
413   return new SparcFunctionAsmPrinter(Out, *this);
414 }
415
416
417
418
419
420 //===----------------------------------------------------------------------===//
421 //   SparcFunctionAsmPrinter Code
422 //===----------------------------------------------------------------------===//
423
424 namespace {
425
426 class SparcModuleAsmPrinter : public Pass, public AsmPrinter {
427 public:
428   SparcModuleAsmPrinter(std::ostream &os, TargetMachine &t)
429     : AsmPrinter(os, t) {}
430
431   const char *getPassName() const { return "Output Sparc Assembly for Module"; }
432
433   virtual bool run(Module *M) {
434     startModule(M);
435     emitGlobalsAndConstants(M);
436     endModule();
437     return false;
438   }
439
440   virtual void getAnalysisUsage(AnalysisUsage &AU) const {
441     AU.setPreservesAll();
442   }
443
444 private:
445   void emitGlobalsAndConstants(const Module *M);
446
447   void printGlobalVariable(const GlobalVariable *GV);
448   void printSingleConstant(   const Constant* CV);
449   void printConstantValueOnly(const Constant* CV);
450   void printConstant(         const Constant* CV, std::string valID = "");
451
452   static void FoldConstants(const Module *M,
453                             std::hash_set<const Constant*> &moduleConstants);
454 };
455
456
457 // Can we treat the specified array as a string?  Only if it is an array of
458 // ubytes or non-negative sbytes.
459 //
460 static bool isStringCompatible(ConstantArray *CPA) {
461   const Type *ETy = cast<ArrayType>(CPA->getType())->getElementType();
462   if (ETy == Type::UByteTy) return true;
463   if (ETy != Type::SByteTy) return false;
464
465   for (unsigned i = 0; i < CPA->getNumOperands(); ++i)
466     if (cast<ConstantSInt>(CPA->getOperand(i))->getValue() < 0)
467       return false;
468
469   return true;
470 }
471
472 // toOctal - Convert the low order bits of X into an octal letter
473 static inline char toOctal(int X) {
474   return (X&7)+'0';
475 }
476
477 // getAsCString - Return the specified array as a C compatible string, only if
478 // the predicate isStringCompatible is true.
479 //
480 static string getAsCString(ConstantArray *CPA) {
481   assert(isStringCompatible(CPA) && "Array is not string compatible!");
482
483   string Result;
484   const Type *ETy = cast<ArrayType>(CPA->getType())->getElementType();
485   Result = "\"";
486   for (unsigned i = 0; i < CPA->getNumOperands(); ++i) {
487     unsigned char C = (ETy == Type::SByteTy) ?
488       (unsigned char)cast<ConstantSInt>(CPA->getOperand(i))->getValue() :
489       (unsigned char)cast<ConstantUInt>(CPA->getOperand(i))->getValue();
490
491     if (isprint(C)) {
492       Result += C;
493     } else {
494       switch(C) {
495       case '\a': Result += "\\a"; break;
496       case '\b': Result += "\\b"; break;
497       case '\f': Result += "\\f"; break;
498       case '\n': Result += "\\n"; break;
499       case '\r': Result += "\\r"; break;
500       case '\t': Result += "\\t"; break;
501       case '\v': Result += "\\v"; break;
502       default:
503         Result += '\\';
504         Result += toOctal(C >> 6);
505         Result += toOctal(C >> 3);
506         Result += toOctal(C >> 0);
507         break;
508       }
509     }
510   }
511   Result += "\"";
512
513   return Result;
514 }
515
516 inline bool
517 ArrayTypeIsString(ArrayType* arrayType)
518 {
519   return (arrayType->getElementType() == Type::UByteTy ||
520           arrayType->getElementType() == Type::SByteTy);
521 }
522
523 inline const string
524 TypeToDataDirective(const Type* type)
525 {
526   switch(type->getPrimitiveID())
527     {
528     case Type::BoolTyID: case Type::UByteTyID: case Type::SByteTyID:
529       return ".byte";
530     case Type::UShortTyID: case Type::ShortTyID:
531       return ".half";
532     case Type::UIntTyID: case Type::IntTyID:
533       return ".word";
534     case Type::ULongTyID: case Type::LongTyID: case Type::PointerTyID:
535       return ".xword";
536     case Type::FloatTyID:
537       return ".word";
538     case Type::DoubleTyID:
539       return ".xword";
540     case Type::ArrayTyID:
541       if (ArrayTypeIsString((ArrayType*) type))
542         return ".ascii";
543       else
544         return "<InvaliDataTypeForPrinting>";
545     default:
546       return "<InvaliDataTypeForPrinting>";
547     }
548 }
549
550 // Get the size of the constant for the given target.
551 // If this is an unsized array, return 0.
552 // 
553 inline unsigned int
554 ConstantToSize(const Constant* CV, const TargetMachine& target)
555 {
556   if (ConstantArray* CPA = dyn_cast<ConstantArray>(CV))
557     {
558       ArrayType *aty = cast<ArrayType>(CPA->getType());
559       if (ArrayTypeIsString(aty))
560         return 1 + CPA->getNumOperands();
561     }
562   
563   return target.findOptimalStorageSize(CV->getType());
564 }
565
566
567
568 // Align data larger than one L1 cache line on L1 cache line boundaries.
569 // Align all smaller data on the next higher 2^x boundary (4, 8, ...).
570 // 
571 inline unsigned int
572 SizeToAlignment(unsigned int size, const TargetMachine& target)
573 {
574   unsigned short cacheLineSize = target.getCacheInfo().getCacheLineSize(1); 
575   if (size > (unsigned) cacheLineSize / 2)
576     return cacheLineSize;
577   else
578     for (unsigned sz=1; /*no condition*/; sz *= 2)
579       if (sz >= size)
580         return sz;
581 }
582
583 // Get the size of the type and then use SizeToAlignment.
584 // 
585 inline unsigned int
586 TypeToAlignment(const Type* type, const TargetMachine& target)
587 {
588   return SizeToAlignment(target.findOptimalStorageSize(type), target);
589 }
590
591 // Get the size of the constant and then use SizeToAlignment.
592 // Handles strings as a special case;
593 inline unsigned int
594 ConstantToAlignment(const Constant* CV, const TargetMachine& target)
595 {
596   if (ConstantArray* CPA = dyn_cast<ConstantArray>(CV))
597     if (ArrayTypeIsString(cast<ArrayType>(CPA->getType())))
598       return SizeToAlignment(1 + CPA->getNumOperands(), target);
599   
600   return TypeToAlignment(CV->getType(), target);
601 }
602
603
604 // Print a single constant value.
605 void
606 SparcModuleAsmPrinter::printSingleConstant(const Constant* CV)
607 {
608   assert(CV->getType() != Type::VoidTy &&
609          CV->getType() != Type::TypeTy &&
610          CV->getType() != Type::LabelTy &&
611          "Unexpected type for Constant");
612   
613   assert((!isa<ConstantArray>(CV) && ! isa<ConstantStruct>(CV))
614          && "Aggregate types should be handled outside this function");
615   
616   toAsm << "\t" << TypeToDataDirective(CV->getType()) << "\t";
617   
618   if (CV->getType()->isPrimitiveType())
619     {
620       if (CV->getType()->isFloatingPoint()) {
621         // FP Constants are printed as integer constants to avoid losing
622         // precision...
623         double Val = cast<ConstantFP>(CV)->getValue();
624         if (CV->getType() == Type::FloatTy) {
625           float FVal = (float)Val;
626           char *ProxyPtr = (char*)&FVal;        // Abide by C TBAA rules
627           toAsm << *(unsigned int*)ProxyPtr;            
628         } else if (CV->getType() == Type::DoubleTy) {
629           char *ProxyPtr = (char*)&Val;         // Abide by C TBAA rules
630           toAsm << *(uint64_t*)ProxyPtr;            
631         } else {
632           assert(0 && "Unknown floating point type!");
633         }
634         
635         toAsm << "\t! " << CV->getType()->getDescription()
636               << " value: " << Val << "\n";
637       } else {
638         WriteAsOperand(toAsm, CV, false, false) << "\n";
639       }
640     }
641   else if (ConstantPointer* CPP = dyn_cast<ConstantPointer>(CV))
642     {
643       assert(CPP->isNullValue() &&
644              "Cannot yet print non-null pointer constants to assembly");
645       toAsm << "0\n";
646     }
647   else if (isa<ConstantPointerRef>(CV))
648     {
649       assert(0 && "Cannot yet initialize pointer refs in assembly");
650     }
651   else
652     {
653       assert(0 && "Unknown elementary type for constant");
654     }
655 }
656
657 // Print a constant value or values (it may be an aggregate).
658 // Uses printSingleConstant() to print each individual value.
659 void
660 SparcModuleAsmPrinter::printConstantValueOnly(const Constant* CV)
661 {
662   ConstantArray *CPA = dyn_cast<ConstantArray>(CV);
663   
664   if (CPA && isStringCompatible(CPA))
665     { // print the string alone and return
666       toAsm << "\t" << ".ascii" << "\t" << getAsCString(CPA) << "\n";
667     }
668   else if (CPA)
669     { // Not a string.  Print the values in successive locations
670       const std::vector<Use> &constValues = CPA->getValues();
671       for (unsigned i=1; i < constValues.size(); i++)
672         this->printConstantValueOnly(cast<Constant>(constValues[i].get()));
673     }
674   else if (ConstantStruct *CPS = dyn_cast<ConstantStruct>(CV))
675     { // Print the fields in successive locations
676       const std::vector<Use>& constValues = CPS->getValues();
677       for (unsigned i=1; i < constValues.size(); i++)
678         this->printConstantValueOnly(cast<Constant>(constValues[i].get()));
679     }
680   else
681     this->printSingleConstant(CV);
682 }
683
684 // Print a constant (which may be an aggregate) prefixed by all the
685 // appropriate directives.  Uses printConstantValueOnly() to print the
686 // value or values.
687 void
688 SparcModuleAsmPrinter::printConstant(const Constant* CV, string valID)
689 {
690   if (valID.length() == 0)
691     valID = getID(CV);
692   
693   toAsm << "\t.align\t" << ConstantToAlignment(CV, Target) << "\n";
694   
695   // Print .size and .type only if it is not a string.
696   ConstantArray *CPA = dyn_cast<ConstantArray>(CV);
697   if (CPA && isStringCompatible(CPA))
698     { // print it as a string and return
699       toAsm << valID << ":\n";
700       toAsm << "\t" << ".ascii" << "\t" << getAsCString(CPA) << "\n";
701       return;
702     }
703   
704   toAsm << "\t.type" << "\t" << valID << ",#object\n";
705
706   unsigned int constSize = ConstantToSize(CV, Target);
707   if (constSize)
708     toAsm << "\t.size" << "\t" << valID << "," << constSize << "\n";
709   
710   toAsm << valID << ":\n";
711   
712   printConstantValueOnly(CV);
713 }
714
715
716 void SparcModuleAsmPrinter::FoldConstants(const Module *M,
717                                           std::hash_set<const Constant*> &MC) {
718   for (Module::const_iterator I = M->begin(), E = M->end(); I != E; ++I)
719     if (!(*I)->isExternal()) {
720       const std::hash_set<const Constant*> &pool =
721         MachineCodeForMethod::get(*I).getConstantPoolValues();
722       MC.insert(pool.begin(), pool.end());
723     }
724 }
725
726 void SparcModuleAsmPrinter::printGlobalVariable(const GlobalVariable* GV)
727 {
728   toAsm << "\t.global\t" << getID(GV) << "\n";
729   
730   if (GV->hasInitializer())
731     printConstant(GV->getInitializer(), getID(GV));
732   else {
733     toAsm << "\t.align\t" << TypeToAlignment(GV->getType()->getElementType(),
734                                                 Target) << "\n";
735     toAsm << "\t.type\t" << getID(GV) << ",#object\n";
736     toAsm << "\t.reserve\t" << getID(GV) << ","
737           << Target.findOptimalStorageSize(GV->getType()->getElementType())
738           << "\n";
739   }
740 }
741
742
743 void SparcModuleAsmPrinter::emitGlobalsAndConstants(const Module *M) {
744   // First, get the constants there were marked by the code generator for
745   // inclusion in the assembly code data area and fold them all into a
746   // single constant pool since there may be lots of duplicates.  Also,
747   // lets force these constants into the slot table so that we can get
748   // unique names for unnamed constants also.
749   // 
750   std::hash_set<const Constant*> moduleConstants;
751   FoldConstants(M, moduleConstants);
752     
753   // Now, emit the three data sections separately; the cost of I/O should
754   // make up for the cost of extra passes over the globals list!
755   
756   // Section 1 : Read-only data section (implies initialized)
757   enterSection(AsmPrinter::ReadOnlyData);
758   for (Module::const_giterator GI=M->gbegin(), GE=M->gend(); GI != GE; ++GI)
759     if ((*GI)->hasInitializer() && (*GI)->isConstant())
760       printGlobalVariable(*GI);
761   
762   for (std::hash_set<const Constant*>::const_iterator
763          I = moduleConstants.begin(),
764          E = moduleConstants.end();  I != E; ++I)
765     printConstant(*I);
766   
767   // Section 2 : Initialized read-write data section
768   enterSection(AsmPrinter::InitRWData);
769   for (Module::const_giterator GI=M->gbegin(), GE=M->gend(); GI != GE; ++GI)
770     if ((*GI)->hasInitializer() && ! (*GI)->isConstant())
771       printGlobalVariable(*GI);
772   
773   // Section 3 : Uninitialized read-write data section
774   enterSection(AsmPrinter::UninitRWData);
775   for (Module::const_giterator GI=M->gbegin(), GE=M->gend(); GI != GE; ++GI)
776     if (! (*GI)->hasInitializer())
777       printGlobalVariable(*GI);
778   
779   toAsm << "\n";
780 }
781
782 }  // End anonymous namespace
783
784 Pass *UltraSparc::getModuleAsmPrinterPass(PassManager &PM, std::ostream &Out) {
785   return new SparcModuleAsmPrinter(Out, *this);
786 }