Corrections.
[oota-llvm.git] / lib / CodeGen / DwarfWriter.cpp
1 //===-- llvm/CodeGen/DwarfWriter.cpp - Dwarf Framework ----------*- C++ -*-===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file was developed by James M. Laskey and is distributed under the
6 // University of Illinois Open Source License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // This file contains support for writing dwarf debug info into asm files.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #include "llvm/CodeGen/DwarfWriter.h"
15
16 #include "llvm/ADT/StringExtras.h"
17 #include "llvm/Module.h"
18 #include "llvm/Type.h"
19 #include "llvm/CodeGen/AsmPrinter.h"
20 #include "llvm/CodeGen/MachineDebugInfo.h"
21 #include "llvm/CodeGen/MachineFrameInfo.h"
22 #include "llvm/CodeGen/MachineLocation.h"
23 #include "llvm/Support/Dwarf.h"
24 #include "llvm/Support/CommandLine.h"
25 #include "llvm/Support/Mangler.h"
26 #include "llvm/Target/MRegisterInfo.h"
27 #include "llvm/Target/TargetData.h"
28 #include "llvm/Target/TargetMachine.h"
29 #include "llvm/Target/TargetFrameInfo.h"
30
31 #include <iostream>
32
33 using namespace llvm;
34 using namespace llvm::dwarf;
35
36 static cl::opt<bool>
37 DwarfVerbose("dwarf-verbose", cl::Hidden,
38                               cl::desc("Add comments to Dwarf directives."));
39
40 namespace llvm {
41
42 //===----------------------------------------------------------------------===//
43 // Forward declarations.
44 //
45 class DIE;
46
47 //===----------------------------------------------------------------------===//
48 // CompileUnit - This dwarf writer support class manages information associate
49 // with a source file.
50 class CompileUnit {
51 private:
52   CompileUnitDesc *Desc;                // Compile unit debug descriptor.
53   unsigned ID;                          // File ID for source.
54   DIE *Die;                             // Compile unit debug information entry.
55   std::map<std::string, DIE *> Globals; // A map of globally visible named
56                                         // entities for this unit.
57   std::map<DebugInfoDesc *, DIE *> DescToDieMap;
58                                         // Tracks the mapping of unit level
59                                         // debug informaton descriptors to debug
60                                         // information entries.
61
62 public:
63   CompileUnit(CompileUnitDesc *CUD, unsigned I, DIE *D)
64   : Desc(CUD)
65   , ID(I)
66   , Die(D)
67   , Globals()
68   , DescToDieMap()
69   {}
70   
71   ~CompileUnit();
72   
73   // Accessors.
74   CompileUnitDesc *getDesc() const { return Desc; }
75   unsigned getID()           const { return ID; }
76   DIE* getDie()              const { return Die; }
77   std::map<std::string, DIE *> &getGlobals() { return Globals; }
78   
79   /// hasContent - Return true if this compile unit has something to write out.
80   ///
81   bool hasContent() const;
82   
83   /// AddGlobal - Add a new global entity to the compile unit.
84   ///
85   void AddGlobal(const std::string &Name, DIE *Die);
86   
87   /// getDieMapSlotFor - Returns the debug information entry map slot for the
88   /// specified debug descriptor.
89   DIE *&getDieMapSlotFor(DebugInfoDesc *DD) {
90     return DescToDieMap[DD];
91   }
92 };
93
94 //===----------------------------------------------------------------------===//
95 // DIEAbbrevData - Dwarf abbreviation data, describes the one attribute of a
96 // Dwarf abbreviation.
97 class DIEAbbrevData {
98 private:
99   unsigned Attribute;                 // Dwarf attribute code.
100   unsigned Form;                      // Dwarf form code.
101   
102 public:
103   DIEAbbrevData(unsigned A, unsigned F)
104   : Attribute(A)
105   , Form(F)
106   {}
107   
108   // Accessors.
109   unsigned getAttribute() const { return Attribute; }
110   unsigned getForm()      const { return Form; }
111   
112   /// operator== - Used by DIEAbbrev to locate entry.
113   ///
114   bool operator==(const DIEAbbrevData &DAD) const {
115     return Attribute == DAD.Attribute && Form == DAD.Form;
116   }
117
118   /// operator!= - Used by DIEAbbrev to locate entry.
119   ///
120   bool operator!=(const DIEAbbrevData &DAD) const {
121     return Attribute != DAD.Attribute || Form != DAD.Form;
122   }
123   
124   /// operator< - Used by DIEAbbrev to locate entry.
125   ///
126   bool operator<(const DIEAbbrevData &DAD) const {
127     return Attribute < DAD.Attribute ||
128           (Attribute == DAD.Attribute && Form < DAD.Form);
129   }
130 };
131
132 //===----------------------------------------------------------------------===//
133 // DIEAbbrev - Dwarf abbreviation, describes the organization of a debug
134 // information object.
135 class DIEAbbrev {
136 private:
137   unsigned Tag;                       // Dwarf tag code.
138   unsigned ChildrenFlag;              // Dwarf children flag.
139   std::vector<DIEAbbrevData> Data;    // Raw data bytes for abbreviation.
140
141 public:
142
143   DIEAbbrev(unsigned T, unsigned C)
144   : Tag(T)
145   , ChildrenFlag(C)
146   , Data()
147   {}
148   ~DIEAbbrev() {}
149   
150   // Accessors.
151   unsigned getTag()                           const { return Tag; }
152   unsigned getChildrenFlag()                  const { return ChildrenFlag; }
153   const std::vector<DIEAbbrevData> &getData() const { return Data; }
154   void setChildrenFlag(unsigned CF)                 { ChildrenFlag = CF; }
155
156   /// operator== - Used by UniqueVector to locate entry.
157   ///
158   bool operator==(const DIEAbbrev &DA) const;
159
160   /// operator< - Used by UniqueVector to locate entry.
161   ///
162   bool operator<(const DIEAbbrev &DA) const;
163
164   /// AddAttribute - Adds another set of attribute information to the
165   /// abbreviation.
166   void AddAttribute(unsigned Attribute, unsigned Form) {
167     Data.push_back(DIEAbbrevData(Attribute, Form));
168   }
169   
170   /// AddFirstAttribute - Adds a set of attribute information to the front
171   /// of the abbreviation.
172   void AddFirstAttribute(unsigned Attribute, unsigned Form) {
173     Data.insert(Data.begin(), DIEAbbrevData(Attribute, Form));
174   }
175   
176   /// Emit - Print the abbreviation using the specified Dwarf writer.
177   ///
178   void Emit(const DwarfWriter &DW) const; 
179       
180 #ifndef NDEBUG
181   void print(std::ostream &O);
182   void dump();
183 #endif
184 };
185
186 //===----------------------------------------------------------------------===//
187 // DIEValue - A debug information entry value.
188 //
189 class DIEValue {
190 public:
191   enum {
192     isInteger,
193     isString,
194     isLabel,
195     isAsIsLabel,
196     isDelta,
197     isEntry,
198     isBlock
199   };
200   
201   unsigned Type;                      // Type of the value
202   
203   DIEValue(unsigned T) : Type(T) {}
204   virtual ~DIEValue() {}
205   
206   // Implement isa/cast/dyncast.
207   static bool classof(const DIEValue *) { return true; }
208   
209   /// EmitValue - Emit value via the Dwarf writer.
210   ///
211   virtual void EmitValue(const DwarfWriter &DW, unsigned Form) const = 0;
212   
213   /// SizeOf - Return the size of a value in bytes.
214   ///
215   virtual unsigned SizeOf(const DwarfWriter &DW, unsigned Form) const = 0;
216 };
217
218 //===----------------------------------------------------------------------===//
219 // DWInteger - An integer value DIE.
220 // 
221 class DIEInteger : public DIEValue {
222 private:
223   uint64_t Integer;
224   
225 public:
226   DIEInteger(uint64_t I) : DIEValue(isInteger), Integer(I) {}
227
228   // Implement isa/cast/dyncast.
229   static bool classof(const DIEInteger *) { return true; }
230   static bool classof(const DIEValue *I)  { return I->Type == isInteger; }
231   
232   /// BestForm - Choose the best form for integer.
233   ///
234   unsigned BestForm(bool IsSigned);
235
236   /// EmitValue - Emit integer of appropriate size.
237   ///
238   virtual void EmitValue(const DwarfWriter &DW, unsigned Form) const;
239   
240   /// SizeOf - Determine size of integer value in bytes.
241   ///
242   virtual unsigned SizeOf(const DwarfWriter &DW, unsigned Form) const;
243 };
244
245 //===----------------------------------------------------------------------===//
246 // DIEString - A string value DIE.
247 // 
248 struct DIEString : public DIEValue {
249   const std::string String;
250   
251   DIEString(const std::string &S) : DIEValue(isString), String(S) {}
252
253   // Implement isa/cast/dyncast.
254   static bool classof(const DIEString *) { return true; }
255   static bool classof(const DIEValue *S) { return S->Type == isString; }
256   
257   /// EmitValue - Emit string value.
258   ///
259   virtual void EmitValue(const DwarfWriter &DW, unsigned Form) const;
260   
261   /// SizeOf - Determine size of string value in bytes.
262   ///
263   virtual unsigned SizeOf(const DwarfWriter &DW, unsigned Form) const;
264 };
265
266 //===----------------------------------------------------------------------===//
267 // DIEDwarfLabel - A Dwarf internal label expression DIE.
268 //
269 struct DIEDwarfLabel : public DIEValue {
270   const DWLabel Label;
271   
272   DIEDwarfLabel(const DWLabel &L) : DIEValue(isLabel), Label(L) {}
273
274   // Implement isa/cast/dyncast.
275   static bool classof(const DIEDwarfLabel *)  { return true; }
276   static bool classof(const DIEValue *L) { return L->Type == isLabel; }
277   
278   /// EmitValue - Emit label value.
279   ///
280   virtual void EmitValue(const DwarfWriter &DW, unsigned Form) const;
281   
282   /// SizeOf - Determine size of label value in bytes.
283   ///
284   virtual unsigned SizeOf(const DwarfWriter &DW, unsigned Form) const;
285 };
286
287
288 //===----------------------------------------------------------------------===//
289 // DIEObjectLabel - A label to an object in code or data.
290 //
291 struct DIEObjectLabel : public DIEValue {
292   const std::string Label;
293   
294   DIEObjectLabel(const std::string &L) : DIEValue(isAsIsLabel), Label(L) {}
295
296   // Implement isa/cast/dyncast.
297   static bool classof(const DIEObjectLabel *) { return true; }
298   static bool classof(const DIEValue *L)    { return L->Type == isAsIsLabel; }
299   
300   /// EmitValue - Emit label value.
301   ///
302   virtual void EmitValue(const DwarfWriter &DW, unsigned Form) const;
303   
304   /// SizeOf - Determine size of label value in bytes.
305   ///
306   virtual unsigned SizeOf(const DwarfWriter &DW, unsigned Form) const;
307 };
308
309 //===----------------------------------------------------------------------===//
310 // DIEDelta - A simple label difference DIE.
311 // 
312 struct DIEDelta : public DIEValue {
313   const DWLabel LabelHi;
314   const DWLabel LabelLo;
315   
316   DIEDelta(const DWLabel &Hi, const DWLabel &Lo)
317   : DIEValue(isDelta), LabelHi(Hi), LabelLo(Lo) {}
318
319   // Implement isa/cast/dyncast.
320   static bool classof(const DIEDelta *)  { return true; }
321   static bool classof(const DIEValue *D) { return D->Type == isDelta; }
322   
323   /// EmitValue - Emit delta value.
324   ///
325   virtual void EmitValue(const DwarfWriter &DW, unsigned Form) const;
326   
327   /// SizeOf - Determine size of delta value in bytes.
328   ///
329   virtual unsigned SizeOf(const DwarfWriter &DW, unsigned Form) const;
330 };
331
332 //===----------------------------------------------------------------------===//
333 // DIEntry - A pointer to a debug information entry.
334 // 
335 struct DIEntry : public DIEValue {
336   DIE *Entry;
337   
338   DIEntry(DIE *E) : DIEValue(isEntry), Entry(E) {}
339
340   // Implement isa/cast/dyncast.
341   static bool classof(const DIEntry *)   { return true; }
342   static bool classof(const DIEValue *E) { return E->Type == isEntry; }
343   
344   /// EmitValue - Emit debug information entry offset.
345   ///
346   virtual void EmitValue(const DwarfWriter &DW, unsigned Form) const;
347   
348   /// SizeOf - Determine size of debug information entry in bytes.
349   ///
350   virtual unsigned SizeOf(const DwarfWriter &DW, unsigned Form) const;
351 };
352
353 //===----------------------------------------------------------------------===//
354 // DIEBlock - A block of values.  Primarily used for location expressions.
355 //
356 struct DIEBlock : public DIEValue {
357   unsigned Size;                        // Size in bytes excluding size header.
358   std::vector<unsigned> Forms;          // Data forms.
359   std::vector<DIEValue *> Values;       // Block values.
360   
361   DIEBlock()
362   : DIEValue(isBlock)
363   , Size(0)
364   , Forms()
365   , Values()
366   {}
367   ~DIEBlock();
368
369   // Implement isa/cast/dyncast.
370   static bool classof(const DIEBlock *)  { return true; }
371   static bool classof(const DIEValue *E) { return E->Type == isBlock; }
372   
373   /// ComputeSize - calculate the size of the block.
374   ///
375   unsigned ComputeSize(DwarfWriter &DW);
376   
377   /// BestForm - Choose the best form for data.
378   ///
379   unsigned BestForm();
380
381   /// EmitValue - Emit block data.
382   ///
383   virtual void EmitValue(const DwarfWriter &DW, unsigned Form) const;
384   
385   /// SizeOf - Determine size of block data in bytes.
386   ///
387   virtual unsigned SizeOf(const DwarfWriter &DW, unsigned Form) const;
388
389   /// AddUInt - Add an unsigned integer value.
390   ///
391   void AddUInt(unsigned Form, uint64_t Integer);
392
393   /// AddSInt - Add an signed integer value.
394   ///
395   void AddSInt(unsigned Form, int64_t Integer);
396       
397   /// AddString - Add a std::string value.
398   ///
399   void AddString(unsigned Form, const std::string &String);
400       
401   /// AddLabel - Add a Dwarf label value.
402   ///
403   void AddLabel(unsigned Form, const DWLabel &Label);
404       
405   /// AddObjectLabel - Add a non-Dwarf label value.
406   ///
407   void AddObjectLabel(unsigned Form, const std::string &Label);
408       
409   /// AddDelta - Add a label delta value.
410   ///
411   void AddDelta(unsigned Form, const DWLabel &Hi, const DWLabel &Lo);
412       
413   /// AddDIEntry - Add a DIE value.
414   ///
415   void AddDIEntry(unsigned Form, DIE *Entry);
416
417 };
418
419 //===----------------------------------------------------------------------===//
420 // DIE - A structured debug information entry.  Has an abbreviation which
421 // describes it's organization.
422 class DIE {
423 private:
424   DIEAbbrev *Abbrev;                    // Temporary buffer for abbreviation.
425   unsigned AbbrevID;                    // Decribing abbreviation ID.
426   unsigned Offset;                      // Offset in debug info section.
427   unsigned Size;                        // Size of instance + children.
428   std::vector<DIE *> Children;          // Children DIEs.
429   std::vector<DIEValue *> Values;       // Attributes values.
430   
431 public:
432   DIE(unsigned Tag);
433   ~DIE();
434   
435   // Accessors.
436   unsigned   getAbbrevID()                   const { return AbbrevID; }
437   unsigned   getOffset()                     const { return Offset; }
438   unsigned   getSize()                       const { return Size; }
439   const std::vector<DIE *> &getChildren()    const { return Children; }
440   const std::vector<DIEValue *> &getValues() const { return Values; }
441   void setOffset(unsigned O)                 { Offset = O; }
442   void setSize(unsigned S)                   { Size = S; }
443   
444   /// SiblingOffset - Return the offset of the debug information entry's
445   /// sibling.
446   unsigned SiblingOffset() const { return Offset + Size; }
447   
448   /// AddSiblingOffset - Add a sibling offset field to the front of the DIE.
449   ///
450   void AddSiblingOffset();
451
452   /// AddUInt - Add an unsigned integer attribute data and value.
453   ///
454   void AddUInt(unsigned Attribute, unsigned Form, uint64_t Integer);
455
456   /// AddSInt - Add an signed integer attribute data and value.
457   ///
458   void AddSInt(unsigned Attribute, unsigned Form, int64_t Integer);
459       
460   /// AddString - Add a std::string attribute data and value.
461   ///
462   void AddString(unsigned Attribute, unsigned Form,
463                  const std::string &String);
464       
465   /// AddLabel - Add a Dwarf label attribute data and value.
466   ///
467   void AddLabel(unsigned Attribute, unsigned Form, const DWLabel &Label);
468       
469   /// AddObjectLabel - Add a non-Dwarf label attribute data and value.
470   ///
471   void AddObjectLabel(unsigned Attribute, unsigned Form,
472                       const std::string &Label);
473       
474   /// AddDelta - Add a label delta attribute data and value.
475   ///
476   void AddDelta(unsigned Attribute, unsigned Form,
477                 const DWLabel &Hi, const DWLabel &Lo);
478       
479   /// AddDIEntry - Add a DIE attribute data and value.
480   ///
481   void AddDIEntry(unsigned Attribute, unsigned Form, DIE *Entry);
482
483   /// AddBlock - Add block data.
484   ///
485   void AddBlock(unsigned Attribute, unsigned Form, DIEBlock *Block);
486
487   /// Complete - Indicate that all attributes have been added and
488   /// ready to get an abbreviation ID.
489   ///
490   void Complete(DwarfWriter &DW);
491   
492   /// AddChild - Add a child to the DIE.
493   void AddChild(DIE *Child);
494 };
495
496 } // End of namespace llvm
497
498 //===----------------------------------------------------------------------===//
499
500 CompileUnit::~CompileUnit() {
501   delete Die;
502 }
503
504 /// hasContent - Return true if this compile unit has something to write out.
505 ///
506 bool CompileUnit::hasContent() const {
507   return !Die->getChildren().empty();
508 }
509
510 /// AddGlobal - Add a new global entity to the compile unit.
511 ///
512 void CompileUnit::AddGlobal(const std::string &Name, DIE *Die) {
513   Globals[Name] = Die;
514 }
515
516 //===----------------------------------------------------------------------===//
517
518 /// operator== - Used by UniqueVector to locate entry.
519 ///
520 bool DIEAbbrev::operator==(const DIEAbbrev &DA) const {
521   if (Tag != DA.Tag) return false;
522   if (ChildrenFlag != DA.ChildrenFlag) return false;
523   if (Data.size() != DA.Data.size()) return false;
524   
525   for (unsigned i = 0, N = Data.size(); i < N; ++i) {
526     if (Data[i] != DA.Data[i]) return false;
527   }
528   
529   return true;
530 }
531
532 /// operator< - Used by UniqueVector to locate entry.
533 ///
534 bool DIEAbbrev::operator<(const DIEAbbrev &DA) const {
535   if (Tag != DA.Tag) return Tag < DA.Tag;
536   if (ChildrenFlag != DA.ChildrenFlag) return ChildrenFlag < DA.ChildrenFlag;
537   if (Data.size() != DA.Data.size()) return Data.size() < DA.Data.size();
538   
539   for (unsigned i = 0, N = Data.size(); i < N; ++i) {
540     if (Data[i] != DA.Data[i]) return Data[i] < DA.Data[i];
541   }
542   
543   return false;
544 }
545     
546 /// Emit - Print the abbreviation using the specified Dwarf writer.
547 ///
548 void DIEAbbrev::Emit(const DwarfWriter &DW) const {
549   // Emit its Dwarf tag type.
550   DW.EmitULEB128Bytes(Tag);
551   DW.EOL(TagString(Tag));
552   
553   // Emit whether it has children DIEs.
554   DW.EmitULEB128Bytes(ChildrenFlag);
555   DW.EOL(ChildrenString(ChildrenFlag));
556   
557   // For each attribute description.
558   for (unsigned i = 0, N = Data.size(); i < N; ++i) {
559     const DIEAbbrevData &AttrData = Data[i];
560     
561     // Emit attribute type.
562     DW.EmitULEB128Bytes(AttrData.getAttribute());
563     DW.EOL(AttributeString(AttrData.getAttribute()));
564     
565     // Emit form type.
566     DW.EmitULEB128Bytes(AttrData.getForm());
567     DW.EOL(FormEncodingString(AttrData.getForm()));
568   }
569
570   // Mark end of abbreviation.
571   DW.EmitULEB128Bytes(0); DW.EOL("EOM(1)");
572   DW.EmitULEB128Bytes(0); DW.EOL("EOM(2)");
573 }
574
575 #ifndef NDEBUG
576   void DIEAbbrev::print(std::ostream &O) {
577     O << "Abbreviation @"
578       << std::hex << (intptr_t)this << std::dec
579       << "  "
580       << TagString(Tag)
581       << " "
582       << ChildrenString(ChildrenFlag)
583       << "\n";
584     
585     for (unsigned i = 0, N = Data.size(); i < N; ++i) {
586       O << "  "
587         << AttributeString(Data[i].getAttribute())
588         << "  "
589         << FormEncodingString(Data[i].getForm())
590         << "\n";
591     }
592   }
593   void DIEAbbrev::dump() { print(std::cerr); }
594 #endif
595
596 //===----------------------------------------------------------------------===//
597
598 /// BestForm - Choose the best form for integer.
599 ///
600 unsigned DIEInteger::BestForm(bool IsSigned) {
601   if (IsSigned) {
602     if ((char)Integer == (signed)Integer)   return DW_FORM_data1;
603     if ((short)Integer == (signed)Integer)  return DW_FORM_data2;
604     if ((int)Integer == (signed)Integer)    return DW_FORM_data4;
605   } else {
606     if ((unsigned char)Integer == Integer)  return DW_FORM_data1;
607     if ((unsigned short)Integer == Integer) return DW_FORM_data2;
608     if ((unsigned int)Integer == Integer)   return DW_FORM_data4;
609   }
610   return DW_FORM_data8;
611 }
612     
613 /// EmitValue - Emit integer of appropriate size.
614 ///
615 void DIEInteger::EmitValue(const DwarfWriter &DW, unsigned Form) const {
616   switch (Form) {
617   case DW_FORM_flag:  // Fall thru
618   case DW_FORM_ref1:  // Fall thru
619   case DW_FORM_data1: DW.EmitInt8(Integer);         break;
620   case DW_FORM_ref2:  // Fall thru
621   case DW_FORM_data2: DW.EmitInt16(Integer);        break;
622   case DW_FORM_ref4:  // Fall thru
623   case DW_FORM_data4: DW.EmitInt32(Integer);        break;
624   case DW_FORM_ref8:  // Fall thru
625   case DW_FORM_data8: DW.EmitInt64(Integer);        break;
626   case DW_FORM_udata: DW.EmitULEB128Bytes(Integer); break;
627   case DW_FORM_sdata: DW.EmitSLEB128Bytes(Integer); break;
628   default: assert(0 && "DIE Value form not supported yet"); break;
629   }
630 }
631
632 /// SizeOf - Determine size of integer value in bytes.
633 ///
634 unsigned DIEInteger::SizeOf(const DwarfWriter &DW, unsigned Form) const {
635   switch (Form) {
636   case DW_FORM_flag:  // Fall thru
637   case DW_FORM_ref1:  // Fall thru
638   case DW_FORM_data1: return sizeof(int8_t);
639   case DW_FORM_ref2:  // Fall thru
640   case DW_FORM_data2: return sizeof(int16_t);
641   case DW_FORM_ref4:  // Fall thru
642   case DW_FORM_data4: return sizeof(int32_t);
643   case DW_FORM_ref8:  // Fall thru
644   case DW_FORM_data8: return sizeof(int64_t);
645   case DW_FORM_udata: return DW.SizeULEB128(Integer);
646   case DW_FORM_sdata: return DW.SizeSLEB128(Integer);
647   default: assert(0 && "DIE Value form not supported yet"); break;
648   }
649   return 0;
650 }
651
652 //===----------------------------------------------------------------------===//
653
654 /// EmitValue - Emit string value.
655 ///
656 void DIEString::EmitValue(const DwarfWriter &DW, unsigned Form) const {
657   DW.EmitString(String);
658 }
659
660 /// SizeOf - Determine size of string value in bytes.
661 ///
662 unsigned DIEString::SizeOf(const DwarfWriter &DW, unsigned Form) const {
663   return String.size() + sizeof(char); // sizeof('\0');
664 }
665
666 //===----------------------------------------------------------------------===//
667
668 /// EmitValue - Emit label value.
669 ///
670 void DIEDwarfLabel::EmitValue(const DwarfWriter &DW, unsigned Form) const {
671   DW.EmitReference(Label);
672 }
673
674 /// SizeOf - Determine size of label value in bytes.
675 ///
676 unsigned DIEDwarfLabel::SizeOf(const DwarfWriter &DW, unsigned Form) const {
677   return DW.getAddressSize();
678 }
679     
680 //===----------------------------------------------------------------------===//
681
682 /// EmitValue - Emit label value.
683 ///
684 void DIEObjectLabel::EmitValue(const DwarfWriter &DW, unsigned Form) const {
685   DW.EmitReference(Label);
686 }
687
688 /// SizeOf - Determine size of label value in bytes.
689 ///
690 unsigned DIEObjectLabel::SizeOf(const DwarfWriter &DW, unsigned Form) const {
691   return DW.getAddressSize();
692 }
693     
694 //===----------------------------------------------------------------------===//
695
696 /// EmitValue - Emit delta value.
697 ///
698 void DIEDelta::EmitValue(const DwarfWriter &DW, unsigned Form) const {
699   DW.EmitDifference(LabelHi, LabelLo);
700 }
701
702 /// SizeOf - Determine size of delta value in bytes.
703 ///
704 unsigned DIEDelta::SizeOf(const DwarfWriter &DW, unsigned Form) const {
705   return DW.getAddressSize();
706 }
707
708 //===----------------------------------------------------------------------===//
709 /// EmitValue - Emit debug information entry offset.
710 ///
711 void DIEntry::EmitValue(const DwarfWriter &DW, unsigned Form) const {
712   DW.EmitInt32(Entry->getOffset());
713 }
714
715 /// SizeOf - Determine size of debug information entry value in bytes.
716 ///
717 unsigned DIEntry::SizeOf(const DwarfWriter &DW, unsigned Form) const {
718   return sizeof(int32_t);
719 }
720     
721 //===----------------------------------------------------------------------===//
722
723 DIEBlock::~DIEBlock() {
724   for (unsigned i = 0, N = Values.size(); i < N; ++i) {
725     delete Values[i];
726   }
727 }
728
729 /// ComputeSize - calculate the size of the block.
730 ///
731 unsigned DIEBlock::ComputeSize(DwarfWriter &DW) {
732   Size = 0;
733   for (unsigned i = 0, N = Values.size(); i < N; ++i) {
734     Size += Values[i]->SizeOf(DW, Forms[i]);
735   }
736   return Size;
737 }
738
739 /// BestForm - Choose the best form for data.
740 ///
741 unsigned DIEBlock::BestForm() {
742   if ((unsigned char)Size == Size)  return DW_FORM_block1;
743   if ((unsigned short)Size == Size) return DW_FORM_block2;
744   if ((unsigned int)Size == Size)   return DW_FORM_block4;
745   return DW_FORM_block;
746 }
747
748 /// EmitValue - Emit block data.
749 ///
750 void DIEBlock::EmitValue(const DwarfWriter &DW, unsigned Form) const {
751   switch (Form) {
752   case DW_FORM_block1: DW.EmitInt8(Size);         break;
753   case DW_FORM_block2: DW.EmitInt16(Size);        break;
754   case DW_FORM_block4: DW.EmitInt32(Size);        break;
755   case DW_FORM_block:  DW.EmitULEB128Bytes(Size); break;
756   default: assert(0 && "Improper form for block"); break;
757   }
758   for (unsigned i = 0, N = Values.size(); i < N; ++i) {
759     DW.EOL("");
760     Values[i]->EmitValue(DW, Forms[i]);
761   }
762 }
763
764 /// SizeOf - Determine size of block data in bytes.
765 ///
766 unsigned DIEBlock::SizeOf(const DwarfWriter &DW, unsigned Form) const {
767   switch (Form) {
768   case DW_FORM_block1: return Size + sizeof(int8_t);
769   case DW_FORM_block2: return Size + sizeof(int16_t);
770   case DW_FORM_block4: return Size + sizeof(int32_t);
771   case DW_FORM_block: return Size + DW.SizeULEB128(Size);
772   default: assert(0 && "Improper form for block"); break;
773   }
774   return 0;
775 }
776
777 /// AddUInt - Add an unsigned integer value.
778 ///
779 void DIEBlock::AddUInt(unsigned Form, uint64_t Integer) {
780   DIEInteger *DI = new DIEInteger(Integer);
781   Values.push_back(DI);
782   if (Form == 0) Form = DI->BestForm(false);
783   Forms.push_back(Form);
784 }
785
786 /// AddSInt - Add an signed integer value.
787 ///
788 void DIEBlock::AddSInt(unsigned Form, int64_t Integer) {
789   DIEInteger *DI = new DIEInteger(Integer);
790   Values.push_back(DI);
791   if (Form == 0) Form = DI->BestForm(true);
792   Forms.push_back(Form);
793 }
794     
795 /// AddString - Add a std::string value.
796 ///
797 void DIEBlock::AddString(unsigned Form, const std::string &String) {
798   Values.push_back(new DIEString(String));
799   Forms.push_back(Form);
800 }
801     
802 /// AddLabel - Add a Dwarf label value.
803 ///
804 void DIEBlock::AddLabel(unsigned Form, const DWLabel &Label) {
805   Values.push_back(new DIEDwarfLabel(Label));
806   Forms.push_back(Form);
807 }
808     
809 /// AddObjectLabel - Add a non-Dwarf label value.
810 ///
811 void DIEBlock::AddObjectLabel(unsigned Form, const std::string &Label) {
812   Values.push_back(new DIEObjectLabel(Label));
813   Forms.push_back(Form);
814 }
815     
816 /// AddDelta - Add a label delta value.
817 ///
818 void DIEBlock::AddDelta(unsigned Form, const DWLabel &Hi, const DWLabel &Lo) {
819   Values.push_back(new DIEDelta(Hi, Lo));
820   Forms.push_back(Form);
821 }
822     
823 /// AddDIEntry - Add a DIE value.
824 ///
825 void DIEBlock::AddDIEntry(unsigned Form, DIE *Entry) {
826   Values.push_back(new DIEntry(Entry));
827   Forms.push_back(Form);
828 }
829
830 //===----------------------------------------------------------------------===//
831
832 DIE::DIE(unsigned Tag)
833 : Abbrev(new DIEAbbrev(Tag, DW_CHILDREN_no))
834 , AbbrevID(0)
835 , Offset(0)
836 , Size(0)
837 , Children()
838 , Values()
839 {}
840
841 DIE::~DIE() {
842   if (Abbrev) delete Abbrev;
843   
844   for (unsigned i = 0, N = Children.size(); i < N; ++i) {
845     delete Children[i];
846   }
847
848   for (unsigned j = 0, M = Values.size(); j < M; ++j) {
849     delete Values[j];
850   }
851 }
852     
853 /// AddSiblingOffset - Add a sibling offset field to the front of the DIE.
854 ///
855 void DIE::AddSiblingOffset() {
856   DIEInteger *DI = new DIEInteger(0);
857   Values.insert(Values.begin(), DI);
858   Abbrev->AddFirstAttribute(DW_AT_sibling, DW_FORM_ref4);
859 }
860
861 /// AddUInt - Add an unsigned integer attribute data and value.
862 ///
863 void DIE::AddUInt(unsigned Attribute, unsigned Form, uint64_t Integer) {
864   DIEInteger *DI = new DIEInteger(Integer);
865   Values.push_back(DI);
866   if (!Form) Form = DI->BestForm(false);
867   Abbrev->AddAttribute(Attribute, Form);
868 }
869     
870 /// AddSInt - Add an signed integer attribute data and value.
871 ///
872 void DIE::AddSInt(unsigned Attribute, unsigned Form, int64_t Integer) {
873   DIEInteger *DI = new DIEInteger(Integer);
874   Values.push_back(DI);
875   if (!Form) Form = DI->BestForm(true);
876   Abbrev->AddAttribute(Attribute, Form);
877 }
878     
879 /// AddString - Add a std::string attribute data and value.
880 ///
881 void DIE::AddString(unsigned Attribute, unsigned Form,
882                     const std::string &String) {
883   Values.push_back(new DIEString(String));
884   Abbrev->AddAttribute(Attribute, Form);
885 }
886     
887 /// AddLabel - Add a Dwarf label attribute data and value.
888 ///
889 void DIE::AddLabel(unsigned Attribute, unsigned Form,
890                    const DWLabel &Label) {
891   Values.push_back(new DIEDwarfLabel(Label));
892   Abbrev->AddAttribute(Attribute, Form);
893 }
894     
895 /// AddObjectLabel - Add an non-Dwarf label attribute data and value.
896 ///
897 void DIE::AddObjectLabel(unsigned Attribute, unsigned Form,
898                          const std::string &Label) {
899   Values.push_back(new DIEObjectLabel(Label));
900   Abbrev->AddAttribute(Attribute, Form);
901 }
902     
903 /// AddDelta - Add a label delta attribute data and value.
904 ///
905 void DIE::AddDelta(unsigned Attribute, unsigned Form,
906                    const DWLabel &Hi, const DWLabel &Lo) {
907   Values.push_back(new DIEDelta(Hi, Lo));
908   Abbrev->AddAttribute(Attribute, Form);
909 }
910     
911 /// AddDIEntry - Add a DIE attribute data and value.
912 ///
913 void DIE::AddDIEntry(unsigned Attribute, unsigned Form, DIE *Entry) {
914   Values.push_back(new DIEntry(Entry));
915   Abbrev->AddAttribute(Attribute, Form);
916 }
917
918 /// AddBlock - Add block data.
919 ///
920 void DIE::AddBlock(unsigned Attribute, unsigned Form, DIEBlock *Block) {
921   assert(Block->Size && "Block size has not been computed");
922   Values.push_back(Block);
923   if (!Form) Form = Block->BestForm();
924   Abbrev->AddAttribute(Attribute, Form);
925 }
926
927 /// Complete - Indicate that all attributes have been added and ready to get an
928 /// abbreviation ID.
929 void DIE::Complete(DwarfWriter &DW) {
930   AbbrevID = DW.NewAbbreviation(Abbrev);
931   delete Abbrev;
932   Abbrev = NULL;
933 }
934
935 /// AddChild - Add a child to the DIE.
936 ///
937 void DIE::AddChild(DIE *Child) {
938   assert(Abbrev && "Adding children without an abbreviation");
939   Abbrev->setChildrenFlag(DW_CHILDREN_yes);
940   Children.push_back(Child);
941 }
942
943 //===----------------------------------------------------------------------===//
944
945 /// DwarfWriter
946
947 //===----------------------------------------------------------------------===//
948
949 /// PrintHex - Print a value as a hexidecimal value.
950 ///
951 void DwarfWriter::PrintHex(int Value) const { 
952   O << "0x" << std::hex << Value << std::dec;
953 }
954
955 /// EOL - Print a newline character to asm stream.  If a comment is present
956 /// then it will be printed first.  Comments should not contain '\n'.
957 void DwarfWriter::EOL(const std::string &Comment) const {
958   if (DwarfVerbose && !Comment.empty()) {
959     O << "\t"
960       << Asm->CommentString
961       << " "
962       << Comment;
963   }
964   O << "\n";
965 }
966
967 /// EmitAlign - Print a align directive.
968 ///
969 void DwarfWriter::EmitAlign(unsigned Alignment) const {
970   O << Asm->AlignDirective << Alignment << "\n";
971 }
972
973 /// EmitULEB128Bytes - Emit an assembler byte data directive to compose an
974 /// unsigned leb128 value.
975 void DwarfWriter::EmitULEB128Bytes(unsigned Value) const {
976   if (hasLEB128) {
977     O << "\t.uleb128\t"
978       << Value;
979   } else {
980     O << Asm->Data8bitsDirective;
981     PrintULEB128(Value);
982   }
983 }
984
985 /// EmitSLEB128Bytes - Emit an assembler byte data directive to compose a
986 /// signed leb128 value.
987 void DwarfWriter::EmitSLEB128Bytes(int Value) const {
988   if (hasLEB128) {
989     O << "\t.sleb128\t"
990       << Value;
991   } else {
992     O << Asm->Data8bitsDirective;
993     PrintSLEB128(Value);
994   }
995 }
996
997 /// PrintULEB128 - Print a series of hexidecimal values (separated by commas)
998 /// representing an unsigned leb128 value.
999 void DwarfWriter::PrintULEB128(unsigned Value) const {
1000   do {
1001     unsigned Byte = Value & 0x7f;
1002     Value >>= 7;
1003     if (Value) Byte |= 0x80;
1004     PrintHex(Byte);
1005     if (Value) O << ", ";
1006   } while (Value);
1007 }
1008
1009 /// SizeULEB128 - Compute the number of bytes required for an unsigned leb128
1010 /// value.
1011 unsigned DwarfWriter::SizeULEB128(unsigned Value) {
1012   unsigned Size = 0;
1013   do {
1014     Value >>= 7;
1015     Size += sizeof(int8_t);
1016   } while (Value);
1017   return Size;
1018 }
1019
1020 /// PrintSLEB128 - Print a series of hexidecimal values (separated by commas)
1021 /// representing a signed leb128 value.
1022 void DwarfWriter::PrintSLEB128(int Value) const {
1023   int Sign = Value >> (8 * sizeof(Value) - 1);
1024   bool IsMore;
1025   
1026   do {
1027     unsigned Byte = Value & 0x7f;
1028     Value >>= 7;
1029     IsMore = Value != Sign || ((Byte ^ Sign) & 0x40) != 0;
1030     if (IsMore) Byte |= 0x80;
1031     PrintHex(Byte);
1032     if (IsMore) O << ", ";
1033   } while (IsMore);
1034 }
1035
1036 /// SizeSLEB128 - Compute the number of bytes required for a signed leb128
1037 /// value.
1038 unsigned DwarfWriter::SizeSLEB128(int Value) {
1039   unsigned Size = 0;
1040   int Sign = Value >> (8 * sizeof(Value) - 1);
1041   bool IsMore;
1042   
1043   do {
1044     unsigned Byte = Value & 0x7f;
1045     Value >>= 7;
1046     IsMore = Value != Sign || ((Byte ^ Sign) & 0x40) != 0;
1047     Size += sizeof(int8_t);
1048   } while (IsMore);
1049   return Size;
1050 }
1051
1052 /// EmitInt8 - Emit a byte directive and value.
1053 ///
1054 void DwarfWriter::EmitInt8(int Value) const {
1055   O << Asm->Data8bitsDirective;
1056   PrintHex(Value & 0xFF);
1057 }
1058
1059 /// EmitInt16 - Emit a short directive and value.
1060 ///
1061 void DwarfWriter::EmitInt16(int Value) const {
1062   O << Asm->Data16bitsDirective;
1063   PrintHex(Value & 0xFFFF);
1064 }
1065
1066 /// EmitInt32 - Emit a long directive and value.
1067 ///
1068 void DwarfWriter::EmitInt32(int Value) const {
1069   O << Asm->Data32bitsDirective;
1070   PrintHex(Value);
1071 }
1072
1073 /// EmitInt64 - Emit a long long directive and value.
1074 ///
1075 void DwarfWriter::EmitInt64(uint64_t Value) const {
1076   if (Asm->Data64bitsDirective) {
1077     O << Asm->Data64bitsDirective << "0x" << std::hex << Value << std::dec;
1078   } else {
1079     if (TD->isBigEndian()) {
1080       EmitInt32(unsigned(Value >> 32)); O << "\n";
1081       EmitInt32(unsigned(Value));
1082     } else {
1083       EmitInt32(unsigned(Value)); O << "\n";
1084       EmitInt32(unsigned(Value >> 32));
1085     }
1086   }
1087 }
1088
1089 /// EmitString - Emit a string with quotes and a null terminator.
1090 /// Special characters are emitted properly. (Eg. '\t')
1091 void DwarfWriter::EmitString(const std::string &String) const {
1092   O << Asm->AsciiDirective
1093     << "\"";
1094   for (unsigned i = 0, N = String.size(); i < N; ++i) {
1095     unsigned char C = String[i];
1096     
1097     if (!isascii(C) || iscntrl(C)) {
1098       switch(C) {
1099       case '\b': O << "\\b"; break;
1100       case '\f': O << "\\f"; break;
1101       case '\n': O << "\\n"; break;
1102       case '\r': O << "\\r"; break;
1103       case '\t': O << "\\t"; break;
1104       default:
1105         O << '\\';
1106         O << char('0' + ((C >> 6) & 7));
1107         O << char('0' + ((C >> 3) & 7));
1108         O << char('0' + ((C >> 0) & 7));
1109         break;
1110       }
1111     } else if (C == '\"') {
1112       O << "\\\"";
1113     } else if (C == '\'') {
1114       O << "\\\'";
1115     } else {
1116      O << C;
1117     }
1118   }
1119   O << "\\0\"";
1120 }
1121
1122 /// PrintLabelName - Print label name in form used by Dwarf writer.
1123 ///
1124 void DwarfWriter::PrintLabelName(const char *Tag, unsigned Number) const {
1125   O << Asm->PrivateGlobalPrefix
1126     << "debug_"
1127     << Tag;
1128   if (Number) O << Number;
1129 }
1130
1131 /// EmitLabel - Emit location label for internal use by Dwarf.
1132 ///
1133 void DwarfWriter::EmitLabel(const char *Tag, unsigned Number) const {
1134   PrintLabelName(Tag, Number);
1135   O << ":\n";
1136 }
1137
1138 /// EmitReference - Emit a reference to a label.
1139 ///
1140 void DwarfWriter::EmitReference(const char *Tag, unsigned Number) const {
1141   if (AddressSize == 4)
1142     O << Asm->Data32bitsDirective;
1143   else
1144     O << Asm->Data64bitsDirective;
1145     
1146   PrintLabelName(Tag, Number);
1147 }
1148 void DwarfWriter::EmitReference(const std::string &Name) const {
1149   if (AddressSize == 4)
1150     O << Asm->Data32bitsDirective;
1151   else
1152     O << Asm->Data64bitsDirective;
1153     
1154   O << Name;
1155 }
1156
1157 /// EmitDifference - Emit an label difference as sizeof(pointer) value.  Some
1158 /// assemblers do not accept absolute expressions with data directives, so there 
1159 /// is an option (needsSet) to use an intermediary 'set' expression.
1160 void DwarfWriter::EmitDifference(const char *TagHi, unsigned NumberHi,
1161                                  const char *TagLo, unsigned NumberLo) const {
1162   if (needsSet) {
1163     static unsigned SetCounter = 0;
1164     
1165     O << "\t.set\t";
1166     PrintLabelName("set", SetCounter);
1167     O << ",";
1168     PrintLabelName(TagHi, NumberHi);
1169     O << "-";
1170     PrintLabelName(TagLo, NumberLo);
1171     O << "\n";
1172     
1173     if (AddressSize == sizeof(int32_t))
1174       O << Asm->Data32bitsDirective;
1175     else
1176       O << Asm->Data64bitsDirective;
1177       
1178     PrintLabelName("set", SetCounter);
1179     
1180     ++SetCounter;
1181   } else {
1182     if (AddressSize == sizeof(int32_t))
1183       O << Asm->Data32bitsDirective;
1184     else
1185       O << Asm->Data64bitsDirective;
1186       
1187     PrintLabelName(TagHi, NumberHi);
1188     O << "-";
1189     PrintLabelName(TagLo, NumberLo);
1190   }
1191 }
1192
1193 /// NewAbbreviation - Add the abbreviation to the Abbreviation vector.
1194 ///  
1195 unsigned DwarfWriter::NewAbbreviation(DIEAbbrev *Abbrev) {
1196   return Abbreviations.insert(*Abbrev);
1197 }
1198
1199 /// NewString - Add a string to the constant pool and returns a label.
1200 ///
1201 DWLabel DwarfWriter::NewString(const std::string &String) {
1202   unsigned StringID = StringPool.insert(String);
1203   return DWLabel("string", StringID);
1204 }
1205
1206 /// AddSourceLine - Add location information to specified debug information
1207 /// entry.
1208 void DwarfWriter::AddSourceLine(DIE *Die, CompileUnitDesc *File, unsigned Line){
1209   if (File && Line) {
1210     CompileUnit *FileUnit = FindCompileUnit(File);
1211     unsigned FileID = FileUnit->getID();
1212     Die->AddUInt(DW_AT_decl_file, 0, FileID);
1213     Die->AddUInt(DW_AT_decl_line, 0, Line);
1214   }
1215 }
1216
1217 /// AddAddress - Add an address attribute to a die based on the location
1218 /// provided.
1219 void DwarfWriter::AddAddress(DIE *Die, unsigned Attribute,
1220                              const MachineLocation &Location) {
1221   DIEBlock *Block = new DIEBlock();
1222   unsigned Reg = RI->getDwarfRegNum(Location.getRegister());
1223   
1224   if (Location.isRegister()) {
1225     if (Reg < 32) {
1226       Block->AddUInt(DW_FORM_data1, DW_OP_reg0 + Reg);
1227     } else {
1228       Block->AddUInt(DW_FORM_data1, DW_OP_regx);
1229       Block->AddUInt(DW_FORM_udata, Reg);
1230     }
1231   } else {
1232     if (Reg < 32) {
1233       Block->AddUInt(DW_FORM_data1, DW_OP_breg0 + Reg);
1234     } else {
1235       Block->AddUInt(DW_FORM_data1, DW_OP_bregx);
1236       Block->AddUInt(DW_FORM_udata, Reg);
1237     }
1238     Block->AddUInt(DW_FORM_sdata, Location.getOffset());
1239   }
1240   Block->ComputeSize(*this);
1241   Die->AddBlock(Attribute, 0, Block);
1242 }
1243
1244 /// getDieMapSlotFor - Returns the debug information entry map slot for the
1245 /// specified debug descriptor.
1246 DIE *&DwarfWriter::getDieMapSlotFor(DebugInfoDesc *DD) {
1247   return DescToDieMap[DD];
1248 }
1249
1250 /// NewType - Create a new type DIE.
1251 ///
1252 DIE *DwarfWriter::NewType(DIE *Context, TypeDesc *TyDesc, CompileUnit *Unit) {
1253   if (!TyDesc) {
1254     // FIXME - Hack for missing types
1255     DIE *Die = new DIE(DW_TAG_base_type);
1256     Die->AddUInt(DW_AT_byte_size, 0, 4);
1257     Die->AddUInt(DW_AT_encoding, DW_FORM_data1, DW_ATE_signed);
1258     Unit->getDie()->AddChild(Die);
1259     return Die;
1260   }
1261   
1262   // Check for pre-existence.
1263   DIE *&Slot = Unit->getDieMapSlotFor(TyDesc);
1264   if (Slot) return Slot;
1265
1266   // Get core information.
1267   const std::string &Name = TyDesc->getName();
1268   uint64_t Size = TyDesc->getSize() >> 3;
1269   
1270   DIE *Ty = NULL;
1271   
1272   if (BasicTypeDesc *BasicTy = dyn_cast<BasicTypeDesc>(TyDesc)) {
1273     // Fundamental types like int, float, bool
1274     Slot = Ty = new DIE(DW_TAG_base_type);
1275     unsigned Encoding = BasicTy->getEncoding();
1276     Ty->AddUInt(DW_AT_encoding,  DW_FORM_data1, Encoding);
1277   } else if (DerivedTypeDesc *DerivedTy = dyn_cast<DerivedTypeDesc>(TyDesc)) {
1278     // Create specific DIE.
1279     Slot = Ty = new DIE(DerivedTy->getTag());
1280     
1281     // Map to main type, void will not have a type.
1282     if (TypeDesc *FromTy = DerivedTy->getFromType()) {
1283       Ty->AddDIEntry(DW_AT_type, DW_FORM_ref4,
1284                      NewType(Context, FromTy, Unit));
1285     }
1286   } else if (CompositeTypeDesc *CompTy = dyn_cast<CompositeTypeDesc>(TyDesc)) {
1287     // Fetch tag
1288     unsigned Tag = CompTy->getTag();
1289     
1290     // Create specific DIE.
1291     Slot = Ty = Tag == DW_TAG_vector_type ? new DIE(DW_TAG_array_type) :
1292                                             new DIE(Tag);
1293     
1294     std::vector<DebugInfoDesc *> &Elements = CompTy->getElements();
1295     
1296     switch (Tag) {
1297     case DW_TAG_vector_type: Ty->AddUInt(DW_AT_GNU_vector, DW_FORM_flag, 1);
1298       // Fall thru
1299     case DW_TAG_array_type: {
1300       // Add element type.
1301       if (TypeDesc *FromTy = CompTy->getFromType()) {
1302         Ty->AddDIEntry(DW_AT_type, DW_FORM_ref4,
1303                        NewType(Context, FromTy, Unit));
1304       }
1305       
1306       // Don't emit size attribute.
1307       Size = 0;
1308       
1309       // Construct an anonymous type for index type.
1310       DIE *IndexTy = new DIE(DW_TAG_base_type);
1311       IndexTy->AddUInt(DW_AT_byte_size, 0, 4);
1312       IndexTy->AddUInt(DW_AT_encoding, DW_FORM_data1, DW_ATE_signed);
1313       // Add to context.
1314       Context->AddChild(IndexTy);
1315     
1316       // Add subranges to array type.
1317       for(unsigned i = 0, N = Elements.size(); i < N; ++i) {
1318         SubrangeDesc *SRD = cast<SubrangeDesc>(Elements[i]);
1319         int64_t Lo = SRD->getLo();
1320         int64_t Hi = SRD->getHi();
1321         DIE *Subrange = new DIE(DW_TAG_subrange_type);
1322         
1323         // If a range is available.
1324         if (Lo != Hi) {
1325           Subrange->AddDIEntry(DW_AT_type, DW_FORM_ref4, IndexTy);
1326           // Only add low if non-zero.
1327           if (Lo) Subrange->AddSInt(DW_AT_lower_bound, 0, Lo);
1328           Subrange->AddSInt(DW_AT_upper_bound, 0, Hi);
1329         }
1330         Ty->AddChild(Subrange);
1331       }
1332       
1333       break;
1334     }
1335     case DW_TAG_structure_type:
1336     case DW_TAG_union_type: {
1337       // Add elements to structure type.
1338       for(unsigned i = 0, N = Elements.size(); i < N; ++i) {
1339         DebugInfoDesc *Element = Elements[i];
1340         
1341         if (DerivedTypeDesc *MemberDesc = dyn_cast<DerivedTypeDesc>(Element)) {
1342           // Add field or base class.
1343           
1344           unsigned Tag = MemberDesc->getTag();
1345         
1346           // Extract the basic information.
1347           const std::string &Name = MemberDesc->getName();
1348           TypeDesc *MemTy = MemberDesc->getFromType();
1349           uint64_t Size = MemberDesc->getSize();
1350           uint64_t Align = MemberDesc->getAlign();
1351           uint64_t Offset = MemberDesc->getOffset();
1352      
1353           // Construct member debug information entry.
1354           DIE *Member = new DIE(Tag);
1355           
1356           // Add name if not "".
1357           if (!Name.empty())Member->AddString(DW_AT_name, DW_FORM_string, Name);
1358           // Add location if available.
1359           AddSourceLine(Member, MemberDesc->getFile(), MemberDesc->getLine());
1360           
1361           // Most of the time the field info is the same as the members.
1362           uint64_t FieldSize = Size;
1363           uint64_t FieldAlign = Align;
1364           uint64_t FieldOffset = Offset;
1365           
1366           if (TypeDesc *FromTy = MemberDesc->getFromType()) {
1367             Member->AddDIEntry(DW_AT_type, DW_FORM_ref4,
1368                                NewType(Context, FromTy, Unit));
1369             FieldSize = FromTy->getSize();
1370             FieldAlign = FromTy->getSize();
1371           }
1372           
1373           // Unless we have a bit field.
1374           if (Tag == DW_TAG_member && FieldSize != Size) {
1375             // Construct the alignment mask.
1376             uint64_t AlignMask = ~(FieldAlign - 1);
1377             // Determine the high bit + 1 of the declared size.
1378             uint64_t HiMark = (Offset + FieldSize) & AlignMask;
1379             // Work backwards to determine the base offset of the field.
1380             FieldOffset = HiMark - FieldSize;
1381             // Now normalize offset to the field.
1382             Offset -= FieldOffset;
1383             
1384             // Maybe we need to work from the other end.
1385             if (TD->isLittleEndian()) Offset = FieldSize - (Offset + Size);
1386             
1387             // Add size and offset.
1388             Member->AddUInt(DW_AT_byte_size, 0, FieldSize >> 3);
1389             Member->AddUInt(DW_AT_bit_size, 0, Size);
1390             Member->AddUInt(DW_AT_bit_offset, 0, Offset);
1391           }
1392           
1393           // Add computation for offset.
1394           DIEBlock *Block = new DIEBlock();
1395           Block->AddUInt(DW_FORM_data1, DW_OP_plus_uconst);
1396           Block->AddUInt(DW_FORM_udata, FieldOffset >> 3);
1397           Block->ComputeSize(*this);
1398           Member->AddBlock(DW_AT_data_member_location, 0, Block);
1399
1400           // Add accessibility (public default unless is base class.
1401           if (MemberDesc->isProtected()) {
1402             Member->AddUInt(DW_AT_accessibility, 0, DW_ACCESS_protected);
1403           } else if (MemberDesc->isPrivate()) {
1404             Member->AddUInt(DW_AT_accessibility, 0, DW_ACCESS_private);
1405           } else if (Tag == DW_TAG_inheritance) {
1406             Member->AddUInt(DW_AT_accessibility, 0, DW_ACCESS_public);
1407           }
1408           
1409           Ty->AddChild(Member);
1410         } else if (GlobalVariableDesc *StaticDesc =
1411                                         dyn_cast<GlobalVariableDesc>(Element)) {
1412           // Add static member.
1413           
1414           // Construct member debug information entry.
1415           DIE *Static = new DIE(DW_TAG_variable);
1416           
1417           // Add name and mangled name.
1418           const std::string &Name = StaticDesc->getDisplayName();
1419           const std::string &MangledName = StaticDesc->getName();
1420           Static->AddString(DW_AT_name, DW_FORM_string, Name);
1421           Static->AddString(DW_AT_MIPS_linkage_name, DW_FORM_string,
1422                             MangledName);
1423           
1424           // Add location.
1425           AddSourceLine(Static, StaticDesc->getFile(), StaticDesc->getLine());
1426          
1427           // Add type.
1428           if (TypeDesc *StaticTy = StaticDesc->getType()) {
1429             Static->AddDIEntry(DW_AT_type, DW_FORM_ref4, 
1430                                NewType(Context, StaticTy, Unit));
1431           }
1432           
1433           // Add flags.
1434           Static->AddUInt(DW_AT_external, DW_FORM_flag, 1);
1435           Static->AddUInt(DW_AT_declaration, DW_FORM_flag, 1);
1436           
1437           Ty->AddChild(Static);
1438         } else if (SubprogramDesc *MethodDesc =
1439                                             dyn_cast<SubprogramDesc>(Element)) {
1440           // Add member function.
1441           
1442           // Construct member debug information entry.
1443           DIE *Method = new DIE(DW_TAG_subprogram);
1444          
1445           // Add name and mangled name.
1446           const std::string &Name = MethodDesc->getDisplayName();
1447           const std::string &MangledName = MethodDesc->getName();
1448           bool IsCTor = false;
1449           
1450           if (Name.empty()) {
1451             Method->AddString(DW_AT_name, DW_FORM_string, MangledName);            
1452             IsCTor = TyDesc->getName() == MangledName;
1453           } else {
1454             Method->AddString(DW_AT_name, DW_FORM_string, Name);            
1455             Method->AddString(DW_AT_MIPS_linkage_name, DW_FORM_string,
1456                               MangledName);
1457           }
1458           
1459           // Add location.
1460           AddSourceLine(Method, MethodDesc->getFile(), MethodDesc->getLine());
1461          
1462           // Add type.
1463           if (CompositeTypeDesc *MethodTy =
1464                    dyn_cast_or_null<CompositeTypeDesc>(MethodDesc->getType())) {
1465             // Get argument information.
1466             std::vector<DebugInfoDesc *> &Args = MethodTy->getElements();
1467            
1468             // If not a ctor.
1469             if (!IsCTor) {
1470               // Add return type.
1471               Method->AddDIEntry(DW_AT_type, DW_FORM_ref4,
1472                                  NewType(Context, dyn_cast<TypeDesc>(Args[0]),
1473                                  Unit));
1474             }
1475             
1476             // Add arguments.
1477             for(unsigned i = 1, N = Args.size(); i < N; ++i) {
1478               DIE *Arg = new DIE(DW_TAG_formal_parameter);
1479               Arg->AddDIEntry(DW_AT_type, DW_FORM_ref4,
1480                               NewType(Context, cast<TypeDesc>(Args[i]), Unit));
1481               Arg->AddUInt(DW_AT_artificial, DW_FORM_flag, 1);
1482               Method->AddChild(Arg);
1483             }
1484           }
1485
1486           // Add flags.
1487           Method->AddUInt(DW_AT_external, DW_FORM_flag, 1);
1488           Method->AddUInt(DW_AT_declaration, DW_FORM_flag, 1);
1489             
1490           Ty->AddChild(Method);
1491         }
1492       }
1493       break;
1494     }
1495     case DW_TAG_enumeration_type: {
1496       // Add enumerators to enumeration type.
1497       for(unsigned i = 0, N = Elements.size(); i < N; ++i) {
1498         EnumeratorDesc *ED = cast<EnumeratorDesc>(Elements[i]);
1499         const std::string &Name = ED->getName();
1500         int64_t Value = ED->getValue();
1501         DIE *Enumerator = new DIE(DW_TAG_enumerator);
1502         Enumerator->AddString(DW_AT_name, DW_FORM_string, Name);
1503         Enumerator->AddSInt(DW_AT_const_value, DW_FORM_sdata, Value);
1504         Ty->AddChild(Enumerator);
1505       }
1506
1507       break;
1508     }
1509     case DW_TAG_subroutine_type: {
1510       // Add prototype flag.
1511       Ty->AddUInt(DW_AT_prototyped, DW_FORM_flag, 1);
1512       // Add return type.
1513       Ty->AddDIEntry(DW_AT_type, DW_FORM_ref4,
1514                      NewType(Context, dyn_cast<TypeDesc>(Elements[0]), Unit));
1515       
1516       // Add arguments.
1517       for(unsigned i = 1, N = Elements.size(); i < N; ++i) {
1518         DIE *Arg = new DIE(DW_TAG_formal_parameter);
1519         Arg->AddDIEntry(DW_AT_type, DW_FORM_ref4,
1520                         NewType(Context, cast<TypeDesc>(Elements[i]), Unit));
1521         Ty->AddChild(Arg);
1522       }
1523       
1524       break;
1525     }
1526     default: break;
1527     }
1528   }
1529   
1530   assert(Ty && "Type not supported yet");
1531  
1532   // Add size if non-zero (derived types don't have a size.)
1533   if (Size) Ty->AddUInt(DW_AT_byte_size, 0, Size);
1534   // Add name if not anonymous or intermediate type.
1535   if (!Name.empty()) Ty->AddString(DW_AT_name, DW_FORM_string, Name);
1536   // Add source line info if available.
1537   AddSourceLine(Ty, TyDesc->getFile(), TyDesc->getLine());
1538
1539   // Add to context owner.
1540   Context->AddChild(Ty);
1541   
1542   return Slot;
1543 }
1544
1545 /// NewCompileUnit - Create new compile unit and it's debug information entry.
1546 ///
1547 CompileUnit *DwarfWriter::NewCompileUnit(CompileUnitDesc *UnitDesc,
1548                                          unsigned ID) {
1549   // Construct debug information entry.
1550   DIE *Die = new DIE(DW_TAG_compile_unit);
1551   Die->AddDelta (DW_AT_stmt_list, DW_FORM_data4,  DWLabel("line", 0),
1552                                                   DWLabel("section_line", 0));
1553 //  Die->AddLabel (DW_AT_high_pc,   DW_FORM_addr,   DWLabel("text_end", 0));
1554 //  Die->AddLabel (DW_AT_low_pc,    DW_FORM_addr,   DWLabel("text_begin", 0));
1555   Die->AddString(DW_AT_producer,  DW_FORM_string, UnitDesc->getProducer());
1556   Die->AddUInt  (DW_AT_language,  DW_FORM_data1,  UnitDesc->getLanguage());
1557   Die->AddString(DW_AT_name,      DW_FORM_string, UnitDesc->getFileName());
1558   Die->AddString(DW_AT_comp_dir,  DW_FORM_string, UnitDesc->getDirectory());
1559   
1560   // Add debug information entry to descriptor map.
1561   DIE *&Slot = getDieMapSlotFor(UnitDesc);
1562   Slot = Die;
1563   
1564   // Construct compile unit.
1565   CompileUnit *Unit = new CompileUnit(UnitDesc, ID, Die);
1566   
1567   // Add Unit to compile unit map.
1568   DescToUnitMap[UnitDesc] = Unit;
1569   
1570   return Unit;
1571 }
1572
1573 /// FindCompileUnit - Get the compile unit for the given descriptor.
1574 ///
1575 CompileUnit *DwarfWriter::FindCompileUnit(CompileUnitDesc *UnitDesc) {
1576   CompileUnit *Unit = DescToUnitMap[UnitDesc];
1577   assert(Unit && "Missing compile unit.");
1578   return Unit;
1579 }
1580
1581 /// NewGlobalVariable - Add a new global variable DIE.
1582 ///
1583 DIE *DwarfWriter::NewGlobalVariable(GlobalVariableDesc *GVD) {
1584   // Get the compile unit context.
1585   CompileUnitDesc *UnitDesc = static_cast<CompileUnitDesc *>(GVD->getContext());
1586   CompileUnit *Unit = FindCompileUnit(UnitDesc);
1587
1588   // Check for pre-existence.
1589   DIE *&Slot = Unit->getDieMapSlotFor(GVD);
1590   if (Slot) return Slot;
1591   
1592   // Get the global variable itself.
1593   GlobalVariable *GV = GVD->getGlobalVariable();
1594   // Generate the mangled name.
1595   std::string MangledName = Asm->Mang->getValueName(GV);
1596
1597   // Gather the details (simplify add attribute code.)
1598   const std::string &Name = GVD->getName();
1599   
1600   // Get the global's type.
1601   DIE *Type = NewType(Unit->getDie(), GVD->getType(), Unit); 
1602
1603   // Create the globale variable DIE.
1604   DIE *VariableDie = new DIE(DW_TAG_variable);
1605   VariableDie->AddString     (DW_AT_name,      DW_FORM_string, Name);
1606   VariableDie->AddDIEntry    (DW_AT_type,      DW_FORM_ref4,   Type);
1607   VariableDie->AddUInt       (DW_AT_external,  DW_FORM_flag,   1);
1608   
1609   // Add source line info if available.
1610   AddSourceLine(VariableDie, UnitDesc, GVD->getLine());
1611
1612   // Add address.
1613   DIEBlock *Block = new DIEBlock();
1614   Block->AddUInt(DW_FORM_data1, DW_OP_addr);
1615   Block->AddObjectLabel(DW_FORM_udata, MangledName);
1616   Block->ComputeSize(*this);
1617   VariableDie->AddBlock(DW_AT_location,  0, Block);
1618   
1619   // Add to map.
1620   Slot = VariableDie;
1621  
1622   // Add to context owner.
1623   Unit->getDie()->AddChild(VariableDie);
1624   
1625   // Expose as global.
1626   // FIXME - need to check external flag.
1627   Unit->AddGlobal(Name, VariableDie);
1628   
1629   return VariableDie;
1630 }
1631
1632 /// NewSubprogram - Add a new subprogram DIE.
1633 ///
1634 DIE *DwarfWriter::NewSubprogram(SubprogramDesc *SPD) {
1635   // Get the compile unit context.
1636   CompileUnitDesc *UnitDesc = static_cast<CompileUnitDesc *>(SPD->getContext());
1637   CompileUnit *Unit = FindCompileUnit(UnitDesc);
1638
1639   // Check for pre-existence.
1640   DIE *&Slot = Unit->getDieMapSlotFor(SPD);
1641   if (Slot) return Slot;
1642   
1643   // Gather the details (simplify add attribute code.)
1644   const std::string &Name = SPD->getName();
1645   DIE *Type = NewType(Unit->getDie(), SPD->getType(), Unit); 
1646   unsigned IsExternal = SPD->isStatic() ? 0 : 1;
1647                                     
1648   DIE *SubprogramDie = new DIE(DW_TAG_subprogram);
1649   SubprogramDie->AddString     (DW_AT_name,      DW_FORM_string, Name);
1650   if (Type) {
1651     SubprogramDie->AddDIEntry    (DW_AT_type,      DW_FORM_ref4,   Type);
1652   }
1653   SubprogramDie->AddUInt       (DW_AT_external,    DW_FORM_flag,   IsExternal);
1654   SubprogramDie->AddUInt       (DW_AT_prototyped,  DW_FORM_flag,   1);
1655   
1656   // Add source line info if available.
1657   AddSourceLine(SubprogramDie, UnitDesc, SPD->getLine());
1658
1659   // Add to map.
1660   Slot = SubprogramDie;
1661  
1662   // Add to context owner.
1663   Unit->getDie()->AddChild(SubprogramDie);
1664   
1665   // Expose as global.
1666   Unit->AddGlobal(Name, SubprogramDie);
1667   
1668   return SubprogramDie;
1669 }
1670
1671 /// NewScopeVariable - Create a new scope variable.
1672 ///
1673 DIE *DwarfWriter::NewScopeVariable(DebugVariable *DV, CompileUnit *Unit) {
1674   // Get the descriptor.
1675   VariableDesc *VD = DV->getDesc();
1676
1677   // Translate tag to proper Dwarf tag.  The result variable is dropped for now.
1678   unsigned Tag;
1679   switch (VD->getTag()) {
1680   case DW_TAG_return_variable:  return NULL;
1681   case DW_TAG_arg_variable:     Tag = DW_TAG_formal_parameter; break;
1682   case DW_TAG_auto_variable:    // fall thru
1683   default:                      Tag = DW_TAG_variable; break;
1684   }
1685
1686   // Define variable debug information entry.
1687   DIE *VariableDie = new DIE(Tag);
1688   VariableDie->AddString(DW_AT_name, DW_FORM_string, VD->getName());
1689
1690   // Add source line info if available.
1691   AddSourceLine(VariableDie, VD->getFile(), VD->getLine());
1692   
1693   // Add variable type.
1694   DIE *Type = NewType(Unit->getDie(), VD->getType(), Unit); 
1695   VariableDie->AddDIEntry(DW_AT_type, DW_FORM_ref4, Type);
1696   
1697   // Add variable address.
1698   MachineLocation Location;
1699   RI->getLocation(*MF, DV->getFrameIndex(), Location);
1700   AddAddress(VariableDie, DW_AT_location, Location);
1701   
1702   return VariableDie;
1703 }
1704
1705 /// ConstructScope - Construct the components of a scope.
1706 ///
1707 void DwarfWriter::ConstructScope(DebugScope *ParentScope,
1708                                  DIE *ParentDie, CompileUnit *Unit) {
1709   // Add variables to scope.
1710   std::vector<DebugVariable *> &Variables = ParentScope->getVariables();
1711   for (unsigned i = 0, N = Variables.size(); i < N; ++i) {
1712     DIE *VariableDie = NewScopeVariable(Variables[i], Unit);
1713     if (VariableDie) ParentDie->AddChild(VariableDie);
1714   }
1715   
1716   // Add nested scopes.
1717   std::vector<DebugScope *> &Scopes = ParentScope->getScopes();
1718   for (unsigned j = 0, M = Scopes.size(); j < M; ++j) {
1719     // Define the Scope debug information entry.
1720     DebugScope *Scope = Scopes[j];
1721     // FIXME - Ignore inlined functions for the time being.
1722     if (!Scope->getParent()) continue;
1723     
1724     DIE *ScopeDie = new DIE(DW_TAG_lexical_block);
1725     
1726     // Add the scope bounds.
1727     if (unsigned StartID = Scope->getStartLabelID()) {
1728       ScopeDie->AddLabel(DW_AT_low_pc, DW_FORM_addr,
1729                          DWLabel("loc", StartID));
1730     } else {
1731       ScopeDie->AddLabel(DW_AT_low_pc, DW_FORM_addr,
1732                          DWLabel("func_begin", SubprogramCount));
1733     }
1734     if (unsigned EndID = Scope->getEndLabelID()) {
1735       ScopeDie->AddLabel(DW_AT_high_pc, DW_FORM_addr,
1736                          DWLabel("loc", EndID));
1737     } else {
1738       ScopeDie->AddLabel(DW_AT_high_pc, DW_FORM_addr,
1739                          DWLabel("func_end", SubprogramCount));
1740     }
1741                        
1742     // Add the scope contents.
1743     ConstructScope(Scope, ScopeDie, Unit);
1744     ParentDie->AddChild(ScopeDie);
1745   }
1746 }
1747
1748 /// ConstructRootScope - Construct the scope for the subprogram.
1749 ///
1750 void DwarfWriter::ConstructRootScope(DebugScope *RootScope) {
1751   // Exit if there is no root scope.
1752   if (!RootScope) return;
1753   
1754   // Get the subprogram debug information entry. 
1755   SubprogramDesc *SPD = cast<SubprogramDesc>(RootScope->getDesc());
1756   
1757   // Get the compile unit context.
1758   CompileUnitDesc *UnitDesc = static_cast<CompileUnitDesc *>(SPD->getContext());
1759   CompileUnit *Unit = FindCompileUnit(UnitDesc);
1760   
1761   // Get the subprogram die.
1762   DIE *SPDie = Unit->getDieMapSlotFor(SPD);
1763   assert(SPDie && "Missing subprogram descriptor");
1764   
1765   // Add the function bounds.
1766   SPDie->AddLabel(DW_AT_low_pc, DW_FORM_addr,
1767                   DWLabel("func_begin", SubprogramCount));
1768   SPDie->AddLabel(DW_AT_high_pc, DW_FORM_addr,
1769                   DWLabel("func_end", SubprogramCount));
1770   MachineLocation Location(RI->getFrameRegister(*MF));
1771   AddAddress(SPDie, DW_AT_frame_base, Location);
1772                   
1773   ConstructScope(RootScope, SPDie, Unit);
1774 }
1775
1776 /// EmitInitial - Emit initial Dwarf declarations.  This is necessary for cc
1777 /// tools to recognize the object file contains Dwarf information.
1778 ///
1779 void DwarfWriter::EmitInitial() {
1780   // Check to see if we already emitted intial headers.
1781   if (didInitial) return;
1782   didInitial = true;
1783   
1784   // Dwarf sections base addresses.
1785   Asm->SwitchToDataSection(DwarfFrameSection, 0);
1786   EmitLabel("section_frame", 0);
1787   Asm->SwitchToDataSection(DwarfInfoSection, 0);
1788   EmitLabel("section_info", 0);
1789   EmitLabel("info", 0);
1790   Asm->SwitchToDataSection(DwarfAbbrevSection, 0);
1791   EmitLabel("section_abbrev", 0);
1792   EmitLabel("abbrev", 0);
1793   Asm->SwitchToDataSection(DwarfARangesSection, 0);
1794   EmitLabel("section_aranges", 0);
1795   Asm->SwitchToDataSection(DwarfMacInfoSection, 0);
1796   EmitLabel("section_macinfo", 0);
1797   Asm->SwitchToDataSection(DwarfLineSection, 0);
1798   EmitLabel("section_line", 0);
1799   EmitLabel("line", 0);
1800   Asm->SwitchToDataSection(DwarfLocSection, 0);
1801   EmitLabel("section_loc", 0);
1802   Asm->SwitchToDataSection(DwarfPubNamesSection, 0);
1803   EmitLabel("section_pubnames", 0);
1804   Asm->SwitchToDataSection(DwarfStrSection, 0);
1805   EmitLabel("section_str", 0);
1806   Asm->SwitchToDataSection(DwarfRangesSection, 0);
1807   EmitLabel("section_ranges", 0);
1808
1809   Asm->SwitchToTextSection(TextSection, 0);
1810   EmitLabel("text_begin", 0);
1811   Asm->SwitchToDataSection(DataSection, 0);
1812   EmitLabel("data_begin", 0);
1813
1814   // Emit common frame information.
1815   EmitInitialDebugFrame();
1816 }
1817
1818 /// EmitDIE - Recusively Emits a debug information entry.
1819 ///
1820 void DwarfWriter::EmitDIE(DIE *Die) const {
1821   // Get the abbreviation for this DIE.
1822   unsigned AbbrevID = Die->getAbbrevID();
1823   const DIEAbbrev &Abbrev = Abbreviations[AbbrevID];
1824   
1825   O << "\n";
1826
1827   // Emit the code (index) for the abbreviation.
1828   EmitULEB128Bytes(AbbrevID);
1829   EOL(std::string("Abbrev [" +
1830       utostr(AbbrevID) +
1831       "] 0x" + utohexstr(Die->getOffset()) +
1832       ":0x" + utohexstr(Die->getSize()) + " " +
1833       TagString(Abbrev.getTag())));
1834   
1835   const std::vector<DIEValue *> &Values = Die->getValues();
1836   const std::vector<DIEAbbrevData> &AbbrevData = Abbrev.getData();
1837   
1838   // Emit the DIE attribute values.
1839   for (unsigned i = 0, N = Values.size(); i < N; ++i) {
1840     unsigned Attr = AbbrevData[i].getAttribute();
1841     unsigned Form = AbbrevData[i].getForm();
1842     assert(Form && "Too many attributes for DIE (check abbreviation)");
1843     
1844     switch (Attr) {
1845     case DW_AT_sibling: {
1846       EmitInt32(Die->SiblingOffset());
1847       break;
1848     }
1849     default: {
1850       // Emit an attribute using the defined form.
1851       Values[i]->EmitValue(*this, Form);
1852       break;
1853     }
1854     }
1855     
1856     EOL(AttributeString(Attr));
1857   }
1858   
1859   // Emit the DIE children if any.
1860   if (Abbrev.getChildrenFlag() == DW_CHILDREN_yes) {
1861     const std::vector<DIE *> &Children = Die->getChildren();
1862     
1863     for (unsigned j = 0, M = Children.size(); j < M; ++j) {
1864       EmitDIE(Children[j]);
1865     }
1866     
1867     EmitInt8(0); EOL("End Of Children Mark");
1868   }
1869 }
1870
1871 /// SizeAndOffsetDie - Compute the size and offset of a DIE.
1872 ///
1873 unsigned DwarfWriter::SizeAndOffsetDie(DIE *Die, unsigned Offset, bool Last) {
1874   // Get the children.
1875   const std::vector<DIE *> &Children = Die->getChildren();
1876   
1877   // If not last sibling and has children then add sibling offset attribute.
1878   if (!Last && !Children.empty()) Die->AddSiblingOffset();
1879
1880   // Record the abbreviation.
1881   Die->Complete(*this);
1882   
1883   // Get the abbreviation for this DIE.
1884   unsigned AbbrevID = Die->getAbbrevID();
1885   const DIEAbbrev &Abbrev = Abbreviations[AbbrevID];
1886
1887   // Set DIE offset
1888   Die->setOffset(Offset);
1889   
1890   // Start the size with the size of abbreviation code.
1891   Offset += SizeULEB128(AbbrevID);
1892   
1893   const std::vector<DIEValue *> &Values = Die->getValues();
1894   const std::vector<DIEAbbrevData> &AbbrevData = Abbrev.getData();
1895
1896   // Emit the DIE attribute values.
1897   for (unsigned i = 0, N = Values.size(); i < N; ++i) {
1898     // Size attribute value.
1899     Offset += Values[i]->SizeOf(*this, AbbrevData[i].getForm());
1900   }
1901   
1902   // Emit the DIE children if any.
1903   if (!Children.empty()) {
1904     assert(Abbrev.getChildrenFlag() == DW_CHILDREN_yes &&
1905            "Children flag not set");
1906     
1907     for (unsigned j = 0, M = Children.size(); j < M; ++j) {
1908       Offset = SizeAndOffsetDie(Children[j], Offset, (j + 1) == M);
1909     }
1910     
1911     // End of children marker.
1912     Offset += sizeof(int8_t);
1913   }
1914
1915   Die->setSize(Offset - Die->getOffset());
1916   return Offset;
1917 }
1918
1919 /// SizeAndOffsets - Compute the size and offset of all the DIEs.
1920 ///
1921 void DwarfWriter::SizeAndOffsets() {
1922   
1923   // Process each compile unit.
1924   for (unsigned i = 0, N = CompileUnits.size(); i < N; ++i) {
1925     CompileUnit *Unit = CompileUnits[i];
1926     if (Unit->hasContent()) {
1927       // Compute size of compile unit header
1928       unsigned Offset = sizeof(int32_t) + // Length of Compilation Unit Info
1929                         sizeof(int16_t) + // DWARF version number
1930                         sizeof(int32_t) + // Offset Into Abbrev. Section
1931                         sizeof(int8_t);   // Pointer Size (in bytes)
1932       SizeAndOffsetDie(Unit->getDie(), Offset, (i + 1) == N);
1933     }
1934   }
1935 }
1936
1937 /// EmitFrameMoves - Emit frame instructions to describe the layout of the
1938 /// frame.
1939 void DwarfWriter::EmitFrameMoves(const char *BaseLabel, unsigned BaseLabelID,
1940                                  std::vector<MachineMove *> &Moves) {
1941   for (unsigned i = 0, N = Moves.size(); i < N; ++i) {
1942     MachineMove *Move = Moves[i];
1943     unsigned LabelID = Move->getLabelID();
1944     const MachineLocation &Dst = Move->getDestination();
1945     const MachineLocation &Src = Move->getSource();
1946     
1947     // Advance row if new location.
1948     if (BaseLabel && LabelID && BaseLabelID != LabelID) {
1949       EmitInt8(DW_CFA_advance_loc4);
1950       EOL("DW_CFA_advance_loc4");
1951       EmitDifference("loc", LabelID, BaseLabel, BaseLabelID);
1952       EOL("");
1953       
1954       BaseLabelID = LabelID;
1955       BaseLabel = "loc";
1956     }
1957     
1958     int stackGrowth =
1959         Asm->TM.getFrameInfo()->getStackGrowthDirection() ==
1960           TargetFrameInfo::StackGrowsUp ?
1961             AddressSize : -AddressSize;
1962
1963     // If advancing cfa.
1964     if (Dst.isRegister() && Dst.getRegister() == MachineLocation::VirtualFP) {
1965       if (!Src.isRegister()) {
1966         if (Src.getRegister() == MachineLocation::VirtualFP) {
1967           EmitInt8(DW_CFA_def_cfa_offset);
1968           EOL("DW_CFA_def_cfa_offset");
1969         } else {
1970           EmitInt8(DW_CFA_def_cfa);
1971           EOL("DW_CFA_def_cfa");
1972           
1973           EmitULEB128Bytes(RI->getDwarfRegNum(Src.getRegister()));
1974           EOL("Register");
1975         }
1976         
1977         int Offset = Src.getOffset() / stackGrowth;
1978         
1979         EmitULEB128Bytes(Offset);
1980         EOL("Offset");
1981       } else {
1982         assert(0 && "Machine move no supported yet.");
1983       }
1984     } else {
1985       unsigned Reg = RI->getDwarfRegNum(Src.getRegister());
1986       int Offset = Dst.getOffset() / stackGrowth;
1987       
1988       if (Offset < 0) {
1989         EmitInt8(DW_CFA_offset_extended_sf);
1990         EOL("DW_CFA_offset_extended_sf");
1991         EmitULEB128Bytes(Reg);
1992         EOL("Reg");
1993         EmitSLEB128Bytes(Offset);
1994         EOL("Offset");
1995       } else if (Reg < 64) {
1996         EmitInt8(DW_CFA_offset + Reg);
1997         EOL("DW_CFA_offset + Reg");
1998         EmitULEB128Bytes(Offset);
1999         EOL("Offset");
2000       } else {
2001         EmitInt8(DW_CFA_offset_extended);
2002         EOL("DW_CFA_offset_extended");
2003         EmitULEB128Bytes(Reg);
2004         EOL("Reg");
2005         EmitULEB128Bytes(Offset);
2006         EOL("Offset");
2007       }
2008     }
2009   }
2010 }
2011
2012 /// EmitDebugInfo - Emit the debug info section.
2013 ///
2014 void DwarfWriter::EmitDebugInfo() const {
2015   // Start debug info section.
2016   Asm->SwitchToDataSection(DwarfInfoSection, 0);
2017   
2018   // Process each compile unit.
2019   for (unsigned i = 0, N = CompileUnits.size(); i < N; ++i) {
2020     CompileUnit *Unit = CompileUnits[i];
2021     
2022     if (Unit->hasContent()) {
2023       DIE *Die = Unit->getDie();
2024       // Emit the compile units header.
2025       EmitLabel("info_begin", Unit->getID());
2026       // Emit size of content not including length itself
2027       unsigned ContentSize = Die->getSize() +
2028                              sizeof(int16_t) + // DWARF version number
2029                              sizeof(int32_t) + // Offset Into Abbrev. Section
2030                              sizeof(int8_t);   // Pointer Size (in bytes)
2031                              
2032       EmitInt32(ContentSize);  EOL("Length of Compilation Unit Info");
2033       EmitInt16(DWARF_VERSION); EOL("DWARF version number");
2034       EmitDifference("abbrev_begin", 0, "section_abbrev", 0);
2035       EOL("Offset Into Abbrev. Section");
2036       EmitInt8(AddressSize); EOL("Address Size (in bytes)");
2037     
2038       EmitDIE(Die);
2039       EmitLabel("info_end", Unit->getID());
2040     }
2041     
2042     O << "\n";
2043   }
2044 }
2045
2046 /// EmitAbbreviations - Emit the abbreviation section.
2047 ///
2048 void DwarfWriter::EmitAbbreviations() const {
2049   // Check to see if it is worth the effort.
2050   if (!Abbreviations.empty()) {
2051     // Start the debug abbrev section.
2052     Asm->SwitchToDataSection(DwarfAbbrevSection, 0);
2053     
2054     EmitLabel("abbrev_begin", 0);
2055     
2056     // For each abbrevation.
2057     for (unsigned AbbrevID = 1, NAID = Abbreviations.size();
2058                   AbbrevID <= NAID; ++AbbrevID) {
2059       // Get abbreviation data
2060       const DIEAbbrev &Abbrev = Abbreviations[AbbrevID];
2061       
2062       // Emit the abbrevations code (base 1 index.)
2063       EmitULEB128Bytes(AbbrevID); EOL("Abbreviation Code");
2064       
2065       // Emit the abbreviations data.
2066       Abbrev.Emit(*this);
2067   
2068       O << "\n";
2069     }
2070     
2071     EmitLabel("abbrev_end", 0);
2072   
2073     O << "\n";
2074   }
2075 }
2076
2077 /// EmitDebugLines - Emit source line information.
2078 ///
2079 void DwarfWriter::EmitDebugLines() const {
2080   // Minimum line delta, thus ranging from -10..(255-10).
2081   const int MinLineDelta = -(DW_LNS_fixed_advance_pc + 1);
2082   // Maximum line delta, thus ranging from -10..(255-10).
2083   const int MaxLineDelta = 255 + MinLineDelta;
2084
2085   // Start the dwarf line section.
2086   Asm->SwitchToDataSection(DwarfLineSection, 0);
2087   
2088   // Construct the section header.
2089   
2090   EmitDifference("line_end", 0, "line_begin", 0);
2091   EOL("Length of Source Line Info");
2092   EmitLabel("line_begin", 0);
2093   
2094   EmitInt16(DWARF_VERSION); EOL("DWARF version number");
2095   
2096   EmitDifference("line_prolog_end", 0, "line_prolog_begin", 0);
2097   EOL("Prolog Length");
2098   EmitLabel("line_prolog_begin", 0);
2099   
2100   EmitInt8(1); EOL("Minimum Instruction Length");
2101
2102   EmitInt8(1); EOL("Default is_stmt_start flag");
2103
2104   EmitInt8(MinLineDelta);  EOL("Line Base Value (Special Opcodes)");
2105   
2106   EmitInt8(MaxLineDelta); EOL("Line Range Value (Special Opcodes)");
2107
2108   EmitInt8(-MinLineDelta); EOL("Special Opcode Base");
2109   
2110   // Line number standard opcode encodings argument count
2111   EmitInt8(0); EOL("DW_LNS_copy arg count");
2112   EmitInt8(1); EOL("DW_LNS_advance_pc arg count");
2113   EmitInt8(1); EOL("DW_LNS_advance_line arg count");
2114   EmitInt8(1); EOL("DW_LNS_set_file arg count");
2115   EmitInt8(1); EOL("DW_LNS_set_column arg count");
2116   EmitInt8(0); EOL("DW_LNS_negate_stmt arg count");
2117   EmitInt8(0); EOL("DW_LNS_set_basic_block arg count");
2118   EmitInt8(0); EOL("DW_LNS_const_add_pc arg count");
2119   EmitInt8(1); EOL("DW_LNS_fixed_advance_pc arg count");
2120
2121   const UniqueVector<std::string> &Directories = DebugInfo->getDirectories();
2122   const UniqueVector<SourceFileInfo> &SourceFiles = DebugInfo->getSourceFiles();
2123
2124   // Emit directories.
2125   for (unsigned DirectoryID = 1, NDID = Directories.size();
2126                 DirectoryID <= NDID; ++DirectoryID) {
2127     EmitString(Directories[DirectoryID]); EOL("Directory");
2128   }
2129   EmitInt8(0); EOL("End of directories");
2130   
2131   // Emit files.
2132   for (unsigned SourceID = 1, NSID = SourceFiles.size();
2133                SourceID <= NSID; ++SourceID) {
2134     const SourceFileInfo &SourceFile = SourceFiles[SourceID];
2135     EmitString(SourceFile.getName()); EOL("Source");
2136     EmitULEB128Bytes(SourceFile.getDirectoryID());  EOL("Directory #");
2137     EmitULEB128Bytes(0);  EOL("Mod date");
2138     EmitULEB128Bytes(0);  EOL("File size");
2139   }
2140   EmitInt8(0); EOL("End of files");
2141   
2142   EmitLabel("line_prolog_end", 0);
2143   
2144   // A sequence for each text section.
2145   for (unsigned j = 0, M = SectionSourceLines.size(); j < M; ++j) {
2146     // Isolate current sections line info.
2147     const std::vector<SourceLineInfo *> &LineInfos = SectionSourceLines[j];
2148     
2149     if (DwarfVerbose) {
2150       O << "\t"
2151         << Asm->CommentString << " "
2152         << "Section "
2153         << SectionMap[j + 1].c_str() << "\n";
2154     }
2155
2156     // Dwarf assumes we start with first line of first source file.
2157     unsigned Source = 1;
2158     unsigned Line = 1;
2159     
2160     // Construct rows of the address, source, line, column matrix.
2161     for (unsigned i = 0, N = LineInfos.size(); i < N; ++i) {
2162       SourceLineInfo *LineInfo = LineInfos[i];
2163       
2164       if (DwarfVerbose) {
2165         unsigned SourceID = LineInfo->getSourceID();
2166         const SourceFileInfo &SourceFile = SourceFiles[SourceID];
2167         unsigned DirectoryID = SourceFile.getDirectoryID();
2168         O << "\t"
2169           << Asm->CommentString << " "
2170           << Directories[DirectoryID]
2171           << SourceFile.getName() << ":"
2172           << LineInfo->getLine() << "\n"; 
2173       }
2174
2175       // Define the line address.
2176       EmitInt8(0); EOL("Extended Op");
2177       EmitInt8(4 + 1); EOL("Op size");
2178       EmitInt8(DW_LNE_set_address); EOL("DW_LNE_set_address");
2179       EmitReference("loc",  LineInfo->getLabelID()); EOL("Location label");
2180       
2181       // If change of source, then switch to the new source.
2182       if (Source != LineInfo->getSourceID()) {
2183         Source = LineInfo->getSourceID();
2184         EmitInt8(DW_LNS_set_file); EOL("DW_LNS_set_file");
2185         EmitULEB128Bytes(Source); EOL("New Source");
2186       }
2187       
2188       // If change of line.
2189       if (Line != LineInfo->getLine()) {
2190         // Determine offset.
2191         int Offset = LineInfo->getLine() - Line;
2192         int Delta = Offset - MinLineDelta;
2193         
2194         // Update line.
2195         Line = LineInfo->getLine();
2196         
2197         // If delta is small enough and in range...
2198         if (Delta >= 0 && Delta < (MaxLineDelta - 1)) {
2199           // ... then use fast opcode.
2200           EmitInt8(Delta - MinLineDelta); EOL("Line Delta");
2201         } else {
2202           // ... otherwise use long hand.
2203           EmitInt8(DW_LNS_advance_line); EOL("DW_LNS_advance_line");
2204           EmitSLEB128Bytes(Offset); EOL("Line Offset");
2205           EmitInt8(DW_LNS_copy); EOL("DW_LNS_copy");
2206         }
2207       } else {
2208         // Copy the previous row (different address or source)
2209         EmitInt8(DW_LNS_copy); EOL("DW_LNS_copy");
2210       }
2211     }
2212
2213     // Define last address of section.
2214     EmitInt8(0); EOL("Extended Op");
2215     EmitInt8(4 + 1); EOL("Op size");
2216     EmitInt8(DW_LNE_set_address); EOL("DW_LNE_set_address");
2217     EmitReference("section_end", j + 1); EOL("Section end label");
2218
2219     // Mark end of matrix.
2220     EmitInt8(0); EOL("DW_LNE_end_sequence");
2221     EmitULEB128Bytes(1);  O << "\n";
2222     EmitInt8(1); O << "\n";
2223   }
2224   
2225   EmitLabel("line_end", 0);
2226   
2227   O << "\n";
2228 }
2229   
2230 /// EmitInitialDebugFrame - Emit common frame info into a debug frame section.
2231 ///
2232 void DwarfWriter::EmitInitialDebugFrame() {
2233   int stackGrowth =
2234       Asm->TM.getFrameInfo()->getStackGrowthDirection() ==
2235         TargetFrameInfo::StackGrowsUp ?
2236       AddressSize : -AddressSize;
2237
2238   // Start the dwarf frame section.
2239   Asm->SwitchToDataSection(DwarfFrameSection, 0);
2240
2241   EmitLabel("frame_common", 0);
2242   EmitDifference("frame_common_end", 0,
2243                  "frame_common_begin", 0);
2244   EOL("Length of Common Information Entry");
2245
2246   EmitLabel("frame_common_begin", 0);
2247   EmitInt32(DW_CIE_ID); EOL("CIE Identifier Tag");
2248   EmitInt8(DW_CIE_VERSION); EOL("CIE Version");
2249   EmitString("");  EOL("CIE Augmentation");
2250   EmitULEB128Bytes(1); EOL("CIE Code Alignment Factor");
2251   EmitSLEB128Bytes(stackGrowth); EOL("CIE Data Alignment Factor");   
2252   EmitInt8(RI->getDwarfRegNum(RI->getRARegister())); EOL("CIE RA Column");
2253   
2254   std::vector<MachineMove *> Moves;
2255   RI->getInitialFrameState(Moves);
2256   EmitFrameMoves(NULL, 0, Moves);
2257   for (unsigned i = 0, N = Moves.size(); i < N; ++i) delete Moves[i];
2258
2259   EmitAlign(2);
2260   EmitLabel("frame_common_end", 0);
2261   
2262   O << "\n";
2263 }
2264
2265 /// EmitFunctionDebugFrame - Emit per function frame info into a debug frame
2266 /// section.
2267 void DwarfWriter::EmitFunctionDebugFrame() {
2268   // Start the dwarf frame section.
2269   Asm->SwitchToDataSection(DwarfFrameSection, 0);
2270   
2271   EmitDifference("frame_end", SubprogramCount,
2272                  "frame_begin", SubprogramCount);
2273   EOL("Length of Frame Information Entry");
2274   
2275   EmitLabel("frame_begin", SubprogramCount);
2276   
2277   EmitDifference("frame_common", 0, "section_frame", 0);
2278   EOL("FDE CIE offset");
2279
2280   EmitReference("func_begin", SubprogramCount); EOL("FDE initial location");
2281   EmitDifference("func_end", SubprogramCount,
2282                  "func_begin", SubprogramCount);
2283   EOL("FDE address range");
2284   
2285   std::vector<MachineMove *> &Moves = DebugInfo->getFrameMoves();
2286   
2287   EmitFrameMoves("func_begin", SubprogramCount, Moves);
2288   
2289   EmitAlign(2);
2290   EmitLabel("frame_end", SubprogramCount);
2291
2292   O << "\n";
2293 }
2294
2295 /// EmitDebugPubNames - Emit visible names into a debug pubnames section.
2296 ///
2297 void DwarfWriter::EmitDebugPubNames() {
2298   // Start the dwarf pubnames section.
2299   Asm->SwitchToDataSection(DwarfPubNamesSection, 0);
2300     
2301   // Process each compile unit.
2302   for (unsigned i = 0, N = CompileUnits.size(); i < N; ++i) {
2303     CompileUnit *Unit = CompileUnits[i];
2304     
2305     if (Unit->hasContent()) {
2306       EmitDifference("pubnames_end", Unit->getID(),
2307                      "pubnames_begin", Unit->getID());
2308       EOL("Length of Public Names Info");
2309       
2310       EmitLabel("pubnames_begin", Unit->getID());
2311       
2312       EmitInt16(DWARF_VERSION); EOL("DWARF Version");
2313       
2314       EmitDifference("info_begin", Unit->getID(), "section_info", 0);
2315       EOL("Offset of Compilation Unit Info");
2316
2317       EmitDifference("info_end", Unit->getID(), "info_begin", Unit->getID());
2318       EOL("Compilation Unit Length");
2319       
2320       std::map<std::string, DIE *> &Globals = Unit->getGlobals();
2321       
2322       for (std::map<std::string, DIE *>::iterator GI = Globals.begin(),
2323                                                   GE = Globals.end();
2324            GI != GE; ++GI) {
2325         const std::string &Name = GI->first;
2326         DIE * Entity = GI->second;
2327         
2328         EmitInt32(Entity->getOffset()); EOL("DIE offset");
2329         EmitString(Name); EOL("External Name");
2330       }
2331     
2332       EmitInt32(0); EOL("End Mark");
2333       EmitLabel("pubnames_end", Unit->getID());
2334     
2335       O << "\n";
2336     }
2337   }
2338 }
2339
2340 /// EmitDebugStr - Emit visible names into a debug str section.
2341 ///
2342 void DwarfWriter::EmitDebugStr() {
2343   // Check to see if it is worth the effort.
2344   if (!StringPool.empty()) {
2345     // Start the dwarf str section.
2346     Asm->SwitchToDataSection(DwarfStrSection, 0);
2347     
2348     // For each of strings in the string pool.
2349     for (unsigned StringID = 1, N = StringPool.size();
2350          StringID <= N; ++StringID) {
2351       // Emit a label for reference from debug information entries.
2352       EmitLabel("string", StringID);
2353       // Emit the string itself.
2354       const std::string &String = StringPool[StringID];
2355       EmitString(String); O << "\n";
2356     }
2357   
2358     O << "\n";
2359   }
2360 }
2361
2362 /// EmitDebugLoc - Emit visible names into a debug loc section.
2363 ///
2364 void DwarfWriter::EmitDebugLoc() {
2365   // Start the dwarf loc section.
2366   Asm->SwitchToDataSection(DwarfLocSection, 0);
2367   
2368   O << "\n";
2369 }
2370
2371 /// EmitDebugARanges - Emit visible names into a debug aranges section.
2372 ///
2373 void DwarfWriter::EmitDebugARanges() {
2374   // Start the dwarf aranges section.
2375   Asm->SwitchToDataSection(DwarfARangesSection, 0);
2376   
2377   // FIXME - Mock up
2378 #if 0
2379   // Process each compile unit.
2380   for (unsigned i = 0, N = CompileUnits.size(); i < N; ++i) {
2381     CompileUnit *Unit = CompileUnits[i];
2382     
2383     if (Unit->hasContent()) {
2384       // Don't include size of length
2385       EmitInt32(0x1c); EOL("Length of Address Ranges Info");
2386       
2387       EmitInt16(DWARF_VERSION); EOL("Dwarf Version");
2388       
2389       EmitReference("info_begin", Unit->getID());
2390       EOL("Offset of Compilation Unit Info");
2391
2392       EmitInt8(AddressSize); EOL("Size of Address");
2393
2394       EmitInt8(0); EOL("Size of Segment Descriptor");
2395
2396       EmitInt16(0);  EOL("Pad (1)");
2397       EmitInt16(0);  EOL("Pad (2)");
2398
2399       // Range 1
2400       EmitReference("text_begin", 0); EOL("Address");
2401       EmitDifference("text_end", 0, "text_begin", 0); EOL("Length");
2402
2403       EmitInt32(0); EOL("EOM (1)");
2404       EmitInt32(0); EOL("EOM (2)");
2405       
2406       O << "\n";
2407     }
2408   }
2409 #endif
2410 }
2411
2412 /// EmitDebugRanges - Emit visible names into a debug ranges section.
2413 ///
2414 void DwarfWriter::EmitDebugRanges() {
2415   // Start the dwarf ranges section.
2416   Asm->SwitchToDataSection(DwarfRangesSection, 0);
2417   
2418   O << "\n";
2419 }
2420
2421 /// EmitDebugMacInfo - Emit visible names into a debug macinfo section.
2422 ///
2423 void DwarfWriter::EmitDebugMacInfo() {
2424   // Start the dwarf macinfo section.
2425   Asm->SwitchToDataSection(DwarfMacInfoSection, 0);
2426   
2427   O << "\n";
2428 }
2429
2430 /// ConstructCompileUnitDIEs - Create a compile unit DIE for each source and
2431 /// header file.
2432 void DwarfWriter::ConstructCompileUnitDIEs() {
2433   const UniqueVector<CompileUnitDesc *> CUW = DebugInfo->getCompileUnits();
2434   
2435   for (unsigned i = 1, N = CUW.size(); i <= N; ++i) {
2436     CompileUnit *Unit = NewCompileUnit(CUW[i], i);
2437     CompileUnits.push_back(Unit);
2438   }
2439 }
2440
2441 /// ConstructGlobalDIEs - Create DIEs for each of the externally visible global
2442 /// variables.
2443 void DwarfWriter::ConstructGlobalDIEs() {
2444   std::vector<GlobalVariableDesc *> GlobalVariables =
2445       DebugInfo->getAnchoredDescriptors<GlobalVariableDesc>(*M);
2446   
2447   for (unsigned i = 0, N = GlobalVariables.size(); i < N; ++i) {
2448     GlobalVariableDesc *GVD = GlobalVariables[i];
2449     NewGlobalVariable(GVD);
2450   }
2451 }
2452
2453 /// ConstructSubprogramDIEs - Create DIEs for each of the externally visible
2454 /// subprograms.
2455 void DwarfWriter::ConstructSubprogramDIEs() {
2456   std::vector<SubprogramDesc *> Subprograms =
2457       DebugInfo->getAnchoredDescriptors<SubprogramDesc>(*M);
2458   
2459   for (unsigned i = 0, N = Subprograms.size(); i < N; ++i) {
2460     SubprogramDesc *SPD = Subprograms[i];
2461     NewSubprogram(SPD);
2462   }
2463 }
2464
2465 //===----------------------------------------------------------------------===//
2466 // Main entry points.
2467 //
2468   
2469 DwarfWriter::DwarfWriter(std::ostream &OS, AsmPrinter *A)
2470 : O(OS)
2471 , Asm(A)
2472 , TD(Asm->TM.getTargetData())
2473 , RI(Asm->TM.getRegisterInfo())
2474 , M(NULL)
2475 , MF(NULL)
2476 , DebugInfo(NULL)
2477 , didInitial(false)
2478 , shouldEmit(false)
2479 , SubprogramCount(0)
2480 , CompileUnits()
2481 , Abbreviations()
2482 , StringPool()
2483 , DescToUnitMap()
2484 , DescToDieMap()
2485 , SectionMap()
2486 , SectionSourceLines()
2487 , AddressSize(sizeof(int32_t))
2488 , hasLEB128(false)
2489 , hasDotLoc(false)
2490 , hasDotFile(false)
2491 , needsSet(false)
2492 , DwarfAbbrevSection(".debug_abbrev")
2493 , DwarfInfoSection(".debug_info")
2494 , DwarfLineSection(".debug_line")
2495 , DwarfFrameSection(".debug_frame")
2496 , DwarfPubNamesSection(".debug_pubnames")
2497 , DwarfPubTypesSection(".debug_pubtypes")
2498 , DwarfStrSection(".debug_str")
2499 , DwarfLocSection(".debug_loc")
2500 , DwarfARangesSection(".debug_aranges")
2501 , DwarfRangesSection(".debug_ranges")
2502 , DwarfMacInfoSection(".debug_macinfo")
2503 , TextSection(".text")
2504 , DataSection(".data")
2505 {}
2506 DwarfWriter::~DwarfWriter() {
2507   for (unsigned i = 0, N = CompileUnits.size(); i < N; ++i) {
2508     delete CompileUnits[i];
2509   }
2510 }
2511
2512 /// SetDebugInfo - Set DebugInfo when it's known that pass manager has
2513 /// created it.  Set by the target AsmPrinter.
2514 void DwarfWriter::SetDebugInfo(MachineDebugInfo *DI) {
2515   // Make sure initial declarations are made.
2516   if (!DebugInfo && DI->hasInfo()) {
2517     DebugInfo = DI;
2518     shouldEmit = true;
2519     
2520     // Emit initial sections
2521     EmitInitial();
2522   
2523     // Create all the compile unit DIEs.
2524     ConstructCompileUnitDIEs();
2525     
2526     // Create DIEs for each of the externally visible global variables.
2527     ConstructGlobalDIEs();
2528
2529     // Create DIEs for each of the externally visible subprograms.
2530     ConstructSubprogramDIEs();
2531     
2532     // Prime section data.
2533     SectionMap.insert(std::string("\t") + TextSection);
2534   }
2535 }
2536
2537 /// BeginModule - Emit all Dwarf sections that should come prior to the content.
2538 ///
2539 void DwarfWriter::BeginModule(Module *M) {
2540   this->M = M;
2541   
2542   if (!ShouldEmitDwarf()) return;
2543   EOL("Dwarf Begin Module");
2544 }
2545
2546 /// EndModule - Emit all Dwarf sections that should come after the content.
2547 ///
2548 void DwarfWriter::EndModule() {
2549   if (!ShouldEmitDwarf()) return;
2550   EOL("Dwarf End Module");
2551   
2552   // Standard sections final addresses.
2553   Asm->SwitchToTextSection(TextSection, 0);
2554   EmitLabel("text_end", 0);
2555   Asm->SwitchToDataSection(DataSection, 0);
2556   EmitLabel("data_end", 0);
2557   
2558   // End text sections.
2559   for (unsigned i = 1, N = SectionMap.size(); i <= N; ++i) {
2560     Asm->SwitchToTextSection(SectionMap[i].c_str(), 0);
2561     EmitLabel("section_end", i);
2562   }
2563   
2564   // Compute DIE offsets and sizes.
2565   SizeAndOffsets();
2566   
2567   // Emit all the DIEs into a debug info section
2568   EmitDebugInfo();
2569   
2570   // Corresponding abbreviations into a abbrev section.
2571   EmitAbbreviations();
2572   
2573   // Emit source line correspondence into a debug line section.
2574   EmitDebugLines();
2575   
2576   // Emit info into a debug pubnames section.
2577   EmitDebugPubNames();
2578   
2579   // Emit info into a debug str section.
2580   EmitDebugStr();
2581   
2582   // Emit info into a debug loc section.
2583   EmitDebugLoc();
2584   
2585   // Emit info into a debug aranges section.
2586   EmitDebugARanges();
2587   
2588   // Emit info into a debug ranges section.
2589   EmitDebugRanges();
2590   
2591   // Emit info into a debug macinfo section.
2592   EmitDebugMacInfo();
2593 }
2594
2595 /// BeginFunction - Gather pre-function debug information.  Assumes being 
2596 /// emitted immediately after the function entry point.
2597 void DwarfWriter::BeginFunction(MachineFunction *MF) {
2598   this->MF = MF;
2599   
2600   if (!ShouldEmitDwarf()) return;
2601   EOL("Dwarf Begin Function");
2602
2603   // Begin accumulating function debug information.
2604   DebugInfo->BeginFunction(MF);
2605   
2606   // Assumes in correct section after the entry point.
2607   EmitLabel("func_begin", ++SubprogramCount);
2608 }
2609
2610 /// EndFunction - Gather and emit post-function debug information.
2611 ///
2612 void DwarfWriter::EndFunction() {
2613   if (!ShouldEmitDwarf()) return;
2614   EOL("Dwarf End Function");
2615   
2616   // Define end label for subprogram.
2617   EmitLabel("func_end", SubprogramCount);
2618     
2619   // Get function line info.
2620   std::vector<SourceLineInfo *> &LineInfos = DebugInfo->getSourceLines();
2621
2622   if (!LineInfos.empty()) {
2623     // Get section line info.
2624     unsigned ID = SectionMap.insert(Asm->CurrentSection);
2625     if (SectionSourceLines.size() < ID) SectionSourceLines.resize(ID);
2626     std::vector<SourceLineInfo *> &SectionLineInfos =SectionSourceLines[ID-1];
2627     // Append the function info to section info.
2628     SectionLineInfos.insert(SectionLineInfos.end(),
2629                             LineInfos.begin(), LineInfos.end());
2630   }
2631   
2632   // Construct scopes for subprogram.
2633   ConstructRootScope(DebugInfo->getRootScope());
2634   
2635   // Emit function frame information.
2636   EmitFunctionDebugFrame();
2637   
2638   // Reset the line numbers for the next function.
2639   LineInfos.clear();
2640
2641   // Clear function debug information.
2642   DebugInfo->EndFunction();
2643 }