1 //===- AsmWriter.cpp - Printing LLVM as an assembly file ------------------===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 //
9 // This library implements `print` family of functions in classes like
10 // Module, Function, Value, etc. In-memory representation of those classes is
11 // converted to IR strings.
12 //
13 // Note that these routines must be extremely tolerant of various errors in the
14 // LLVM code, because it can be used for debugging transformations.
15 //
16 //===----------------------------------------------------------------------===//
17 
18 #include "llvm/ADT/APFloat.h"
19 #include "llvm/ADT/APInt.h"
20 #include "llvm/ADT/ArrayRef.h"
21 #include "llvm/ADT/DenseMap.h"
22 #include "llvm/ADT/None.h"
23 #include "llvm/ADT/Optional.h"
24 #include "llvm/ADT/STLExtras.h"
25 #include "llvm/ADT/SetVector.h"
26 #include "llvm/ADT/SmallString.h"
27 #include "llvm/ADT/SmallVector.h"
28 #include "llvm/ADT/StringExtras.h"
29 #include "llvm/ADT/StringRef.h"
30 #include "llvm/ADT/iterator_range.h"
31 #include "llvm/BinaryFormat/Dwarf.h"
32 #include "llvm/Config/llvm-config.h"
33 #include "llvm/IR/Argument.h"
34 #include "llvm/IR/AssemblyAnnotationWriter.h"
35 #include "llvm/IR/Attributes.h"
36 #include "llvm/IR/BasicBlock.h"
37 #include "llvm/IR/CFG.h"
38 #include "llvm/IR/CallingConv.h"
39 #include "llvm/IR/Comdat.h"
40 #include "llvm/IR/Constant.h"
41 #include "llvm/IR/Constants.h"
42 #include "llvm/IR/DebugInfoMetadata.h"
43 #include "llvm/IR/DerivedTypes.h"
44 #include "llvm/IR/Function.h"
45 #include "llvm/IR/GlobalAlias.h"
46 #include "llvm/IR/GlobalIFunc.h"
47 #include "llvm/IR/GlobalIndirectSymbol.h"
48 #include "llvm/IR/GlobalObject.h"
49 #include "llvm/IR/GlobalValue.h"
50 #include "llvm/IR/GlobalVariable.h"
51 #include "llvm/IR/IRPrintingPasses.h"
52 #include "llvm/IR/InlineAsm.h"
53 #include "llvm/IR/InstrTypes.h"
54 #include "llvm/IR/Instruction.h"
55 #include "llvm/IR/Instructions.h"
56 #include "llvm/IR/LLVMContext.h"
57 #include "llvm/IR/Metadata.h"
58 #include "llvm/IR/Module.h"
59 #include "llvm/IR/ModuleSlotTracker.h"
60 #include "llvm/IR/ModuleSummaryIndex.h"
61 #include "llvm/IR/Operator.h"
62 #include "llvm/IR/Statepoint.h"
63 #include "llvm/IR/Type.h"
64 #include "llvm/IR/TypeFinder.h"
65 #include "llvm/IR/Use.h"
66 #include "llvm/IR/UseListOrder.h"
67 #include "llvm/IR/User.h"
68 #include "llvm/IR/Value.h"
69 #include "llvm/Support/AtomicOrdering.h"
70 #include "llvm/Support/Casting.h"
71 #include "llvm/Support/Compiler.h"
72 #include "llvm/Support/Debug.h"
73 #include "llvm/Support/ErrorHandling.h"
74 #include "llvm/Support/Format.h"
75 #include "llvm/Support/FormattedStream.h"
76 #include "llvm/Support/raw_ostream.h"
77 #include <algorithm>
78 #include <cassert>
79 #include <cctype>
80 #include <cstddef>
81 #include <cstdint>
82 #include <iterator>
83 #include <memory>
84 #include <string>
85 #include <tuple>
86 #include <utility>
87 #include <vector>
88 
89 using namespace llvm;
90 
91 // Make virtual table appear in this compilation unit.
92 AssemblyAnnotationWriter::~AssemblyAnnotationWriter() = default;
93 
94 //===----------------------------------------------------------------------===//
95 // Helper Functions
96 //===----------------------------------------------------------------------===//
97 
98 namespace {
99 
100 struct OrderMap {
101   DenseMap<const Value *, std::pair<unsigned, bool>> IDs;
102 
103   unsigned size() const { return IDs.size(); }
104   std::pair<unsigned, bool> &operator[](const Value *V) { return IDs[V]; }
105 
106   std::pair<unsigned, bool> lookup(const Value *V) const {
107     return IDs.lookup(V);
108   }
109 
110   void index(const Value *V) {
111     // Explicitly sequence get-size and insert-value operations to avoid UB.
112     unsigned ID = IDs.size() + 1;
113     IDs[V].first = ID;
114   }
115 };
116 
117 } // end anonymous namespace
118 
119 static void orderValue(const Value *V, OrderMap &OM) {
120   if (OM.lookup(V).first)
121     return;
122 
123   if (const Constant *C = dyn_cast<Constant>(V))
124     if (C->getNumOperands() && !isa<GlobalValue>(C))
125       for (const Value *Op : C->operands())
126         if (!isa<BasicBlock>(Op) && !isa<GlobalValue>(Op))
127           orderValue(Op, OM);
128 
129   // Note: we cannot cache this lookup above, since inserting into the map
130   // changes the map's size, and thus affects the other IDs.
131   OM.index(V);
132 }
133 
134 static OrderMap orderModule(const Module *M) {
135   // This needs to match the order used by ValueEnumerator::ValueEnumerator()
136   // and ValueEnumerator::incorporateFunction().
137   OrderMap OM;
138 
139   for (const GlobalVariable &G : M->globals()) {
140     if (G.hasInitializer())
141       if (!isa<GlobalValue>(G.getInitializer()))
142         orderValue(G.getInitializer(), OM);
143     orderValue(&G, OM);
144   }
145   for (const GlobalAlias &A : M->aliases()) {
146     if (!isa<GlobalValue>(A.getAliasee()))
147       orderValue(A.getAliasee(), OM);
148     orderValue(&A, OM);
149   }
150   for (const GlobalIFunc &I : M->ifuncs()) {
151     if (!isa<GlobalValue>(I.getResolver()))
152       orderValue(I.getResolver(), OM);
153     orderValue(&I, OM);
154   }
155   for (const Function &F : *M) {
156     for (const Use &U : F.operands())
157       if (!isa<GlobalValue>(U.get()))
158         orderValue(U.get(), OM);
159 
160     orderValue(&F, OM);
161 
162     if (F.isDeclaration())
163       continue;
164 
165     for (const Argument &A : F.args())
166       orderValue(&A, OM);
167     for (const BasicBlock &BB : F) {
168       orderValue(&BB, OM);
169       for (const Instruction &I : BB) {
170         for (const Value *Op : I.operands())
171           if ((isa<Constant>(*Op) && !isa<GlobalValue>(*Op)) ||
172               isa<InlineAsm>(*Op))
173             orderValue(Op, OM);
174         orderValue(&I, OM);
175       }
176     }
177   }
178   return OM;
179 }
180 
181 static void predictValueUseListOrderImpl(const Value *V, const Function *F,
182                                          unsigned ID, const OrderMap &OM,
183                                          UseListOrderStack &Stack) {
184   // Predict use-list order for this one.
185   using Entry = std::pair<const Use *, unsigned>;
186   SmallVector<Entry, 64> List;
187   for (const Use &U : V->uses())
188     // Check if this user will be serialized.
189     if (OM.lookup(U.getUser()).first)
190       List.push_back(std::make_pair(&U, List.size()));
191 
192   if (List.size() < 2)
193     // We may have lost some users.
194     return;
195 
196   bool GetsReversed =
197       !isa<GlobalVariable>(V) && !isa<Function>(V) && !isa<BasicBlock>(V);
198   if (auto *BA = dyn_cast<BlockAddress>(V))
199     ID = OM.lookup(BA->getBasicBlock()).first;
200   llvm::sort(List, [&](const Entry &L, const Entry &R) {
201     const Use *LU = L.first;
202     const Use *RU = R.first;
203     if (LU == RU)
204       return false;
205 
206     auto LID = OM.lookup(LU->getUser()).first;
207     auto RID = OM.lookup(RU->getUser()).first;
208 
209     // If ID is 4, then expect: 7 6 5 1 2 3.
210     if (LID < RID) {
211       if (GetsReversed)
212         if (RID <= ID)
213           return true;
214       return false;
215     }
216     if (RID < LID) {
217       if (GetsReversed)
218         if (LID <= ID)
219           return false;
220       return true;
221     }
222 
223     // LID and RID are equal, so we have different operands of the same user.
224     // Assume operands are added in order for all instructions.
225     if (GetsReversed)
226       if (LID <= ID)
227         return LU->getOperandNo() < RU->getOperandNo();
228     return LU->getOperandNo() > RU->getOperandNo();
229   });
230 
231   if (llvm::is_sorted(List, [](const Entry &L, const Entry &R) {
232         return L.second < R.second;
233       }))
234     // Order is already correct.
235     return;
236 
237   // Store the shuffle.
238   Stack.emplace_back(V, F, List.size());
239   assert(List.size() == Stack.back().Shuffle.size() && "Wrong size");
240   for (size_t I = 0, E = List.size(); I != E; ++I)
241     Stack.back().Shuffle[I] = List[I].second;
242 }
243 
244 static void predictValueUseListOrder(const Value *V, const Function *F,
245                                      OrderMap &OM, UseListOrderStack &Stack) {
246   auto &IDPair = OM[V];
247   assert(IDPair.first && "Unmapped value");
248   if (IDPair.second)
249     // Already predicted.
250     return;
251 
252   // Do the actual prediction.
253   IDPair.second = true;
254   if (!V->use_empty() && std::next(V->use_begin()) != V->use_end())
255     predictValueUseListOrderImpl(V, F, IDPair.first, OM, Stack);
256 
257   // Recursive descent into constants.
258   if (const Constant *C = dyn_cast<Constant>(V))
259     if (C->getNumOperands()) // Visit GlobalValues.
260       for (const Value *Op : C->operands())
261         if (isa<Constant>(Op)) // Visit GlobalValues.
262           predictValueUseListOrder(Op, F, OM, Stack);
263 }
264 
265 static UseListOrderStack predictUseListOrder(const Module *M) {
266   OrderMap OM = orderModule(M);
267 
268   // Use-list orders need to be serialized after all the users have been added
269   // to a value, or else the shuffles will be incomplete.  Store them per
270   // function in a stack.
271   //
272   // Aside from function order, the order of values doesn't matter much here.
273   UseListOrderStack Stack;
274 
275   // We want to visit the functions backward now so we can list function-local
276   // constants in the last Function they're used in.  Module-level constants
277   // have already been visited above.
278   for (const Function &F : make_range(M->rbegin(), M->rend())) {
279     if (F.isDeclaration())
280       continue;
281     for (const BasicBlock &BB : F)
282       predictValueUseListOrder(&BB, &F, OM, Stack);
283     for (const Argument &A : F.args())
284       predictValueUseListOrder(&A, &F, OM, Stack);
285     for (const BasicBlock &BB : F)
286       for (const Instruction &I : BB)
287         for (const Value *Op : I.operands())
288           if (isa<Constant>(*Op) || isa<InlineAsm>(*Op)) // Visit GlobalValues.
289             predictValueUseListOrder(Op, &F, OM, Stack);
290     for (const BasicBlock &BB : F)
291       for (const Instruction &I : BB)
292         predictValueUseListOrder(&I, &F, OM, Stack);
293   }
294 
295   // Visit globals last.
296   for (const GlobalVariable &G : M->globals())
297     predictValueUseListOrder(&G, nullptr, OM, Stack);
298   for (const Function &F : *M)
299     predictValueUseListOrder(&F, nullptr, OM, Stack);
300   for (const GlobalAlias &A : M->aliases())
301     predictValueUseListOrder(&A, nullptr, OM, Stack);
302   for (const GlobalIFunc &I : M->ifuncs())
303     predictValueUseListOrder(&I, nullptr, OM, Stack);
304   for (const GlobalVariable &G : M->globals())
305     if (G.hasInitializer())
306       predictValueUseListOrder(G.getInitializer(), nullptr, OM, Stack);
307   for (const GlobalAlias &A : M->aliases())
308     predictValueUseListOrder(A.getAliasee(), nullptr, OM, Stack);
309   for (const GlobalIFunc &I : M->ifuncs())
310     predictValueUseListOrder(I.getResolver(), nullptr, OM, Stack);
311   for (const Function &F : *M)
312     for (const Use &U : F.operands())
313       predictValueUseListOrder(U.get(), nullptr, OM, Stack);
314 
315   return Stack;
316 }
317 
318 static const Module *getModuleFromVal(const Value *V) {
319   if (const Argument *MA = dyn_cast<Argument>(V))
320     return MA->getParent() ? MA->getParent()->getParent() : nullptr;
321 
322   if (const BasicBlock *BB = dyn_cast<BasicBlock>(V))
323     return BB->getParent() ? BB->getParent()->getParent() : nullptr;
324 
325   if (const Instruction *I = dyn_cast<Instruction>(V)) {
326     const Function *M = I->getParent() ? I->getParent()->getParent() : nullptr;
327     return M ? M->getParent() : nullptr;
328   }
329 
330   if (const GlobalValue *GV = dyn_cast<GlobalValue>(V))
331     return GV->getParent();
332 
333   if (const auto *MAV = dyn_cast<MetadataAsValue>(V)) {
334     for (const User *U : MAV->users())
335       if (isa<Instruction>(U))
336         if (const Module *M = getModuleFromVal(U))
337           return M;
338     return nullptr;
339   }
340 
341   return nullptr;
342 }
343 
344 static void PrintCallingConv(unsigned cc, raw_ostream &Out) {
345   switch (cc) {
346   default:                         Out << "cc" << cc; break;
347   case CallingConv::Fast:          Out << "fastcc"; break;
348   case CallingConv::Cold:          Out << "coldcc"; break;
349   case CallingConv::WebKit_JS:     Out << "webkit_jscc"; break;
350   case CallingConv::AnyReg:        Out << "anyregcc"; break;
351   case CallingConv::PreserveMost:  Out << "preserve_mostcc"; break;
352   case CallingConv::PreserveAll:   Out << "preserve_allcc"; break;
353   case CallingConv::CXX_FAST_TLS:  Out << "cxx_fast_tlscc"; break;
354   case CallingConv::GHC:           Out << "ghccc"; break;
355   case CallingConv::Tail:          Out << "tailcc"; break;
356   case CallingConv::CFGuard_Check: Out << "cfguard_checkcc"; break;
357   case CallingConv::X86_StdCall:   Out << "x86_stdcallcc"; break;
358   case CallingConv::X86_FastCall:  Out << "x86_fastcallcc"; break;
359   case CallingConv::X86_ThisCall:  Out << "x86_thiscallcc"; break;
360   case CallingConv::X86_RegCall:   Out << "x86_regcallcc"; break;
361   case CallingConv::X86_VectorCall:Out << "x86_vectorcallcc"; break;
362   case CallingConv::Intel_OCL_BI:  Out << "intel_ocl_bicc"; break;
363   case CallingConv::ARM_APCS:      Out << "arm_apcscc"; break;
364   case CallingConv::ARM_AAPCS:     Out << "arm_aapcscc"; break;
365   case CallingConv::ARM_AAPCS_VFP: Out << "arm_aapcs_vfpcc"; break;
366   case CallingConv::AArch64_VectorCall: Out << "aarch64_vector_pcs"; break;
367   case CallingConv::AArch64_SVE_VectorCall:
368     Out << "aarch64_sve_vector_pcs";
369     break;
370   case CallingConv::MSP430_INTR:   Out << "msp430_intrcc"; break;
371   case CallingConv::AVR_INTR:      Out << "avr_intrcc "; break;
372   case CallingConv::AVR_SIGNAL:    Out << "avr_signalcc "; break;
373   case CallingConv::PTX_Kernel:    Out << "ptx_kernel"; break;
374   case CallingConv::PTX_Device:    Out << "ptx_device"; break;
375   case CallingConv::X86_64_SysV:   Out << "x86_64_sysvcc"; break;
376   case CallingConv::Win64:         Out << "win64cc"; break;
377   case CallingConv::SPIR_FUNC:     Out << "spir_func"; break;
378   case CallingConv::SPIR_KERNEL:   Out << "spir_kernel"; break;
379   case CallingConv::Swift:         Out << "swiftcc"; break;
380   case CallingConv::X86_INTR:      Out << "x86_intrcc"; break;
381   case CallingConv::HHVM:          Out << "hhvmcc"; break;
382   case CallingConv::HHVM_C:        Out << "hhvm_ccc"; break;
383   case CallingConv::AMDGPU_VS:     Out << "amdgpu_vs"; break;
384   case CallingConv::AMDGPU_LS:     Out << "amdgpu_ls"; break;
385   case CallingConv::AMDGPU_HS:     Out << "amdgpu_hs"; break;
386   case CallingConv::AMDGPU_ES:     Out << "amdgpu_es"; break;
387   case CallingConv::AMDGPU_GS:     Out << "amdgpu_gs"; break;
388   case CallingConv::AMDGPU_PS:     Out << "amdgpu_ps"; break;
389   case CallingConv::AMDGPU_CS:     Out << "amdgpu_cs"; break;
390   case CallingConv::AMDGPU_KERNEL: Out << "amdgpu_kernel"; break;
391   }
392 }
393 
394 enum PrefixType {
395   GlobalPrefix,
396   ComdatPrefix,
397   LabelPrefix,
398   LocalPrefix,
399   NoPrefix
400 };
401 
402 void llvm::printLLVMNameWithoutPrefix(raw_ostream &OS, StringRef Name) {
403   assert(!Name.empty() && "Cannot get empty name!");
404 
405   // Scan the name to see if it needs quotes first.
406   bool NeedsQuotes = isdigit(static_cast<unsigned char>(Name[0]));
407   if (!NeedsQuotes) {
408     for (unsigned i = 0, e = Name.size(); i != e; ++i) {
409       // By making this unsigned, the value passed in to isalnum will always be
410       // in the range 0-255.  This is important when building with MSVC because
411       // its implementation will assert.  This situation can arise when dealing
412       // with UTF-8 multibyte characters.
413       unsigned char C = Name[i];
414       if (!isalnum(static_cast<unsigned char>(C)) && C != '-' && C != '.' &&
415           C != '_') {
416         NeedsQuotes = true;
417         break;
418       }
419     }
420   }
421 
422   // If we didn't need any quotes, just write out the name in one blast.
423   if (!NeedsQuotes) {
424     OS << Name;
425     return;
426   }
427 
428   // Okay, we need quotes.  Output the quotes and escape any scary characters as
429   // needed.
430   OS << '"';
431   printEscapedString(Name, OS);
432   OS << '"';
433 }
434 
435 /// Turn the specified name into an 'LLVM name', which is either prefixed with %
436 /// (if the string only contains simple characters) or is surrounded with ""'s
437 /// (if it has special chars in it). Print it out.
438 static void PrintLLVMName(raw_ostream &OS, StringRef Name, PrefixType Prefix) {
439   switch (Prefix) {
440   case NoPrefix:
441     break;
442   case GlobalPrefix:
443     OS << '@';
444     break;
445   case ComdatPrefix:
446     OS << '$';
447     break;
448   case LabelPrefix:
449     break;
450   case LocalPrefix:
451     OS << '%';
452     break;
453   }
454   printLLVMNameWithoutPrefix(OS, Name);
455 }
456 
457 /// Turn the specified name into an 'LLVM name', which is either prefixed with %
458 /// (if the string only contains simple characters) or is surrounded with ""'s
459 /// (if it has special chars in it). Print it out.
460 static void PrintLLVMName(raw_ostream &OS, const Value *V) {
461   PrintLLVMName(OS, V->getName(),
462                 isa<GlobalValue>(V) ? GlobalPrefix : LocalPrefix);
463 }
464 
465 static void PrintShuffleMask(raw_ostream &Out, Type *Ty, ArrayRef<int> Mask) {
466   Out << ", <";
467   if (isa<ScalableVectorType>(Ty))
468     Out << "vscale x ";
469   Out << Mask.size() << " x i32> ";
470   bool FirstElt = true;
471   if (all_of(Mask, [](int Elt) { return Elt == 0; })) {
472     Out << "zeroinitializer";
473   } else if (all_of(Mask, [](int Elt) { return Elt == UndefMaskElem; })) {
474     Out << "undef";
475   } else {
476     Out << "<";
477     for (int Elt : Mask) {
478       if (FirstElt)
479         FirstElt = false;
480       else
481         Out << ", ";
482       Out << "i32 ";
483       if (Elt == UndefMaskElem)
484         Out << "undef";
485       else
486         Out << Elt;
487     }
488     Out << ">";
489   }
490 }
491 
492 namespace {
493 
494 class TypePrinting {
495 public:
496   TypePrinting(const Module *M = nullptr) : DeferredM(M) {}
497 
498   TypePrinting(const TypePrinting &) = delete;
499   TypePrinting &operator=(const TypePrinting &) = delete;
500 
501   /// The named types that are used by the current module.
502   TypeFinder &getNamedTypes();
503 
504   /// The numbered types, number to type mapping.
505   std::vector<StructType *> &getNumberedTypes();
506 
507   bool empty();
508 
509   void print(Type *Ty, raw_ostream &OS);
510 
511   void printStructBody(StructType *Ty, raw_ostream &OS);
512 
513 private:
514   void incorporateTypes();
515 
516   /// A module to process lazily when needed. Set to nullptr as soon as used.
517   const Module *DeferredM;
518 
519   TypeFinder NamedTypes;
520 
521   // The numbered types, along with their value.
522   DenseMap<StructType *, unsigned> Type2Number;
523 
524   std::vector<StructType *> NumberedTypes;
525 };
526 
527 } // end anonymous namespace
528 
529 TypeFinder &TypePrinting::getNamedTypes() {
530   incorporateTypes();
531   return NamedTypes;
532 }
533 
534 std::vector<StructType *> &TypePrinting::getNumberedTypes() {
535   incorporateTypes();
536 
537   // We know all the numbers that each type is used and we know that it is a
538   // dense assignment. Convert the map to an index table, if it's not done
539   // already (judging from the sizes):
540   if (NumberedTypes.size() == Type2Number.size())
541     return NumberedTypes;
542 
543   NumberedTypes.resize(Type2Number.size());
544   for (const auto &P : Type2Number) {
545     assert(P.second < NumberedTypes.size() && "Didn't get a dense numbering?");
546     assert(!NumberedTypes[P.second] && "Didn't get a unique numbering?");
547     NumberedTypes[P.second] = P.first;
548   }
549   return NumberedTypes;
550 }
551 
552 bool TypePrinting::empty() {
553   incorporateTypes();
554   return NamedTypes.empty() && Type2Number.empty();
555 }
556 
557 void TypePrinting::incorporateTypes() {
558   if (!DeferredM)
559     return;
560 
561   NamedTypes.run(*DeferredM, false);
562   DeferredM = nullptr;
563 
564   // The list of struct types we got back includes all the struct types, split
565   // the unnamed ones out to a numbering and remove the anonymous structs.
566   unsigned NextNumber = 0;
567 
568   std::vector<StructType*>::iterator NextToUse = NamedTypes.begin(), I, E;
569   for (I = NamedTypes.begin(), E = NamedTypes.end(); I != E; ++I) {
570     StructType *STy = *I;
571 
572     // Ignore anonymous types.
573     if (STy->isLiteral())
574       continue;
575 
576     if (STy->getName().empty())
577       Type2Number[STy] = NextNumber++;
578     else
579       *NextToUse++ = STy;
580   }
581 
582   NamedTypes.erase(NextToUse, NamedTypes.end());
583 }
584 
585 /// Write the specified type to the specified raw_ostream, making use of type
586 /// names or up references to shorten the type name where possible.
587 void TypePrinting::print(Type *Ty, raw_ostream &OS) {
588   switch (Ty->getTypeID()) {
589   case Type::VoidTyID:      OS << "void"; return;
590   case Type::HalfTyID:      OS << "half"; return;
591   case Type::BFloatTyID:    OS << "bfloat"; return;
592   case Type::FloatTyID:     OS << "float"; return;
593   case Type::DoubleTyID:    OS << "double"; return;
594   case Type::X86_FP80TyID:  OS << "x86_fp80"; return;
595   case Type::FP128TyID:     OS << "fp128"; return;
596   case Type::PPC_FP128TyID: OS << "ppc_fp128"; return;
597   case Type::LabelTyID:     OS << "label"; return;
598   case Type::MetadataTyID:  OS << "metadata"; return;
599   case Type::X86_MMXTyID:   OS << "x86_mmx"; return;
600   case Type::TokenTyID:     OS << "token"; return;
601   case Type::IntegerTyID:
602     OS << 'i' << cast<IntegerType>(Ty)->getBitWidth();
603     return;
604 
605   case Type::FunctionTyID: {
606     FunctionType *FTy = cast<FunctionType>(Ty);
607     print(FTy->getReturnType(), OS);
608     OS << " (";
609     for (FunctionType::param_iterator I = FTy->param_begin(),
610          E = FTy->param_end(); I != E; ++I) {
611       if (I != FTy->param_begin())
612         OS << ", ";
613       print(*I, OS);
614     }
615     if (FTy->isVarArg()) {
616       if (FTy->getNumParams()) OS << ", ";
617       OS << "...";
618     }
619     OS << ')';
620     return;
621   }
622   case Type::StructTyID: {
623     StructType *STy = cast<StructType>(Ty);
624 
625     if (STy->isLiteral())
626       return printStructBody(STy, OS);
627 
628     if (!STy->getName().empty())
629       return PrintLLVMName(OS, STy->getName(), LocalPrefix);
630 
631     incorporateTypes();
632     const auto I = Type2Number.find(STy);
633     if (I != Type2Number.end())
634       OS << '%' << I->second;
635     else  // Not enumerated, print the hex address.
636       OS << "%\"type " << STy << '\"';
637     return;
638   }
639   case Type::PointerTyID: {
640     PointerType *PTy = cast<PointerType>(Ty);
641     print(PTy->getElementType(), OS);
642     if (unsigned AddressSpace = PTy->getAddressSpace())
643       OS << " addrspace(" << AddressSpace << ')';
644     OS << '*';
645     return;
646   }
647   case Type::ArrayTyID: {
648     ArrayType *ATy = cast<ArrayType>(Ty);
649     OS << '[' << ATy->getNumElements() << " x ";
650     print(ATy->getElementType(), OS);
651     OS << ']';
652     return;
653   }
654   case Type::FixedVectorTyID:
655   case Type::ScalableVectorTyID: {
656     VectorType *PTy = cast<VectorType>(Ty);
657     ElementCount EC = PTy->getElementCount();
658     OS << "<";
659     if (EC.Scalable)
660       OS << "vscale x ";
661     OS << EC.Min << " x ";
662     print(PTy->getElementType(), OS);
663     OS << '>';
664     return;
665   }
666   }
667   llvm_unreachable("Invalid TypeID");
668 }
669 
670 void TypePrinting::printStructBody(StructType *STy, raw_ostream &OS) {
671   if (STy->isOpaque()) {
672     OS << "opaque";
673     return;
674   }
675 
676   if (STy->isPacked())
677     OS << '<';
678 
679   if (STy->getNumElements() == 0) {
680     OS << "{}";
681   } else {
682     StructType::element_iterator I = STy->element_begin();
683     OS << "{ ";
684     print(*I++, OS);
685     for (StructType::element_iterator E = STy->element_end(); I != E; ++I) {
686       OS << ", ";
687       print(*I, OS);
688     }
689 
690     OS << " }";
691   }
692   if (STy->isPacked())
693     OS << '>';
694 }
695 
696 namespace llvm {
697 
698 //===----------------------------------------------------------------------===//
699 // SlotTracker Class: Enumerate slot numbers for unnamed values
700 //===----------------------------------------------------------------------===//
701 /// This class provides computation of slot numbers for LLVM Assembly writing.
702 ///
703 class SlotTracker {
704 public:
705   /// ValueMap - A mapping of Values to slot numbers.
706   using ValueMap = DenseMap<const Value *, unsigned>;
707 
708 private:
709   /// TheModule - The module for which we are holding slot numbers.
710   const Module* TheModule;
711 
712   /// TheFunction - The function for which we are holding slot numbers.
713   const Function* TheFunction = nullptr;
714   bool FunctionProcessed = false;
715   bool ShouldInitializeAllMetadata;
716 
717   /// The summary index for which we are holding slot numbers.
718   const ModuleSummaryIndex *TheIndex = nullptr;
719 
720   /// mMap - The slot map for the module level data.
721   ValueMap mMap;
722   unsigned mNext = 0;
723 
724   /// fMap - The slot map for the function level data.
725   ValueMap fMap;
726   unsigned fNext = 0;
727 
728   /// mdnMap - Map for MDNodes.
729   DenseMap<const MDNode*, unsigned> mdnMap;
730   unsigned mdnNext = 0;
731 
732   /// asMap - The slot map for attribute sets.
733   DenseMap<AttributeSet, unsigned> asMap;
734   unsigned asNext = 0;
735 
736   /// ModulePathMap - The slot map for Module paths used in the summary index.
737   StringMap<unsigned> ModulePathMap;
738   unsigned ModulePathNext = 0;
739 
740   /// GUIDMap - The slot map for GUIDs used in the summary index.
741   DenseMap<GlobalValue::GUID, unsigned> GUIDMap;
742   unsigned GUIDNext = 0;
743 
744   /// TypeIdMap - The slot map for type ids used in the summary index.
745   StringMap<unsigned> TypeIdMap;
746   unsigned TypeIdNext = 0;
747 
748 public:
749   /// Construct from a module.
750   ///
751   /// If \c ShouldInitializeAllMetadata, initializes all metadata in all
752   /// functions, giving correct numbering for metadata referenced only from
753   /// within a function (even if no functions have been initialized).
754   explicit SlotTracker(const Module *M,
755                        bool ShouldInitializeAllMetadata = false);
756 
757   /// Construct from a function, starting out in incorp state.
758   ///
759   /// If \c ShouldInitializeAllMetadata, initializes all metadata in all
760   /// functions, giving correct numbering for metadata referenced only from
761   /// within a function (even if no functions have been initialized).
762   explicit SlotTracker(const Function *F,
763                        bool ShouldInitializeAllMetadata = false);
764 
765   /// Construct from a module summary index.
766   explicit SlotTracker(const ModuleSummaryIndex *Index);
767 
768   SlotTracker(const SlotTracker &) = delete;
769   SlotTracker &operator=(const SlotTracker &) = delete;
770 
771   /// Return the slot number of the specified value in it's type
772   /// plane.  If something is not in the SlotTracker, return -1.
773   int getLocalSlot(const Value *V);
774   int getGlobalSlot(const GlobalValue *V);
775   int getMetadataSlot(const MDNode *N);
776   int getAttributeGroupSlot(AttributeSet AS);
777   int getModulePathSlot(StringRef Path);
778   int getGUIDSlot(GlobalValue::GUID GUID);
779   int getTypeIdSlot(StringRef Id);
780 
781   /// If you'd like to deal with a function instead of just a module, use
782   /// this method to get its data into the SlotTracker.
783   void incorporateFunction(const Function *F) {
784     TheFunction = F;
785     FunctionProcessed = false;
786   }
787 
788   const Function *getFunction() const { return TheFunction; }
789 
790   /// After calling incorporateFunction, use this method to remove the
791   /// most recently incorporated function from the SlotTracker. This
792   /// will reset the state of the machine back to just the module contents.
793   void purgeFunction();
794 
795   /// MDNode map iterators.
796   using mdn_iterator = DenseMap<const MDNode*, unsigned>::iterator;
797 
798   mdn_iterator mdn_begin() { return mdnMap.begin(); }
799   mdn_iterator mdn_end() { return mdnMap.end(); }
800   unsigned mdn_size() const { return mdnMap.size(); }
801   bool mdn_empty() const { return mdnMap.empty(); }
802 
803   /// AttributeSet map iterators.
804   using as_iterator = DenseMap<AttributeSet, unsigned>::iterator;
805 
806   as_iterator as_begin()   { return asMap.begin(); }
807   as_iterator as_end()     { return asMap.end(); }
808   unsigned as_size() const { return asMap.size(); }
809   bool as_empty() const    { return asMap.empty(); }
810 
811   /// GUID map iterators.
812   using guid_iterator = DenseMap<GlobalValue::GUID, unsigned>::iterator;
813 
814   /// These functions do the actual initialization.
815   inline void initializeIfNeeded();
816   int initializeIndexIfNeeded();
817 
818   // Implementation Details
819 private:
820   /// CreateModuleSlot - Insert the specified GlobalValue* into the slot table.
821   void CreateModuleSlot(const GlobalValue *V);
822 
823   /// CreateMetadataSlot - Insert the specified MDNode* into the slot table.
824   void CreateMetadataSlot(const MDNode *N);
825 
826   /// CreateFunctionSlot - Insert the specified Value* into the slot table.
827   void CreateFunctionSlot(const Value *V);
828 
829   /// Insert the specified AttributeSet into the slot table.
830   void CreateAttributeSetSlot(AttributeSet AS);
831 
832   inline void CreateModulePathSlot(StringRef Path);
833   void CreateGUIDSlot(GlobalValue::GUID GUID);
834   void CreateTypeIdSlot(StringRef Id);
835 
836   /// Add all of the module level global variables (and their initializers)
837   /// and function declarations, but not the contents of those functions.
838   void processModule();
839   // Returns number of allocated slots
840   int processIndex();
841 
842   /// Add all of the functions arguments, basic blocks, and instructions.
843   void processFunction();
844 
845   /// Add the metadata directly attached to a GlobalObject.
846   void processGlobalObjectMetadata(const GlobalObject &GO);
847 
848   /// Add all of the metadata from a function.
849   void processFunctionMetadata(const Function &F);
850 
851   /// Add all of the metadata from an instruction.
852   void processInstructionMetadata(const Instruction &I);
853 };
854 
855 } // end namespace llvm
856 
857 ModuleSlotTracker::ModuleSlotTracker(SlotTracker &Machine, const Module *M,
858                                      const Function *F)
859     : M(M), F(F), Machine(&Machine) {}
860 
861 ModuleSlotTracker::ModuleSlotTracker(const Module *M,
862                                      bool ShouldInitializeAllMetadata)
863     : ShouldCreateStorage(M),
864       ShouldInitializeAllMetadata(ShouldInitializeAllMetadata), M(M) {}
865 
866 ModuleSlotTracker::~ModuleSlotTracker() = default;
867 
868 SlotTracker *ModuleSlotTracker::getMachine() {
869   if (!ShouldCreateStorage)
870     return Machine;
871 
872   ShouldCreateStorage = false;
873   MachineStorage =
874       std::make_unique<SlotTracker>(M, ShouldInitializeAllMetadata);
875   Machine = MachineStorage.get();
876   return Machine;
877 }
878 
879 void ModuleSlotTracker::incorporateFunction(const Function &F) {
880   // Using getMachine() may lazily create the slot tracker.
881   if (!getMachine())
882     return;
883 
884   // Nothing to do if this is the right function already.
885   if (this->F == &F)
886     return;
887   if (this->F)
888     Machine->purgeFunction();
889   Machine->incorporateFunction(&F);
890   this->F = &F;
891 }
892 
893 int ModuleSlotTracker::getLocalSlot(const Value *V) {
894   assert(F && "No function incorporated");
895   return Machine->getLocalSlot(V);
896 }
897 
898 static SlotTracker *createSlotTracker(const Value *V) {
899   if (const Argument *FA = dyn_cast<Argument>(V))
900     return new SlotTracker(FA->getParent());
901 
902   if (const Instruction *I = dyn_cast<Instruction>(V))
903     if (I->getParent())
904       return new SlotTracker(I->getParent()->getParent());
905 
906   if (const BasicBlock *BB = dyn_cast<BasicBlock>(V))
907     return new SlotTracker(BB->getParent());
908 
909   if (const GlobalVariable *GV = dyn_cast<GlobalVariable>(V))
910     return new SlotTracker(GV->getParent());
911 
912   if (const GlobalAlias *GA = dyn_cast<GlobalAlias>(V))
913     return new SlotTracker(GA->getParent());
914 
915   if (const GlobalIFunc *GIF = dyn_cast<GlobalIFunc>(V))
916     return new SlotTracker(GIF->getParent());
917 
918   if (const Function *Func = dyn_cast<Function>(V))
919     return new SlotTracker(Func);
920 
921   return nullptr;
922 }
923 
924 #if 0
925 #define ST_DEBUG(X) dbgs() << X
926 #else
927 #define ST_DEBUG(X)
928 #endif
929 
930 // Module level constructor. Causes the contents of the Module (sans functions)
931 // to be added to the slot table.
932 SlotTracker::SlotTracker(const Module *M, bool ShouldInitializeAllMetadata)
933     : TheModule(M), ShouldInitializeAllMetadata(ShouldInitializeAllMetadata) {}
934 
935 // Function level constructor. Causes the contents of the Module and the one
936 // function provided to be added to the slot table.
937 SlotTracker::SlotTracker(const Function *F, bool ShouldInitializeAllMetadata)
938     : TheModule(F ? F->getParent() : nullptr), TheFunction(F),
939       ShouldInitializeAllMetadata(ShouldInitializeAllMetadata) {}
940 
941 SlotTracker::SlotTracker(const ModuleSummaryIndex *Index)
942     : TheModule(nullptr), ShouldInitializeAllMetadata(false), TheIndex(Index) {}
943 
944 inline void SlotTracker::initializeIfNeeded() {
945   if (TheModule) {
946     processModule();
947     TheModule = nullptr; ///< Prevent re-processing next time we're called.
948   }
949 
950   if (TheFunction && !FunctionProcessed)
951     processFunction();
952 }
953 
954 int SlotTracker::initializeIndexIfNeeded() {
955   if (!TheIndex)
956     return 0;
957   int NumSlots = processIndex();
958   TheIndex = nullptr; ///< Prevent re-processing next time we're called.
959   return NumSlots;
960 }
961 
962 // Iterate through all the global variables, functions, and global
963 // variable initializers and create slots for them.
964 void SlotTracker::processModule() {
965   ST_DEBUG("begin processModule!\n");
966 
967   // Add all of the unnamed global variables to the value table.
968   for (const GlobalVariable &Var : TheModule->globals()) {
969     if (!Var.hasName())
970       CreateModuleSlot(&Var);
971     processGlobalObjectMetadata(Var);
972     auto Attrs = Var.getAttributes();
973     if (Attrs.hasAttributes())
974       CreateAttributeSetSlot(Attrs);
975   }
976 
977   for (const GlobalAlias &A : TheModule->aliases()) {
978     if (!A.hasName())
979       CreateModuleSlot(&A);
980   }
981 
982   for (const GlobalIFunc &I : TheModule->ifuncs()) {
983     if (!I.hasName())
984       CreateModuleSlot(&I);
985   }
986 
987   // Add metadata used by named metadata.
988   for (const NamedMDNode &NMD : TheModule->named_metadata()) {
989     for (unsigned i = 0, e = NMD.getNumOperands(); i != e; ++i)
990       CreateMetadataSlot(NMD.getOperand(i));
991   }
992 
993   for (const Function &F : *TheModule) {
994     if (!F.hasName())
995       // Add all the unnamed functions to the table.
996       CreateModuleSlot(&F);
997 
998     if (ShouldInitializeAllMetadata)
999       processFunctionMetadata(F);
1000 
1001     // Add all the function attributes to the table.
1002     // FIXME: Add attributes of other objects?
1003     AttributeSet FnAttrs = F.getAttributes().getFnAttributes();
1004     if (FnAttrs.hasAttributes())
1005       CreateAttributeSetSlot(FnAttrs);
1006   }
1007 
1008   ST_DEBUG("end processModule!\n");
1009 }
1010 
1011 // Process the arguments, basic blocks, and instructions  of a function.
1012 void SlotTracker::processFunction() {
1013   ST_DEBUG("begin processFunction!\n");
1014   fNext = 0;
1015 
1016   // Process function metadata if it wasn't hit at the module-level.
1017   if (!ShouldInitializeAllMetadata)
1018     processFunctionMetadata(*TheFunction);
1019 
1020   // Add all the function arguments with no names.
1021   for(Function::const_arg_iterator AI = TheFunction->arg_begin(),
1022       AE = TheFunction->arg_end(); AI != AE; ++AI)
1023     if (!AI->hasName())
1024       CreateFunctionSlot(&*AI);
1025 
1026   ST_DEBUG("Inserting Instructions:\n");
1027 
1028   // Add all of the basic blocks and instructions with no names.
1029   for (auto &BB : *TheFunction) {
1030     if (!BB.hasName())
1031       CreateFunctionSlot(&BB);
1032 
1033     for (auto &I : BB) {
1034       if (!I.getType()->isVoidTy() && !I.hasName())
1035         CreateFunctionSlot(&I);
1036 
1037       // We allow direct calls to any llvm.foo function here, because the
1038       // target may not be linked into the optimizer.
1039       if (const auto *Call = dyn_cast<CallBase>(&I)) {
1040         // Add all the call attributes to the table.
1041         AttributeSet Attrs = Call->getAttributes().getFnAttributes();
1042         if (Attrs.hasAttributes())
1043           CreateAttributeSetSlot(Attrs);
1044       }
1045     }
1046   }
1047 
1048   FunctionProcessed = true;
1049 
1050   ST_DEBUG("end processFunction!\n");
1051 }
1052 
1053 // Iterate through all the GUID in the index and create slots for them.
1054 int SlotTracker::processIndex() {
1055   ST_DEBUG("begin processIndex!\n");
1056   assert(TheIndex);
1057 
1058   // The first block of slots are just the module ids, which start at 0 and are
1059   // assigned consecutively. Since the StringMap iteration order isn't
1060   // guaranteed, use a std::map to order by module ID before assigning slots.
1061   std::map<uint64_t, StringRef> ModuleIdToPathMap;
1062   for (auto &ModPath : TheIndex->modulePaths())
1063     ModuleIdToPathMap[ModPath.second.first] = ModPath.first();
1064   for (auto &ModPair : ModuleIdToPathMap)
1065     CreateModulePathSlot(ModPair.second);
1066 
1067   // Start numbering the GUIDs after the module ids.
1068   GUIDNext = ModulePathNext;
1069 
1070   for (auto &GlobalList : *TheIndex)
1071     CreateGUIDSlot(GlobalList.first);
1072 
1073   for (auto &TId : TheIndex->typeIdCompatibleVtableMap())
1074     CreateGUIDSlot(GlobalValue::getGUID(TId.first));
1075 
1076   // Start numbering the TypeIds after the GUIDs.
1077   TypeIdNext = GUIDNext;
1078   for (auto TidIter = TheIndex->typeIds().begin();
1079        TidIter != TheIndex->typeIds().end(); TidIter++)
1080     CreateTypeIdSlot(TidIter->second.first);
1081 
1082   ST_DEBUG("end processIndex!\n");
1083   return TypeIdNext;
1084 }
1085 
1086 void SlotTracker::processGlobalObjectMetadata(const GlobalObject &GO) {
1087   SmallVector<std::pair<unsigned, MDNode *>, 4> MDs;
1088   GO.getAllMetadata(MDs);
1089   for (auto &MD : MDs)
1090     CreateMetadataSlot(MD.second);
1091 }
1092 
1093 void SlotTracker::processFunctionMetadata(const Function &F) {
1094   processGlobalObjectMetadata(F);
1095   for (auto &BB : F) {
1096     for (auto &I : BB)
1097       processInstructionMetadata(I);
1098   }
1099 }
1100 
1101 void SlotTracker::processInstructionMetadata(const Instruction &I) {
1102   // Process metadata used directly by intrinsics.
1103   if (const CallInst *CI = dyn_cast<CallInst>(&I))
1104     if (Function *F = CI->getCalledFunction())
1105       if (F->isIntrinsic())
1106         for (auto &Op : I.operands())
1107           if (auto *V = dyn_cast_or_null<MetadataAsValue>(Op))
1108             if (MDNode *N = dyn_cast<MDNode>(V->getMetadata()))
1109               CreateMetadataSlot(N);
1110 
1111   // Process metadata attached to this instruction.
1112   SmallVector<std::pair<unsigned, MDNode *>, 4> MDs;
1113   I.getAllMetadata(MDs);
1114   for (auto &MD : MDs)
1115     CreateMetadataSlot(MD.second);
1116 }
1117 
1118 /// Clean up after incorporating a function. This is the only way to get out of
1119 /// the function incorporation state that affects get*Slot/Create*Slot. Function
1120 /// incorporation state is indicated by TheFunction != 0.
1121 void SlotTracker::purgeFunction() {
1122   ST_DEBUG("begin purgeFunction!\n");
1123   fMap.clear(); // Simply discard the function level map
1124   TheFunction = nullptr;
1125   FunctionProcessed = false;
1126   ST_DEBUG("end purgeFunction!\n");
1127 }
1128 
1129 /// getGlobalSlot - Get the slot number of a global value.
1130 int SlotTracker::getGlobalSlot(const GlobalValue *V) {
1131   // Check for uninitialized state and do lazy initialization.
1132   initializeIfNeeded();
1133 
1134   // Find the value in the module map
1135   ValueMap::iterator MI = mMap.find(V);
1136   return MI == mMap.end() ? -1 : (int)MI->second;
1137 }
1138 
1139 /// getMetadataSlot - Get the slot number of a MDNode.
1140 int SlotTracker::getMetadataSlot(const MDNode *N) {
1141   // Check for uninitialized state and do lazy initialization.
1142   initializeIfNeeded();
1143 
1144   // Find the MDNode in the module map
1145   mdn_iterator MI = mdnMap.find(N);
1146   return MI == mdnMap.end() ? -1 : (int)MI->second;
1147 }
1148 
1149 /// getLocalSlot - Get the slot number for a value that is local to a function.
1150 int SlotTracker::getLocalSlot(const Value *V) {
1151   assert(!isa<Constant>(V) && "Can't get a constant or global slot with this!");
1152 
1153   // Check for uninitialized state and do lazy initialization.
1154   initializeIfNeeded();
1155 
1156   ValueMap::iterator FI = fMap.find(V);
1157   return FI == fMap.end() ? -1 : (int)FI->second;
1158 }
1159 
1160 int SlotTracker::getAttributeGroupSlot(AttributeSet AS) {
1161   // Check for uninitialized state and do lazy initialization.
1162   initializeIfNeeded();
1163 
1164   // Find the AttributeSet in the module map.
1165   as_iterator AI = asMap.find(AS);
1166   return AI == asMap.end() ? -1 : (int)AI->second;
1167 }
1168 
1169 int SlotTracker::getModulePathSlot(StringRef Path) {
1170   // Check for uninitialized state and do lazy initialization.
1171   initializeIndexIfNeeded();
1172 
1173   // Find the Module path in the map
1174   auto I = ModulePathMap.find(Path);
1175   return I == ModulePathMap.end() ? -1 : (int)I->second;
1176 }
1177 
1178 int SlotTracker::getGUIDSlot(GlobalValue::GUID GUID) {
1179   // Check for uninitialized state and do lazy initialization.
1180   initializeIndexIfNeeded();
1181 
1182   // Find the GUID in the map
1183   guid_iterator I = GUIDMap.find(GUID);
1184   return I == GUIDMap.end() ? -1 : (int)I->second;
1185 }
1186 
1187 int SlotTracker::getTypeIdSlot(StringRef Id) {
1188   // Check for uninitialized state and do lazy initialization.
1189   initializeIndexIfNeeded();
1190 
1191   // Find the TypeId string in the map
1192   auto I = TypeIdMap.find(Id);
1193   return I == TypeIdMap.end() ? -1 : (int)I->second;
1194 }
1195 
1196 /// CreateModuleSlot - Insert the specified GlobalValue* into the slot table.
1197 void SlotTracker::CreateModuleSlot(const GlobalValue *V) {
1198   assert(V && "Can't insert a null Value into SlotTracker!");
1199   assert(!V->getType()->isVoidTy() && "Doesn't need a slot!");
1200   assert(!V->hasName() && "Doesn't need a slot!");
1201 
1202   unsigned DestSlot = mNext++;
1203   mMap[V] = DestSlot;
1204 
1205   ST_DEBUG("  Inserting value [" << V->getType() << "] = " << V << " slot=" <<
1206            DestSlot << " [");
1207   // G = Global, F = Function, A = Alias, I = IFunc, o = other
1208   ST_DEBUG((isa<GlobalVariable>(V) ? 'G' :
1209             (isa<Function>(V) ? 'F' :
1210              (isa<GlobalAlias>(V) ? 'A' :
1211               (isa<GlobalIFunc>(V) ? 'I' : 'o')))) << "]\n");
1212 }
1213 
1214 /// CreateSlot - Create a new slot for the specified value if it has no name.
1215 void SlotTracker::CreateFunctionSlot(const Value *V) {
1216   assert(!V->getType()->isVoidTy() && !V->hasName() && "Doesn't need a slot!");
1217 
1218   unsigned DestSlot = fNext++;
1219   fMap[V] = DestSlot;
1220 
1221   // G = Global, F = Function, o = other
1222   ST_DEBUG("  Inserting value [" << V->getType() << "] = " << V << " slot=" <<
1223            DestSlot << " [o]\n");
1224 }
1225 
1226 /// CreateModuleSlot - Insert the specified MDNode* into the slot table.
1227 void SlotTracker::CreateMetadataSlot(const MDNode *N) {
1228   assert(N && "Can't insert a null Value into SlotTracker!");
1229 
1230   // Don't make slots for DIExpressions. We just print them inline everywhere.
1231   if (isa<DIExpression>(N))
1232     return;
1233 
1234   unsigned DestSlot = mdnNext;
1235   if (!mdnMap.insert(std::make_pair(N, DestSlot)).second)
1236     return;
1237   ++mdnNext;
1238 
1239   // Recursively add any MDNodes referenced by operands.
1240   for (unsigned i = 0, e = N->getNumOperands(); i != e; ++i)
1241     if (const MDNode *Op = dyn_cast_or_null<MDNode>(N->getOperand(i)))
1242       CreateMetadataSlot(Op);
1243 }
1244 
1245 void SlotTracker::CreateAttributeSetSlot(AttributeSet AS) {
1246   assert(AS.hasAttributes() && "Doesn't need a slot!");
1247 
1248   as_iterator I = asMap.find(AS);
1249   if (I != asMap.end())
1250     return;
1251 
1252   unsigned DestSlot = asNext++;
1253   asMap[AS] = DestSlot;
1254 }
1255 
1256 /// Create a new slot for the specified Module
1257 void SlotTracker::CreateModulePathSlot(StringRef Path) {
1258   ModulePathMap[Path] = ModulePathNext++;
1259 }
1260 
1261 /// Create a new slot for the specified GUID
1262 void SlotTracker::CreateGUIDSlot(GlobalValue::GUID GUID) {
1263   GUIDMap[GUID] = GUIDNext++;
1264 }
1265 
1266 /// Create a new slot for the specified Id
1267 void SlotTracker::CreateTypeIdSlot(StringRef Id) {
1268   TypeIdMap[Id] = TypeIdNext++;
1269 }
1270 
1271 //===----------------------------------------------------------------------===//
1272 // AsmWriter Implementation
1273 //===----------------------------------------------------------------------===//
1274 
1275 static void WriteAsOperandInternal(raw_ostream &Out, const Value *V,
1276                                    TypePrinting *TypePrinter,
1277                                    SlotTracker *Machine,
1278                                    const Module *Context);
1279 
1280 static void WriteAsOperandInternal(raw_ostream &Out, const Metadata *MD,
1281                                    TypePrinting *TypePrinter,
1282                                    SlotTracker *Machine, const Module *Context,
1283                                    bool FromValue = false);
1284 
1285 static void WriteOptimizationInfo(raw_ostream &Out, const User *U) {
1286   if (const FPMathOperator *FPO = dyn_cast<const FPMathOperator>(U)) {
1287     // 'Fast' is an abbreviation for all fast-math-flags.
1288     if (FPO->isFast())
1289       Out << " fast";
1290     else {
1291       if (FPO->hasAllowReassoc())
1292         Out << " reassoc";
1293       if (FPO->hasNoNaNs())
1294         Out << " nnan";
1295       if (FPO->hasNoInfs())
1296         Out << " ninf";
1297       if (FPO->hasNoSignedZeros())
1298         Out << " nsz";
1299       if (FPO->hasAllowReciprocal())
1300         Out << " arcp";
1301       if (FPO->hasAllowContract())
1302         Out << " contract";
1303       if (FPO->hasApproxFunc())
1304         Out << " afn";
1305     }
1306   }
1307 
1308   if (const OverflowingBinaryOperator *OBO =
1309         dyn_cast<OverflowingBinaryOperator>(U)) {
1310     if (OBO->hasNoUnsignedWrap())
1311       Out << " nuw";
1312     if (OBO->hasNoSignedWrap())
1313       Out << " nsw";
1314   } else if (const PossiblyExactOperator *Div =
1315                dyn_cast<PossiblyExactOperator>(U)) {
1316     if (Div->isExact())
1317       Out << " exact";
1318   } else if (const GEPOperator *GEP = dyn_cast<GEPOperator>(U)) {
1319     if (GEP->isInBounds())
1320       Out << " inbounds";
1321   }
1322 }
1323 
1324 static void WriteConstantInternal(raw_ostream &Out, const Constant *CV,
1325                                   TypePrinting &TypePrinter,
1326                                   SlotTracker *Machine,
1327                                   const Module *Context) {
1328   if (const ConstantInt *CI = dyn_cast<ConstantInt>(CV)) {
1329     if (CI->getType()->isIntegerTy(1)) {
1330       Out << (CI->getZExtValue() ? "true" : "false");
1331       return;
1332     }
1333     Out << CI->getValue();
1334     return;
1335   }
1336 
1337   if (const ConstantFP *CFP = dyn_cast<ConstantFP>(CV)) {
1338     const APFloat &APF = CFP->getValueAPF();
1339     if (&APF.getSemantics() == &APFloat::IEEEsingle() ||
1340         &APF.getSemantics() == &APFloat::IEEEdouble()) {
1341       // We would like to output the FP constant value in exponential notation,
1342       // but we cannot do this if doing so will lose precision.  Check here to
1343       // make sure that we only output it in exponential format if we can parse
1344       // the value back and get the same value.
1345       //
1346       bool ignored;
1347       bool isDouble = &APF.getSemantics() == &APFloat::IEEEdouble();
1348       bool isInf = APF.isInfinity();
1349       bool isNaN = APF.isNaN();
1350       if (!isInf && !isNaN) {
1351         double Val = isDouble ? APF.convertToDouble() : APF.convertToFloat();
1352         SmallString<128> StrVal;
1353         APF.toString(StrVal, 6, 0, false);
1354         // Check to make sure that the stringized number is not some string like
1355         // "Inf" or NaN, that atof will accept, but the lexer will not.  Check
1356         // that the string matches the "[-+]?[0-9]" regex.
1357         //
1358         assert(((StrVal[0] >= '0' && StrVal[0] <= '9') ||
1359                 ((StrVal[0] == '-' || StrVal[0] == '+') &&
1360                  (StrVal[1] >= '0' && StrVal[1] <= '9'))) &&
1361                "[-+]?[0-9] regex does not match!");
1362         // Reparse stringized version!
1363         if (APFloat(APFloat::IEEEdouble(), StrVal).convertToDouble() == Val) {
1364           Out << StrVal;
1365           return;
1366         }
1367       }
1368       // Otherwise we could not reparse it to exactly the same value, so we must
1369       // output the string in hexadecimal format!  Note that loading and storing
1370       // floating point types changes the bits of NaNs on some hosts, notably
1371       // x86, so we must not use these types.
1372       static_assert(sizeof(double) == sizeof(uint64_t),
1373                     "assuming that double is 64 bits!");
1374       APFloat apf = APF;
1375       // Floats are represented in ASCII IR as double, convert.
1376       if (!isDouble)
1377         apf.convert(APFloat::IEEEdouble(), APFloat::rmNearestTiesToEven,
1378                           &ignored);
1379       Out << format_hex(apf.bitcastToAPInt().getZExtValue(), 0, /*Upper=*/true);
1380       return;
1381     }
1382 
1383     // Either half, bfloat or some form of long double.
1384     // These appear as a magic letter identifying the type, then a
1385     // fixed number of hex digits.
1386     Out << "0x";
1387     APInt API = APF.bitcastToAPInt();
1388     if (&APF.getSemantics() == &APFloat::x87DoubleExtended()) {
1389       Out << 'K';
1390       Out << format_hex_no_prefix(API.getHiBits(16).getZExtValue(), 4,
1391                                   /*Upper=*/true);
1392       Out << format_hex_no_prefix(API.getLoBits(64).getZExtValue(), 16,
1393                                   /*Upper=*/true);
1394       return;
1395     } else if (&APF.getSemantics() == &APFloat::IEEEquad()) {
1396       Out << 'L';
1397       Out << format_hex_no_prefix(API.getLoBits(64).getZExtValue(), 16,
1398                                   /*Upper=*/true);
1399       Out << format_hex_no_prefix(API.getHiBits(64).getZExtValue(), 16,
1400                                   /*Upper=*/true);
1401     } else if (&APF.getSemantics() == &APFloat::PPCDoubleDouble()) {
1402       Out << 'M';
1403       Out << format_hex_no_prefix(API.getLoBits(64).getZExtValue(), 16,
1404                                   /*Upper=*/true);
1405       Out << format_hex_no_prefix(API.getHiBits(64).getZExtValue(), 16,
1406                                   /*Upper=*/true);
1407     } else if (&APF.getSemantics() == &APFloat::IEEEhalf()) {
1408       Out << 'H';
1409       Out << format_hex_no_prefix(API.getZExtValue(), 4,
1410                                   /*Upper=*/true);
1411     } else if (&APF.getSemantics() == &APFloat::BFloat()) {
1412       Out << 'R';
1413       Out << format_hex_no_prefix(API.getZExtValue(), 4,
1414                                   /*Upper=*/true);
1415     } else
1416       llvm_unreachable("Unsupported floating point type");
1417     return;
1418   }
1419 
1420   if (isa<ConstantAggregateZero>(CV)) {
1421     Out << "zeroinitializer";
1422     return;
1423   }
1424 
1425   if (const BlockAddress *BA = dyn_cast<BlockAddress>(CV)) {
1426     Out << "blockaddress(";
1427     WriteAsOperandInternal(Out, BA->getFunction(), &TypePrinter, Machine,
1428                            Context);
1429     Out << ", ";
1430     WriteAsOperandInternal(Out, BA->getBasicBlock(), &TypePrinter, Machine,
1431                            Context);
1432     Out << ")";
1433     return;
1434   }
1435 
1436   if (const ConstantArray *CA = dyn_cast<ConstantArray>(CV)) {
1437     Type *ETy = CA->getType()->getElementType();
1438     Out << '[';
1439     TypePrinter.print(ETy, Out);
1440     Out << ' ';
1441     WriteAsOperandInternal(Out, CA->getOperand(0),
1442                            &TypePrinter, Machine,
1443                            Context);
1444     for (unsigned i = 1, e = CA->getNumOperands(); i != e; ++i) {
1445       Out << ", ";
1446       TypePrinter.print(ETy, Out);
1447       Out << ' ';
1448       WriteAsOperandInternal(Out, CA->getOperand(i), &TypePrinter, Machine,
1449                              Context);
1450     }
1451     Out << ']';
1452     return;
1453   }
1454 
1455   if (const ConstantDataArray *CA = dyn_cast<ConstantDataArray>(CV)) {
1456     // As a special case, print the array as a string if it is an array of
1457     // i8 with ConstantInt values.
1458     if (CA->isString()) {
1459       Out << "c\"";
1460       printEscapedString(CA->getAsString(), Out);
1461       Out << '"';
1462       return;
1463     }
1464 
1465     Type *ETy = CA->getType()->getElementType();
1466     Out << '[';
1467     TypePrinter.print(ETy, Out);
1468     Out << ' ';
1469     WriteAsOperandInternal(Out, CA->getElementAsConstant(0),
1470                            &TypePrinter, Machine,
1471                            Context);
1472     for (unsigned i = 1, e = CA->getNumElements(); i != e; ++i) {
1473       Out << ", ";
1474       TypePrinter.print(ETy, Out);
1475       Out << ' ';
1476       WriteAsOperandInternal(Out, CA->getElementAsConstant(i), &TypePrinter,
1477                              Machine, Context);
1478     }
1479     Out << ']';
1480     return;
1481   }
1482 
1483   if (const ConstantStruct *CS = dyn_cast<ConstantStruct>(CV)) {
1484     if (CS->getType()->isPacked())
1485       Out << '<';
1486     Out << '{';
1487     unsigned N = CS->getNumOperands();
1488     if (N) {
1489       Out << ' ';
1490       TypePrinter.print(CS->getOperand(0)->getType(), Out);
1491       Out << ' ';
1492 
1493       WriteAsOperandInternal(Out, CS->getOperand(0), &TypePrinter, Machine,
1494                              Context);
1495 
1496       for (unsigned i = 1; i < N; i++) {
1497         Out << ", ";
1498         TypePrinter.print(CS->getOperand(i)->getType(), Out);
1499         Out << ' ';
1500 
1501         WriteAsOperandInternal(Out, CS->getOperand(i), &TypePrinter, Machine,
1502                                Context);
1503       }
1504       Out << ' ';
1505     }
1506 
1507     Out << '}';
1508     if (CS->getType()->isPacked())
1509       Out << '>';
1510     return;
1511   }
1512 
1513   if (isa<ConstantVector>(CV) || isa<ConstantDataVector>(CV)) {
1514     auto *CVVTy = cast<VectorType>(CV->getType());
1515     Type *ETy = CVVTy->getElementType();
1516     Out << '<';
1517     TypePrinter.print(ETy, Out);
1518     Out << ' ';
1519     WriteAsOperandInternal(Out, CV->getAggregateElement(0U), &TypePrinter,
1520                            Machine, Context);
1521     for (unsigned i = 1, e = CVVTy->getNumElements(); i != e; ++i) {
1522       Out << ", ";
1523       TypePrinter.print(ETy, Out);
1524       Out << ' ';
1525       WriteAsOperandInternal(Out, CV->getAggregateElement(i), &TypePrinter,
1526                              Machine, Context);
1527     }
1528     Out << '>';
1529     return;
1530   }
1531 
1532   if (isa<ConstantPointerNull>(CV)) {
1533     Out << "null";
1534     return;
1535   }
1536 
1537   if (isa<ConstantTokenNone>(CV)) {
1538     Out << "none";
1539     return;
1540   }
1541 
1542   if (isa<UndefValue>(CV)) {
1543     Out << "undef";
1544     return;
1545   }
1546 
1547   if (const ConstantExpr *CE = dyn_cast<ConstantExpr>(CV)) {
1548     Out << CE->getOpcodeName();
1549     WriteOptimizationInfo(Out, CE);
1550     if (CE->isCompare())
1551       Out << ' ' << CmpInst::getPredicateName(
1552                         static_cast<CmpInst::Predicate>(CE->getPredicate()));
1553     Out << " (";
1554 
1555     Optional<unsigned> InRangeOp;
1556     if (const GEPOperator *GEP = dyn_cast<GEPOperator>(CE)) {
1557       TypePrinter.print(GEP->getSourceElementType(), Out);
1558       Out << ", ";
1559       InRangeOp = GEP->getInRangeIndex();
1560       if (InRangeOp)
1561         ++*InRangeOp;
1562     }
1563 
1564     for (User::const_op_iterator OI=CE->op_begin(); OI != CE->op_end(); ++OI) {
1565       if (InRangeOp && unsigned(OI - CE->op_begin()) == *InRangeOp)
1566         Out << "inrange ";
1567       TypePrinter.print((*OI)->getType(), Out);
1568       Out << ' ';
1569       WriteAsOperandInternal(Out, *OI, &TypePrinter, Machine, Context);
1570       if (OI+1 != CE->op_end())
1571         Out << ", ";
1572     }
1573 
1574     if (CE->hasIndices()) {
1575       ArrayRef<unsigned> Indices = CE->getIndices();
1576       for (unsigned i = 0, e = Indices.size(); i != e; ++i)
1577         Out << ", " << Indices[i];
1578     }
1579 
1580     if (CE->isCast()) {
1581       Out << " to ";
1582       TypePrinter.print(CE->getType(), Out);
1583     }
1584 
1585     if (CE->getOpcode() == Instruction::ShuffleVector)
1586       PrintShuffleMask(Out, CE->getType(), CE->getShuffleMask());
1587 
1588     Out << ')';
1589     return;
1590   }
1591 
1592   Out << "<placeholder or erroneous Constant>";
1593 }
1594 
1595 static void writeMDTuple(raw_ostream &Out, const MDTuple *Node,
1596                          TypePrinting *TypePrinter, SlotTracker *Machine,
1597                          const Module *Context) {
1598   Out << "!{";
1599   for (unsigned mi = 0, me = Node->getNumOperands(); mi != me; ++mi) {
1600     const Metadata *MD = Node->getOperand(mi);
1601     if (!MD)
1602       Out << "null";
1603     else if (auto *MDV = dyn_cast<ValueAsMetadata>(MD)) {
1604       Value *V = MDV->getValue();
1605       TypePrinter->print(V->getType(), Out);
1606       Out << ' ';
1607       WriteAsOperandInternal(Out, V, TypePrinter, Machine, Context);
1608     } else {
1609       WriteAsOperandInternal(Out, MD, TypePrinter, Machine, Context);
1610     }
1611     if (mi + 1 != me)
1612       Out << ", ";
1613   }
1614 
1615   Out << "}";
1616 }
1617 
1618 namespace {
1619 
1620 struct FieldSeparator {
1621   bool Skip = true;
1622   const char *Sep;
1623 
1624   FieldSeparator(const char *Sep = ", ") : Sep(Sep) {}
1625 };
1626 
1627 raw_ostream &operator<<(raw_ostream &OS, FieldSeparator &FS) {
1628   if (FS.Skip) {
1629     FS.Skip = false;
1630     return OS;
1631   }
1632   return OS << FS.Sep;
1633 }
1634 
1635 struct MDFieldPrinter {
1636   raw_ostream &Out;
1637   FieldSeparator FS;
1638   TypePrinting *TypePrinter = nullptr;
1639   SlotTracker *Machine = nullptr;
1640   const Module *Context = nullptr;
1641 
1642   explicit MDFieldPrinter(raw_ostream &Out) : Out(Out) {}
1643   MDFieldPrinter(raw_ostream &Out, TypePrinting *TypePrinter,
1644                  SlotTracker *Machine, const Module *Context)
1645       : Out(Out), TypePrinter(TypePrinter), Machine(Machine), Context(Context) {
1646   }
1647 
1648   void printTag(const DINode *N);
1649   void printMacinfoType(const DIMacroNode *N);
1650   void printChecksum(const DIFile::ChecksumInfo<StringRef> &N);
1651   void printString(StringRef Name, StringRef Value,
1652                    bool ShouldSkipEmpty = true);
1653   void printMetadata(StringRef Name, const Metadata *MD,
1654                      bool ShouldSkipNull = true);
1655   template <class IntTy>
1656   void printInt(StringRef Name, IntTy Int, bool ShouldSkipZero = true);
1657   void printAPInt(StringRef Name, const APInt &Int, bool IsUnsigned,
1658                   bool ShouldSkipZero);
1659   void printBool(StringRef Name, bool Value, Optional<bool> Default = None);
1660   void printDIFlags(StringRef Name, DINode::DIFlags Flags);
1661   void printDISPFlags(StringRef Name, DISubprogram::DISPFlags Flags);
1662   template <class IntTy, class Stringifier>
1663   void printDwarfEnum(StringRef Name, IntTy Value, Stringifier toString,
1664                       bool ShouldSkipZero = true);
1665   void printEmissionKind(StringRef Name, DICompileUnit::DebugEmissionKind EK);
1666   void printNameTableKind(StringRef Name,
1667                           DICompileUnit::DebugNameTableKind NTK);
1668 };
1669 
1670 } // end anonymous namespace
1671 
1672 void MDFieldPrinter::printTag(const DINode *N) {
1673   Out << FS << "tag: ";
1674   auto Tag = dwarf::TagString(N->getTag());
1675   if (!Tag.empty())
1676     Out << Tag;
1677   else
1678     Out << N->getTag();
1679 }
1680 
1681 void MDFieldPrinter::printMacinfoType(const DIMacroNode *N) {
1682   Out << FS << "type: ";
1683   auto Type = dwarf::MacinfoString(N->getMacinfoType());
1684   if (!Type.empty())
1685     Out << Type;
1686   else
1687     Out << N->getMacinfoType();
1688 }
1689 
1690 void MDFieldPrinter::printChecksum(
1691     const DIFile::ChecksumInfo<StringRef> &Checksum) {
1692   Out << FS << "checksumkind: " << Checksum.getKindAsString();
1693   printString("checksum", Checksum.Value, /* ShouldSkipEmpty */ false);
1694 }
1695 
1696 void MDFieldPrinter::printString(StringRef Name, StringRef Value,
1697                                  bool ShouldSkipEmpty) {
1698   if (ShouldSkipEmpty && Value.empty())
1699     return;
1700 
1701   Out << FS << Name << ": \"";
1702   printEscapedString(Value, Out);
1703   Out << "\"";
1704 }
1705 
1706 static void writeMetadataAsOperand(raw_ostream &Out, const Metadata *MD,
1707                                    TypePrinting *TypePrinter,
1708                                    SlotTracker *Machine,
1709                                    const Module *Context) {
1710   if (!MD) {
1711     Out << "null";
1712     return;
1713   }
1714   WriteAsOperandInternal(Out, MD, TypePrinter, Machine, Context);
1715 }
1716 
1717 void MDFieldPrinter::printMetadata(StringRef Name, const Metadata *MD,
1718                                    bool ShouldSkipNull) {
1719   if (ShouldSkipNull && !MD)
1720     return;
1721 
1722   Out << FS << Name << ": ";
1723   writeMetadataAsOperand(Out, MD, TypePrinter, Machine, Context);
1724 }
1725 
1726 template <class IntTy>
1727 void MDFieldPrinter::printInt(StringRef Name, IntTy Int, bool ShouldSkipZero) {
1728   if (ShouldSkipZero && !Int)
1729     return;
1730 
1731   Out << FS << Name << ": " << Int;
1732 }
1733 
1734 void MDFieldPrinter::printAPInt(StringRef Name, const APInt &Int,
1735                                 bool IsUnsigned, bool ShouldSkipZero) {
1736   if (ShouldSkipZero && Int.isNullValue())
1737     return;
1738 
1739   Out << FS << Name << ": ";
1740   Int.print(Out, !IsUnsigned);
1741 }
1742 
1743 void MDFieldPrinter::printBool(StringRef Name, bool Value,
1744                                Optional<bool> Default) {
1745   if (Default && Value == *Default)
1746     return;
1747   Out << FS << Name << ": " << (Value ? "true" : "false");
1748 }
1749 
1750 void MDFieldPrinter::printDIFlags(StringRef Name, DINode::DIFlags Flags) {
1751   if (!Flags)
1752     return;
1753 
1754   Out << FS << Name << ": ";
1755 
1756   SmallVector<DINode::DIFlags, 8> SplitFlags;
1757   auto Extra = DINode::splitFlags(Flags, SplitFlags);
1758 
1759   FieldSeparator FlagsFS(" | ");
1760   for (auto F : SplitFlags) {
1761     auto StringF = DINode::getFlagString(F);
1762     assert(!StringF.empty() && "Expected valid flag");
1763     Out << FlagsFS << StringF;
1764   }
1765   if (Extra || SplitFlags.empty())
1766     Out << FlagsFS << Extra;
1767 }
1768 
1769 void MDFieldPrinter::printDISPFlags(StringRef Name,
1770                                     DISubprogram::DISPFlags Flags) {
1771   // Always print this field, because no flags in the IR at all will be
1772   // interpreted as old-style isDefinition: true.
1773   Out << FS << Name << ": ";
1774 
1775   if (!Flags) {
1776     Out << 0;
1777     return;
1778   }
1779 
1780   SmallVector<DISubprogram::DISPFlags, 8> SplitFlags;
1781   auto Extra = DISubprogram::splitFlags(Flags, SplitFlags);
1782 
1783   FieldSeparator FlagsFS(" | ");
1784   for (auto F : SplitFlags) {
1785     auto StringF = DISubprogram::getFlagString(F);
1786     assert(!StringF.empty() && "Expected valid flag");
1787     Out << FlagsFS << StringF;
1788   }
1789   if (Extra || SplitFlags.empty())
1790     Out << FlagsFS << Extra;
1791 }
1792 
1793 void MDFieldPrinter::printEmissionKind(StringRef Name,
1794                                        DICompileUnit::DebugEmissionKind EK) {
1795   Out << FS << Name << ": " << DICompileUnit::emissionKindString(EK);
1796 }
1797 
1798 void MDFieldPrinter::printNameTableKind(StringRef Name,
1799                                         DICompileUnit::DebugNameTableKind NTK) {
1800   if (NTK == DICompileUnit::DebugNameTableKind::Default)
1801     return;
1802   Out << FS << Name << ": " << DICompileUnit::nameTableKindString(NTK);
1803 }
1804 
1805 template <class IntTy, class Stringifier>
1806 void MDFieldPrinter::printDwarfEnum(StringRef Name, IntTy Value,
1807                                     Stringifier toString, bool ShouldSkipZero) {
1808   if (!Value)
1809     return;
1810 
1811   Out << FS << Name << ": ";
1812   auto S = toString(Value);
1813   if (!S.empty())
1814     Out << S;
1815   else
1816     Out << Value;
1817 }
1818 
1819 static void writeGenericDINode(raw_ostream &Out, const GenericDINode *N,
1820                                TypePrinting *TypePrinter, SlotTracker *Machine,
1821                                const Module *Context) {
1822   Out << "!GenericDINode(";
1823   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
1824   Printer.printTag(N);
1825   Printer.printString("header", N->getHeader());
1826   if (N->getNumDwarfOperands()) {
1827     Out << Printer.FS << "operands: {";
1828     FieldSeparator IFS;
1829     for (auto &I : N->dwarf_operands()) {
1830       Out << IFS;
1831       writeMetadataAsOperand(Out, I, TypePrinter, Machine, Context);
1832     }
1833     Out << "}";
1834   }
1835   Out << ")";
1836 }
1837 
1838 static void writeDILocation(raw_ostream &Out, const DILocation *DL,
1839                             TypePrinting *TypePrinter, SlotTracker *Machine,
1840                             const Module *Context) {
1841   Out << "!DILocation(";
1842   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
1843   // Always output the line, since 0 is a relevant and important value for it.
1844   Printer.printInt("line", DL->getLine(), /* ShouldSkipZero */ false);
1845   Printer.printInt("column", DL->getColumn());
1846   Printer.printMetadata("scope", DL->getRawScope(), /* ShouldSkipNull */ false);
1847   Printer.printMetadata("inlinedAt", DL->getRawInlinedAt());
1848   Printer.printBool("isImplicitCode", DL->isImplicitCode(),
1849                     /* Default */ false);
1850   Out << ")";
1851 }
1852 
1853 static void writeDISubrange(raw_ostream &Out, const DISubrange *N,
1854                             TypePrinting *TypePrinter, SlotTracker *Machine,
1855                             const Module *Context) {
1856   Out << "!DISubrange(";
1857   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
1858   if (auto *CE = N->getCount().dyn_cast<ConstantInt*>())
1859     Printer.printInt("count", CE->getSExtValue(), /* ShouldSkipZero */ false);
1860   else
1861     Printer.printMetadata("count", N->getCount().dyn_cast<DIVariable *>(),
1862                           /*ShouldSkipNull */ true);
1863 
1864   // A lowerBound of constant 0 should not be skipped, since it is different
1865   // from an unspecified lower bound (= nullptr).
1866   auto *LBound = N->getRawLowerBound();
1867   if (auto *LE = dyn_cast_or_null<ConstantAsMetadata>(LBound)) {
1868     auto *LV = cast<ConstantInt>(LE->getValue());
1869     Printer.printInt("lowerBound", LV->getSExtValue(),
1870                      /* ShouldSkipZero */ false);
1871   } else
1872     Printer.printMetadata("lowerBound", LBound, /*ShouldSkipNull */ true);
1873 
1874   auto *UBound = N->getRawUpperBound();
1875   if (auto *UE = dyn_cast_or_null<ConstantAsMetadata>(UBound)) {
1876     auto *UV = cast<ConstantInt>(UE->getValue());
1877     Printer.printInt("upperBound", UV->getSExtValue(),
1878                      /* ShouldSkipZero */ false);
1879   } else
1880     Printer.printMetadata("upperBound", UBound, /*ShouldSkipNull */ true);
1881 
1882   auto *Stride = N->getRawStride();
1883   if (auto *SE = dyn_cast_or_null<ConstantAsMetadata>(Stride)) {
1884     auto *SV = cast<ConstantInt>(SE->getValue());
1885     Printer.printInt("stride", SV->getSExtValue(), /* ShouldSkipZero */ false);
1886   } else
1887     Printer.printMetadata("stride", Stride, /*ShouldSkipNull */ true);
1888 
1889   Out << ")";
1890 }
1891 
1892 static void writeDIEnumerator(raw_ostream &Out, const DIEnumerator *N,
1893                               TypePrinting *, SlotTracker *, const Module *) {
1894   Out << "!DIEnumerator(";
1895   MDFieldPrinter Printer(Out);
1896   Printer.printString("name", N->getName(), /* ShouldSkipEmpty */ false);
1897   Printer.printAPInt("value", N->getValue(), N->isUnsigned(),
1898                      /*ShouldSkipZero=*/false);
1899   if (N->isUnsigned())
1900     Printer.printBool("isUnsigned", true);
1901   Out << ")";
1902 }
1903 
1904 static void writeDIBasicType(raw_ostream &Out, const DIBasicType *N,
1905                              TypePrinting *, SlotTracker *, const Module *) {
1906   Out << "!DIBasicType(";
1907   MDFieldPrinter Printer(Out);
1908   if (N->getTag() != dwarf::DW_TAG_base_type)
1909     Printer.printTag(N);
1910   Printer.printString("name", N->getName());
1911   Printer.printInt("size", N->getSizeInBits());
1912   Printer.printInt("align", N->getAlignInBits());
1913   Printer.printDwarfEnum("encoding", N->getEncoding(),
1914                          dwarf::AttributeEncodingString);
1915   Printer.printDIFlags("flags", N->getFlags());
1916   Out << ")";
1917 }
1918 
1919 static void writeDIDerivedType(raw_ostream &Out, const DIDerivedType *N,
1920                                TypePrinting *TypePrinter, SlotTracker *Machine,
1921                                const Module *Context) {
1922   Out << "!DIDerivedType(";
1923   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
1924   Printer.printTag(N);
1925   Printer.printString("name", N->getName());
1926   Printer.printMetadata("scope", N->getRawScope());
1927   Printer.printMetadata("file", N->getRawFile());
1928   Printer.printInt("line", N->getLine());
1929   Printer.printMetadata("baseType", N->getRawBaseType(),
1930                         /* ShouldSkipNull */ false);
1931   Printer.printInt("size", N->getSizeInBits());
1932   Printer.printInt("align", N->getAlignInBits());
1933   Printer.printInt("offset", N->getOffsetInBits());
1934   Printer.printDIFlags("flags", N->getFlags());
1935   Printer.printMetadata("extraData", N->getRawExtraData());
1936   if (const auto &DWARFAddressSpace = N->getDWARFAddressSpace())
1937     Printer.printInt("dwarfAddressSpace", *DWARFAddressSpace,
1938                      /* ShouldSkipZero */ false);
1939   Out << ")";
1940 }
1941 
1942 static void writeDICompositeType(raw_ostream &Out, const DICompositeType *N,
1943                                  TypePrinting *TypePrinter,
1944                                  SlotTracker *Machine, const Module *Context) {
1945   Out << "!DICompositeType(";
1946   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
1947   Printer.printTag(N);
1948   Printer.printString("name", N->getName());
1949   Printer.printMetadata("scope", N->getRawScope());
1950   Printer.printMetadata("file", N->getRawFile());
1951   Printer.printInt("line", N->getLine());
1952   Printer.printMetadata("baseType", N->getRawBaseType());
1953   Printer.printInt("size", N->getSizeInBits());
1954   Printer.printInt("align", N->getAlignInBits());
1955   Printer.printInt("offset", N->getOffsetInBits());
1956   Printer.printDIFlags("flags", N->getFlags());
1957   Printer.printMetadata("elements", N->getRawElements());
1958   Printer.printDwarfEnum("runtimeLang", N->getRuntimeLang(),
1959                          dwarf::LanguageString);
1960   Printer.printMetadata("vtableHolder", N->getRawVTableHolder());
1961   Printer.printMetadata("templateParams", N->getRawTemplateParams());
1962   Printer.printString("identifier", N->getIdentifier());
1963   Printer.printMetadata("discriminator", N->getRawDiscriminator());
1964   Printer.printMetadata("dataLocation", N->getRawDataLocation());
1965   Printer.printMetadata("associated", N->getRawAssociated());
1966   Printer.printMetadata("allocated", N->getRawAllocated());
1967   Out << ")";
1968 }
1969 
1970 static void writeDISubroutineType(raw_ostream &Out, const DISubroutineType *N,
1971                                   TypePrinting *TypePrinter,
1972                                   SlotTracker *Machine, const Module *Context) {
1973   Out << "!DISubroutineType(";
1974   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
1975   Printer.printDIFlags("flags", N->getFlags());
1976   Printer.printDwarfEnum("cc", N->getCC(), dwarf::ConventionString);
1977   Printer.printMetadata("types", N->getRawTypeArray(),
1978                         /* ShouldSkipNull */ false);
1979   Out << ")";
1980 }
1981 
1982 static void writeDIFile(raw_ostream &Out, const DIFile *N, TypePrinting *,
1983                         SlotTracker *, const Module *) {
1984   Out << "!DIFile(";
1985   MDFieldPrinter Printer(Out);
1986   Printer.printString("filename", N->getFilename(),
1987                       /* ShouldSkipEmpty */ false);
1988   Printer.printString("directory", N->getDirectory(),
1989                       /* ShouldSkipEmpty */ false);
1990   // Print all values for checksum together, or not at all.
1991   if (N->getChecksum())
1992     Printer.printChecksum(*N->getChecksum());
1993   Printer.printString("source", N->getSource().getValueOr(StringRef()),
1994                       /* ShouldSkipEmpty */ true);
1995   Out << ")";
1996 }
1997 
1998 static void writeDICompileUnit(raw_ostream &Out, const DICompileUnit *N,
1999                                TypePrinting *TypePrinter, SlotTracker *Machine,
2000                                const Module *Context) {
2001   Out << "!DICompileUnit(";
2002   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2003   Printer.printDwarfEnum("language", N->getSourceLanguage(),
2004                          dwarf::LanguageString, /* ShouldSkipZero */ false);
2005   Printer.printMetadata("file", N->getRawFile(), /* ShouldSkipNull */ false);
2006   Printer.printString("producer", N->getProducer());
2007   Printer.printBool("isOptimized", N->isOptimized());
2008   Printer.printString("flags", N->getFlags());
2009   Printer.printInt("runtimeVersion", N->getRuntimeVersion(),
2010                    /* ShouldSkipZero */ false);
2011   Printer.printString("splitDebugFilename", N->getSplitDebugFilename());
2012   Printer.printEmissionKind("emissionKind", N->getEmissionKind());
2013   Printer.printMetadata("enums", N->getRawEnumTypes());
2014   Printer.printMetadata("retainedTypes", N->getRawRetainedTypes());
2015   Printer.printMetadata("globals", N->getRawGlobalVariables());
2016   Printer.printMetadata("imports", N->getRawImportedEntities());
2017   Printer.printMetadata("macros", N->getRawMacros());
2018   Printer.printInt("dwoId", N->getDWOId());
2019   Printer.printBool("splitDebugInlining", N->getSplitDebugInlining(), true);
2020   Printer.printBool("debugInfoForProfiling", N->getDebugInfoForProfiling(),
2021                     false);
2022   Printer.printNameTableKind("nameTableKind", N->getNameTableKind());
2023   Printer.printBool("rangesBaseAddress", N->getRangesBaseAddress(), false);
2024   Printer.printString("sysroot", N->getSysRoot());
2025   Printer.printString("sdk", N->getSDK());
2026   Out << ")";
2027 }
2028 
2029 static void writeDISubprogram(raw_ostream &Out, const DISubprogram *N,
2030                               TypePrinting *TypePrinter, SlotTracker *Machine,
2031                               const Module *Context) {
2032   Out << "!DISubprogram(";
2033   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2034   Printer.printString("name", N->getName());
2035   Printer.printString("linkageName", N->getLinkageName());
2036   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2037   Printer.printMetadata("file", N->getRawFile());
2038   Printer.printInt("line", N->getLine());
2039   Printer.printMetadata("type", N->getRawType());
2040   Printer.printInt("scopeLine", N->getScopeLine());
2041   Printer.printMetadata("containingType", N->getRawContainingType());
2042   if (N->getVirtuality() != dwarf::DW_VIRTUALITY_none ||
2043       N->getVirtualIndex() != 0)
2044     Printer.printInt("virtualIndex", N->getVirtualIndex(), false);
2045   Printer.printInt("thisAdjustment", N->getThisAdjustment());
2046   Printer.printDIFlags("flags", N->getFlags());
2047   Printer.printDISPFlags("spFlags", N->getSPFlags());
2048   Printer.printMetadata("unit", N->getRawUnit());
2049   Printer.printMetadata("templateParams", N->getRawTemplateParams());
2050   Printer.printMetadata("declaration", N->getRawDeclaration());
2051   Printer.printMetadata("retainedNodes", N->getRawRetainedNodes());
2052   Printer.printMetadata("thrownTypes", N->getRawThrownTypes());
2053   Out << ")";
2054 }
2055 
2056 static void writeDILexicalBlock(raw_ostream &Out, const DILexicalBlock *N,
2057                                 TypePrinting *TypePrinter, SlotTracker *Machine,
2058                                 const Module *Context) {
2059   Out << "!DILexicalBlock(";
2060   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2061   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2062   Printer.printMetadata("file", N->getRawFile());
2063   Printer.printInt("line", N->getLine());
2064   Printer.printInt("column", N->getColumn());
2065   Out << ")";
2066 }
2067 
2068 static void writeDILexicalBlockFile(raw_ostream &Out,
2069                                     const DILexicalBlockFile *N,
2070                                     TypePrinting *TypePrinter,
2071                                     SlotTracker *Machine,
2072                                     const Module *Context) {
2073   Out << "!DILexicalBlockFile(";
2074   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2075   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2076   Printer.printMetadata("file", N->getRawFile());
2077   Printer.printInt("discriminator", N->getDiscriminator(),
2078                    /* ShouldSkipZero */ false);
2079   Out << ")";
2080 }
2081 
2082 static void writeDINamespace(raw_ostream &Out, const DINamespace *N,
2083                              TypePrinting *TypePrinter, SlotTracker *Machine,
2084                              const Module *Context) {
2085   Out << "!DINamespace(";
2086   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2087   Printer.printString("name", N->getName());
2088   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2089   Printer.printBool("exportSymbols", N->getExportSymbols(), false);
2090   Out << ")";
2091 }
2092 
2093 static void writeDICommonBlock(raw_ostream &Out, const DICommonBlock *N,
2094                                TypePrinting *TypePrinter, SlotTracker *Machine,
2095                                const Module *Context) {
2096   Out << "!DICommonBlock(";
2097   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2098   Printer.printMetadata("scope", N->getRawScope(), false);
2099   Printer.printMetadata("declaration", N->getRawDecl(), false);
2100   Printer.printString("name", N->getName());
2101   Printer.printMetadata("file", N->getRawFile());
2102   Printer.printInt("line", N->getLineNo());
2103   Out << ")";
2104 }
2105 
2106 static void writeDIMacro(raw_ostream &Out, const DIMacro *N,
2107                          TypePrinting *TypePrinter, SlotTracker *Machine,
2108                          const Module *Context) {
2109   Out << "!DIMacro(";
2110   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2111   Printer.printMacinfoType(N);
2112   Printer.printInt("line", N->getLine());
2113   Printer.printString("name", N->getName());
2114   Printer.printString("value", N->getValue());
2115   Out << ")";
2116 }
2117 
2118 static void writeDIMacroFile(raw_ostream &Out, const DIMacroFile *N,
2119                              TypePrinting *TypePrinter, SlotTracker *Machine,
2120                              const Module *Context) {
2121   Out << "!DIMacroFile(";
2122   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2123   Printer.printInt("line", N->getLine());
2124   Printer.printMetadata("file", N->getRawFile(), /* ShouldSkipNull */ false);
2125   Printer.printMetadata("nodes", N->getRawElements());
2126   Out << ")";
2127 }
2128 
2129 static void writeDIModule(raw_ostream &Out, const DIModule *N,
2130                           TypePrinting *TypePrinter, SlotTracker *Machine,
2131                           const Module *Context) {
2132   Out << "!DIModule(";
2133   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2134   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2135   Printer.printString("name", N->getName());
2136   Printer.printString("configMacros", N->getConfigurationMacros());
2137   Printer.printString("includePath", N->getIncludePath());
2138   Printer.printString("apinotes", N->getAPINotesFile());
2139   Printer.printMetadata("file", N->getRawFile());
2140   Printer.printInt("line", N->getLineNo());
2141   Out << ")";
2142 }
2143 
2144 
2145 static void writeDITemplateTypeParameter(raw_ostream &Out,
2146                                          const DITemplateTypeParameter *N,
2147                                          TypePrinting *TypePrinter,
2148                                          SlotTracker *Machine,
2149                                          const Module *Context) {
2150   Out << "!DITemplateTypeParameter(";
2151   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2152   Printer.printString("name", N->getName());
2153   Printer.printMetadata("type", N->getRawType(), /* ShouldSkipNull */ false);
2154   Printer.printBool("defaulted", N->isDefault(), /* Default= */ false);
2155   Out << ")";
2156 }
2157 
2158 static void writeDITemplateValueParameter(raw_ostream &Out,
2159                                           const DITemplateValueParameter *N,
2160                                           TypePrinting *TypePrinter,
2161                                           SlotTracker *Machine,
2162                                           const Module *Context) {
2163   Out << "!DITemplateValueParameter(";
2164   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2165   if (N->getTag() != dwarf::DW_TAG_template_value_parameter)
2166     Printer.printTag(N);
2167   Printer.printString("name", N->getName());
2168   Printer.printMetadata("type", N->getRawType());
2169   Printer.printBool("defaulted", N->isDefault(), /* Default= */ false);
2170   Printer.printMetadata("value", N->getValue(), /* ShouldSkipNull */ false);
2171   Out << ")";
2172 }
2173 
2174 static void writeDIGlobalVariable(raw_ostream &Out, const DIGlobalVariable *N,
2175                                   TypePrinting *TypePrinter,
2176                                   SlotTracker *Machine, const Module *Context) {
2177   Out << "!DIGlobalVariable(";
2178   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2179   Printer.printString("name", N->getName());
2180   Printer.printString("linkageName", N->getLinkageName());
2181   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2182   Printer.printMetadata("file", N->getRawFile());
2183   Printer.printInt("line", N->getLine());
2184   Printer.printMetadata("type", N->getRawType());
2185   Printer.printBool("isLocal", N->isLocalToUnit());
2186   Printer.printBool("isDefinition", N->isDefinition());
2187   Printer.printMetadata("declaration", N->getRawStaticDataMemberDeclaration());
2188   Printer.printMetadata("templateParams", N->getRawTemplateParams());
2189   Printer.printInt("align", N->getAlignInBits());
2190   Out << ")";
2191 }
2192 
2193 static void writeDILocalVariable(raw_ostream &Out, const DILocalVariable *N,
2194                                  TypePrinting *TypePrinter,
2195                                  SlotTracker *Machine, const Module *Context) {
2196   Out << "!DILocalVariable(";
2197   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2198   Printer.printString("name", N->getName());
2199   Printer.printInt("arg", N->getArg());
2200   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2201   Printer.printMetadata("file", N->getRawFile());
2202   Printer.printInt("line", N->getLine());
2203   Printer.printMetadata("type", N->getRawType());
2204   Printer.printDIFlags("flags", N->getFlags());
2205   Printer.printInt("align", N->getAlignInBits());
2206   Out << ")";
2207 }
2208 
2209 static void writeDILabel(raw_ostream &Out, const DILabel *N,
2210                          TypePrinting *TypePrinter,
2211                          SlotTracker *Machine, const Module *Context) {
2212   Out << "!DILabel(";
2213   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2214   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2215   Printer.printString("name", N->getName());
2216   Printer.printMetadata("file", N->getRawFile());
2217   Printer.printInt("line", N->getLine());
2218   Out << ")";
2219 }
2220 
2221 static void writeDIExpression(raw_ostream &Out, const DIExpression *N,
2222                               TypePrinting *TypePrinter, SlotTracker *Machine,
2223                               const Module *Context) {
2224   Out << "!DIExpression(";
2225   FieldSeparator FS;
2226   if (N->isValid()) {
2227     for (auto I = N->expr_op_begin(), E = N->expr_op_end(); I != E; ++I) {
2228       auto OpStr = dwarf::OperationEncodingString(I->getOp());
2229       assert(!OpStr.empty() && "Expected valid opcode");
2230 
2231       Out << FS << OpStr;
2232       if (I->getOp() == dwarf::DW_OP_LLVM_convert) {
2233         Out << FS << I->getArg(0);
2234         Out << FS << dwarf::AttributeEncodingString(I->getArg(1));
2235       } else {
2236         for (unsigned A = 0, AE = I->getNumArgs(); A != AE; ++A)
2237           Out << FS << I->getArg(A);
2238       }
2239     }
2240   } else {
2241     for (const auto &I : N->getElements())
2242       Out << FS << I;
2243   }
2244   Out << ")";
2245 }
2246 
2247 static void writeDIGlobalVariableExpression(raw_ostream &Out,
2248                                             const DIGlobalVariableExpression *N,
2249                                             TypePrinting *TypePrinter,
2250                                             SlotTracker *Machine,
2251                                             const Module *Context) {
2252   Out << "!DIGlobalVariableExpression(";
2253   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2254   Printer.printMetadata("var", N->getVariable());
2255   Printer.printMetadata("expr", N->getExpression());
2256   Out << ")";
2257 }
2258 
2259 static void writeDIObjCProperty(raw_ostream &Out, const DIObjCProperty *N,
2260                                 TypePrinting *TypePrinter, SlotTracker *Machine,
2261                                 const Module *Context) {
2262   Out << "!DIObjCProperty(";
2263   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2264   Printer.printString("name", N->getName());
2265   Printer.printMetadata("file", N->getRawFile());
2266   Printer.printInt("line", N->getLine());
2267   Printer.printString("setter", N->getSetterName());
2268   Printer.printString("getter", N->getGetterName());
2269   Printer.printInt("attributes", N->getAttributes());
2270   Printer.printMetadata("type", N->getRawType());
2271   Out << ")";
2272 }
2273 
2274 static void writeDIImportedEntity(raw_ostream &Out, const DIImportedEntity *N,
2275                                   TypePrinting *TypePrinter,
2276                                   SlotTracker *Machine, const Module *Context) {
2277   Out << "!DIImportedEntity(";
2278   MDFieldPrinter Printer(Out, TypePrinter, Machine, Context);
2279   Printer.printTag(N);
2280   Printer.printString("name", N->getName());
2281   Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2282   Printer.printMetadata("entity", N->getRawEntity());
2283   Printer.printMetadata("file", N->getRawFile());
2284   Printer.printInt("line", N->getLine());
2285   Out << ")";
2286 }
2287 
2288 static void WriteMDNodeBodyInternal(raw_ostream &Out, const MDNode *Node,
2289                                     TypePrinting *TypePrinter,
2290                                     SlotTracker *Machine,
2291                                     const Module *Context) {
2292   if (Node->isDistinct())
2293     Out << "distinct ";
2294   else if (Node->isTemporary())
2295     Out << "<temporary!> "; // Handle broken code.
2296 
2297   switch (Node->getMetadataID()) {
2298   default:
2299     llvm_unreachable("Expected uniquable MDNode");
2300 #define HANDLE_MDNODE_LEAF(CLASS)                                              \
2301   case Metadata::CLASS##Kind:                                                  \
2302     write##CLASS(Out, cast<CLASS>(Node), TypePrinter, Machine, Context);       \
2303     break;
2304 #include "llvm/IR/Metadata.def"
2305   }
2306 }
2307 
2308 // Full implementation of printing a Value as an operand with support for
2309 // TypePrinting, etc.
2310 static void WriteAsOperandInternal(raw_ostream &Out, const Value *V,
2311                                    TypePrinting *TypePrinter,
2312                                    SlotTracker *Machine,
2313                                    const Module *Context) {
2314   if (V->hasName()) {
2315     PrintLLVMName(Out, V);
2316     return;
2317   }
2318 
2319   const Constant *CV = dyn_cast<Constant>(V);
2320   if (CV && !isa<GlobalValue>(CV)) {
2321     assert(TypePrinter && "Constants require TypePrinting!");
2322     WriteConstantInternal(Out, CV, *TypePrinter, Machine, Context);
2323     return;
2324   }
2325 
2326   if (const InlineAsm *IA = dyn_cast<InlineAsm>(V)) {
2327     Out << "asm ";
2328     if (IA->hasSideEffects())
2329       Out << "sideeffect ";
2330     if (IA->isAlignStack())
2331       Out << "alignstack ";
2332     // We don't emit the AD_ATT dialect as it's the assumed default.
2333     if (IA->getDialect() == InlineAsm::AD_Intel)
2334       Out << "inteldialect ";
2335     Out << '"';
2336     printEscapedString(IA->getAsmString(), Out);
2337     Out << "\", \"";
2338     printEscapedString(IA->getConstraintString(), Out);
2339     Out << '"';
2340     return;
2341   }
2342 
2343   if (auto *MD = dyn_cast<MetadataAsValue>(V)) {
2344     WriteAsOperandInternal(Out, MD->getMetadata(), TypePrinter, Machine,
2345                            Context, /* FromValue */ true);
2346     return;
2347   }
2348 
2349   char Prefix = '%';
2350   int Slot;
2351   // If we have a SlotTracker, use it.
2352   if (Machine) {
2353     if (const GlobalValue *GV = dyn_cast<GlobalValue>(V)) {
2354       Slot = Machine->getGlobalSlot(GV);
2355       Prefix = '@';
2356     } else {
2357       Slot = Machine->getLocalSlot(V);
2358 
2359       // If the local value didn't succeed, then we may be referring to a value
2360       // from a different function.  Translate it, as this can happen when using
2361       // address of blocks.
2362       if (Slot == -1)
2363         if ((Machine = createSlotTracker(V))) {
2364           Slot = Machine->getLocalSlot(V);
2365           delete Machine;
2366         }
2367     }
2368   } else if ((Machine = createSlotTracker(V))) {
2369     // Otherwise, create one to get the # and then destroy it.
2370     if (const GlobalValue *GV = dyn_cast<GlobalValue>(V)) {
2371       Slot = Machine->getGlobalSlot(GV);
2372       Prefix = '@';
2373     } else {
2374       Slot = Machine->getLocalSlot(V);
2375     }
2376     delete Machine;
2377     Machine = nullptr;
2378   } else {
2379     Slot = -1;
2380   }
2381 
2382   if (Slot != -1)
2383     Out << Prefix << Slot;
2384   else
2385     Out << "<badref>";
2386 }
2387 
2388 static void WriteAsOperandInternal(raw_ostream &Out, const Metadata *MD,
2389                                    TypePrinting *TypePrinter,
2390                                    SlotTracker *Machine, const Module *Context,
2391                                    bool FromValue) {
2392   // Write DIExpressions inline when used as a value. Improves readability of
2393   // debug info intrinsics.
2394   if (const DIExpression *Expr = dyn_cast<DIExpression>(MD)) {
2395     writeDIExpression(Out, Expr, TypePrinter, Machine, Context);
2396     return;
2397   }
2398 
2399   if (const MDNode *N = dyn_cast<MDNode>(MD)) {
2400     std::unique_ptr<SlotTracker> MachineStorage;
2401     if (!Machine) {
2402       MachineStorage = std::make_unique<SlotTracker>(Context);
2403       Machine = MachineStorage.get();
2404     }
2405     int Slot = Machine->getMetadataSlot(N);
2406     if (Slot == -1) {
2407       if (const DILocation *Loc = dyn_cast<DILocation>(N)) {
2408         writeDILocation(Out, Loc, TypePrinter, Machine, Context);
2409         return;
2410       }
2411       // Give the pointer value instead of "badref", since this comes up all
2412       // the time when debugging.
2413       Out << "<" << N << ">";
2414     } else
2415       Out << '!' << Slot;
2416     return;
2417   }
2418 
2419   if (const MDString *MDS = dyn_cast<MDString>(MD)) {
2420     Out << "!\"";
2421     printEscapedString(MDS->getString(), Out);
2422     Out << '"';
2423     return;
2424   }
2425 
2426   auto *V = cast<ValueAsMetadata>(MD);
2427   assert(TypePrinter && "TypePrinter required for metadata values");
2428   assert((FromValue || !isa<LocalAsMetadata>(V)) &&
2429          "Unexpected function-local metadata outside of value argument");
2430 
2431   TypePrinter->print(V->getValue()->getType(), Out);
2432   Out << ' ';
2433   WriteAsOperandInternal(Out, V->getValue(), TypePrinter, Machine, Context);
2434 }
2435 
2436 namespace {
2437 
2438 class AssemblyWriter {
2439   formatted_raw_ostream &Out;
2440   const Module *TheModule = nullptr;
2441   const ModuleSummaryIndex *TheIndex = nullptr;
2442   std::unique_ptr<SlotTracker> SlotTrackerStorage;
2443   SlotTracker &Machine;
2444   TypePrinting TypePrinter;
2445   AssemblyAnnotationWriter *AnnotationWriter = nullptr;
2446   SetVector<const Comdat *> Comdats;
2447   bool IsForDebug;
2448   bool ShouldPreserveUseListOrder;
2449   UseListOrderStack UseListOrders;
2450   SmallVector<StringRef, 8> MDNames;
2451   /// Synchronization scope names registered with LLVMContext.
2452   SmallVector<StringRef, 8> SSNs;
2453   DenseMap<const GlobalValueSummary *, GlobalValue::GUID> SummaryToGUIDMap;
2454 
2455 public:
2456   /// Construct an AssemblyWriter with an external SlotTracker
2457   AssemblyWriter(formatted_raw_ostream &o, SlotTracker &Mac, const Module *M,
2458                  AssemblyAnnotationWriter *AAW, bool IsForDebug,
2459                  bool ShouldPreserveUseListOrder = false);
2460 
2461   AssemblyWriter(formatted_raw_ostream &o, SlotTracker &Mac,
2462                  const ModuleSummaryIndex *Index, bool IsForDebug);
2463 
2464   void printMDNodeBody(const MDNode *MD);
2465   void printNamedMDNode(const NamedMDNode *NMD);
2466 
2467   void printModule(const Module *M);
2468 
2469   void writeOperand(const Value *Op, bool PrintType);
2470   void writeParamOperand(const Value *Operand, AttributeSet Attrs);
2471   void writeOperandBundles(const CallBase *Call);
2472   void writeSyncScope(const LLVMContext &Context,
2473                       SyncScope::ID SSID);
2474   void writeAtomic(const LLVMContext &Context,
2475                    AtomicOrdering Ordering,
2476                    SyncScope::ID SSID);
2477   void writeAtomicCmpXchg(const LLVMContext &Context,
2478                           AtomicOrdering SuccessOrdering,
2479                           AtomicOrdering FailureOrdering,
2480                           SyncScope::ID SSID);
2481 
2482   void writeAllMDNodes();
2483   void writeMDNode(unsigned Slot, const MDNode *Node);
2484   void writeAttribute(const Attribute &Attr, bool InAttrGroup = false);
2485   void writeAttributeSet(const AttributeSet &AttrSet, bool InAttrGroup = false);
2486   void writeAllAttributeGroups();
2487 
2488   void printTypeIdentities();
2489   void printGlobal(const GlobalVariable *GV);
2490   void printIndirectSymbol(const GlobalIndirectSymbol *GIS);
2491   void printComdat(const Comdat *C);
2492   void printFunction(const Function *F);
2493   void printArgument(const Argument *FA, AttributeSet Attrs);
2494   void printBasicBlock(const BasicBlock *BB);
2495   void printInstructionLine(const Instruction &I);
2496   void printInstruction(const Instruction &I);
2497 
2498   void printUseListOrder(const UseListOrder &Order);
2499   void printUseLists(const Function *F);
2500 
2501   void printModuleSummaryIndex();
2502   void printSummaryInfo(unsigned Slot, const ValueInfo &VI);
2503   void printSummary(const GlobalValueSummary &Summary);
2504   void printAliasSummary(const AliasSummary *AS);
2505   void printGlobalVarSummary(const GlobalVarSummary *GS);
2506   void printFunctionSummary(const FunctionSummary *FS);
2507   void printTypeIdSummary(const TypeIdSummary &TIS);
2508   void printTypeIdCompatibleVtableSummary(const TypeIdCompatibleVtableInfo &TI);
2509   void printTypeTestResolution(const TypeTestResolution &TTRes);
2510   void printArgs(const std::vector<uint64_t> &Args);
2511   void printWPDRes(const WholeProgramDevirtResolution &WPDRes);
2512   void printTypeIdInfo(const FunctionSummary::TypeIdInfo &TIDInfo);
2513   void printVFuncId(const FunctionSummary::VFuncId VFId);
2514   void
2515   printNonConstVCalls(const std::vector<FunctionSummary::VFuncId> &VCallList,
2516                       const char *Tag);
2517   void
2518   printConstVCalls(const std::vector<FunctionSummary::ConstVCall> &VCallList,
2519                    const char *Tag);
2520 
2521 private:
2522   /// Print out metadata attachments.
2523   void printMetadataAttachments(
2524       const SmallVectorImpl<std::pair<unsigned, MDNode *>> &MDs,
2525       StringRef Separator);
2526 
2527   // printInfoComment - Print a little comment after the instruction indicating
2528   // which slot it occupies.
2529   void printInfoComment(const Value &V);
2530 
2531   // printGCRelocateComment - print comment after call to the gc.relocate
2532   // intrinsic indicating base and derived pointer names.
2533   void printGCRelocateComment(const GCRelocateInst &Relocate);
2534 };
2535 
2536 } // end anonymous namespace
2537 
2538 AssemblyWriter::AssemblyWriter(formatted_raw_ostream &o, SlotTracker &Mac,
2539                                const Module *M, AssemblyAnnotationWriter *AAW,
2540                                bool IsForDebug, bool ShouldPreserveUseListOrder)
2541     : Out(o), TheModule(M), Machine(Mac), TypePrinter(M), AnnotationWriter(AAW),
2542       IsForDebug(IsForDebug),
2543       ShouldPreserveUseListOrder(ShouldPreserveUseListOrder) {
2544   if (!TheModule)
2545     return;
2546   for (const GlobalObject &GO : TheModule->global_objects())
2547     if (const Comdat *C = GO.getComdat())
2548       Comdats.insert(C);
2549 }
2550 
2551 AssemblyWriter::AssemblyWriter(formatted_raw_ostream &o, SlotTracker &Mac,
2552                                const ModuleSummaryIndex *Index, bool IsForDebug)
2553     : Out(o), TheIndex(Index), Machine(Mac), TypePrinter(/*Module=*/nullptr),
2554       IsForDebug(IsForDebug), ShouldPreserveUseListOrder(false) {}
2555 
2556 void AssemblyWriter::writeOperand(const Value *Operand, bool PrintType) {
2557   if (!Operand) {
2558     Out << "<null operand!>";
2559     return;
2560   }
2561   if (PrintType) {
2562     TypePrinter.print(Operand->getType(), Out);
2563     Out << ' ';
2564   }
2565   WriteAsOperandInternal(Out, Operand, &TypePrinter, &Machine, TheModule);
2566 }
2567 
2568 void AssemblyWriter::writeSyncScope(const LLVMContext &Context,
2569                                     SyncScope::ID SSID) {
2570   switch (SSID) {
2571   case SyncScope::System: {
2572     break;
2573   }
2574   default: {
2575     if (SSNs.empty())
2576       Context.getSyncScopeNames(SSNs);
2577 
2578     Out << " syncscope(\"";
2579     printEscapedString(SSNs[SSID], Out);
2580     Out << "\")";
2581     break;
2582   }
2583   }
2584 }
2585 
2586 void AssemblyWriter::writeAtomic(const LLVMContext &Context,
2587                                  AtomicOrdering Ordering,
2588                                  SyncScope::ID SSID) {
2589   if (Ordering == AtomicOrdering::NotAtomic)
2590     return;
2591 
2592   writeSyncScope(Context, SSID);
2593   Out << " " << toIRString(Ordering);
2594 }
2595 
2596 void AssemblyWriter::writeAtomicCmpXchg(const LLVMContext &Context,
2597                                         AtomicOrdering SuccessOrdering,
2598                                         AtomicOrdering FailureOrdering,
2599                                         SyncScope::ID SSID) {
2600   assert(SuccessOrdering != AtomicOrdering::NotAtomic &&
2601          FailureOrdering != AtomicOrdering::NotAtomic);
2602 
2603   writeSyncScope(Context, SSID);
2604   Out << " " << toIRString(SuccessOrdering);
2605   Out << " " << toIRString(FailureOrdering);
2606 }
2607 
2608 void AssemblyWriter::writeParamOperand(const Value *Operand,
2609                                        AttributeSet Attrs) {
2610   if (!Operand) {
2611     Out << "<null operand!>";
2612     return;
2613   }
2614 
2615   // Print the type
2616   TypePrinter.print(Operand->getType(), Out);
2617   // Print parameter attributes list
2618   if (Attrs.hasAttributes()) {
2619     Out << ' ';
2620     writeAttributeSet(Attrs);
2621   }
2622   Out << ' ';
2623   // Print the operand
2624   WriteAsOperandInternal(Out, Operand, &TypePrinter, &Machine, TheModule);
2625 }
2626 
2627 void AssemblyWriter::writeOperandBundles(const CallBase *Call) {
2628   if (!Call->hasOperandBundles())
2629     return;
2630 
2631   Out << " [ ";
2632 
2633   bool FirstBundle = true;
2634   for (unsigned i = 0, e = Call->getNumOperandBundles(); i != e; ++i) {
2635     OperandBundleUse BU = Call->getOperandBundleAt(i);
2636 
2637     if (!FirstBundle)
2638       Out << ", ";
2639     FirstBundle = false;
2640 
2641     Out << '"';
2642     printEscapedString(BU.getTagName(), Out);
2643     Out << '"';
2644 
2645     Out << '(';
2646 
2647     bool FirstInput = true;
2648     for (const auto &Input : BU.Inputs) {
2649       if (!FirstInput)
2650         Out << ", ";
2651       FirstInput = false;
2652 
2653       TypePrinter.print(Input->getType(), Out);
2654       Out << " ";
2655       WriteAsOperandInternal(Out, Input, &TypePrinter, &Machine, TheModule);
2656     }
2657 
2658     Out << ')';
2659   }
2660 
2661   Out << " ]";
2662 }
2663 
2664 void AssemblyWriter::printModule(const Module *M) {
2665   Machine.initializeIfNeeded();
2666 
2667   if (ShouldPreserveUseListOrder)
2668     UseListOrders = predictUseListOrder(M);
2669 
2670   if (!M->getModuleIdentifier().empty() &&
2671       // Don't print the ID if it will start a new line (which would
2672       // require a comment char before it).
2673       M->getModuleIdentifier().find('\n') == std::string::npos)
2674     Out << "; ModuleID = '" << M->getModuleIdentifier() << "'\n";
2675 
2676   if (!M->getSourceFileName().empty()) {
2677     Out << "source_filename = \"";
2678     printEscapedString(M->getSourceFileName(), Out);
2679     Out << "\"\n";
2680   }
2681 
2682   const std::string &DL = M->getDataLayoutStr();
2683   if (!DL.empty())
2684     Out << "target datalayout = \"" << DL << "\"\n";
2685   if (!M->getTargetTriple().empty())
2686     Out << "target triple = \"" << M->getTargetTriple() << "\"\n";
2687 
2688   if (!M->getModuleInlineAsm().empty()) {
2689     Out << '\n';
2690 
2691     // Split the string into lines, to make it easier to read the .ll file.
2692     StringRef Asm = M->getModuleInlineAsm();
2693     do {
2694       StringRef Front;
2695       std::tie(Front, Asm) = Asm.split('\n');
2696 
2697       // We found a newline, print the portion of the asm string from the
2698       // last newline up to this newline.
2699       Out << "module asm \"";
2700       printEscapedString(Front, Out);
2701       Out << "\"\n";
2702     } while (!Asm.empty());
2703   }
2704 
2705   printTypeIdentities();
2706 
2707   // Output all comdats.
2708   if (!Comdats.empty())
2709     Out << '\n';
2710   for (const Comdat *C : Comdats) {
2711     printComdat(C);
2712     if (C != Comdats.back())
2713       Out << '\n';
2714   }
2715 
2716   // Output all globals.
2717   if (!M->global_empty()) Out << '\n';
2718   for (const GlobalVariable &GV : M->globals()) {
2719     printGlobal(&GV); Out << '\n';
2720   }
2721 
2722   // Output all aliases.
2723   if (!M->alias_empty()) Out << "\n";
2724   for (const GlobalAlias &GA : M->aliases())
2725     printIndirectSymbol(&GA);
2726 
2727   // Output all ifuncs.
2728   if (!M->ifunc_empty()) Out << "\n";
2729   for (const GlobalIFunc &GI : M->ifuncs())
2730     printIndirectSymbol(&GI);
2731 
2732   // Output global use-lists.
2733   printUseLists(nullptr);
2734 
2735   // Output all of the functions.
2736   for (const Function &F : *M) {
2737     Out << '\n';
2738     printFunction(&F);
2739   }
2740   assert(UseListOrders.empty() && "All use-lists should have been consumed");
2741 
2742   // Output all attribute groups.
2743   if (!Machine.as_empty()) {
2744     Out << '\n';
2745     writeAllAttributeGroups();
2746   }
2747 
2748   // Output named metadata.
2749   if (!M->named_metadata_empty()) Out << '\n';
2750 
2751   for (const NamedMDNode &Node : M->named_metadata())
2752     printNamedMDNode(&Node);
2753 
2754   // Output metadata.
2755   if (!Machine.mdn_empty()) {
2756     Out << '\n';
2757     writeAllMDNodes();
2758   }
2759 }
2760 
2761 void AssemblyWriter::printModuleSummaryIndex() {
2762   assert(TheIndex);
2763   int NumSlots = Machine.initializeIndexIfNeeded();
2764 
2765   Out << "\n";
2766 
2767   // Print module path entries. To print in order, add paths to a vector
2768   // indexed by module slot.
2769   std::vector<std::pair<std::string, ModuleHash>> moduleVec;
2770   std::string RegularLTOModuleName =
2771       ModuleSummaryIndex::getRegularLTOModuleName();
2772   moduleVec.resize(TheIndex->modulePaths().size());
2773   for (auto &ModPath : TheIndex->modulePaths())
2774     moduleVec[Machine.getModulePathSlot(ModPath.first())] = std::make_pair(
2775         // A module id of -1 is a special entry for a regular LTO module created
2776         // during the thin link.
2777         ModPath.second.first == -1u ? RegularLTOModuleName
2778                                     : (std::string)std::string(ModPath.first()),
2779         ModPath.second.second);
2780 
2781   unsigned i = 0;
2782   for (auto &ModPair : moduleVec) {
2783     Out << "^" << i++ << " = module: (";
2784     Out << "path: \"";
2785     printEscapedString(ModPair.first, Out);
2786     Out << "\", hash: (";
2787     FieldSeparator FS;
2788     for (auto Hash : ModPair.second)
2789       Out << FS << Hash;
2790     Out << "))\n";
2791   }
2792 
2793   // FIXME: Change AliasSummary to hold a ValueInfo instead of summary pointer
2794   // for aliasee (then update BitcodeWriter.cpp and remove get/setAliaseeGUID).
2795   for (auto &GlobalList : *TheIndex) {
2796     auto GUID = GlobalList.first;
2797     for (auto &Summary : GlobalList.second.SummaryList)
2798       SummaryToGUIDMap[Summary.get()] = GUID;
2799   }
2800 
2801   // Print the global value summary entries.
2802   for (auto &GlobalList : *TheIndex) {
2803     auto GUID = GlobalList.first;
2804     auto VI = TheIndex->getValueInfo(GlobalList);
2805     printSummaryInfo(Machine.getGUIDSlot(GUID), VI);
2806   }
2807 
2808   // Print the TypeIdMap entries.
2809   for (auto TidIter = TheIndex->typeIds().begin();
2810        TidIter != TheIndex->typeIds().end(); TidIter++) {
2811     Out << "^" << Machine.getTypeIdSlot(TidIter->second.first)
2812         << " = typeid: (name: \"" << TidIter->second.first << "\"";
2813     printTypeIdSummary(TidIter->second.second);
2814     Out << ") ; guid = " << TidIter->first << "\n";
2815   }
2816 
2817   // Print the TypeIdCompatibleVtableMap entries.
2818   for (auto &TId : TheIndex->typeIdCompatibleVtableMap()) {
2819     auto GUID = GlobalValue::getGUID(TId.first);
2820     Out << "^" << Machine.getGUIDSlot(GUID)
2821         << " = typeidCompatibleVTable: (name: \"" << TId.first << "\"";
2822     printTypeIdCompatibleVtableSummary(TId.second);
2823     Out << ") ; guid = " << GUID << "\n";
2824   }
2825 
2826   // Don't emit flags when it's not really needed (value is zero by default).
2827   if (TheIndex->getFlags()) {
2828     Out << "^" << NumSlots << " = flags: " << TheIndex->getFlags() << "\n";
2829     ++NumSlots;
2830   }
2831 
2832   Out << "^" << NumSlots << " = blockcount: " << TheIndex->getBlockCount()
2833       << "\n";
2834 }
2835 
2836 static const char *
2837 getWholeProgDevirtResKindName(WholeProgramDevirtResolution::Kind K) {
2838   switch (K) {
2839   case WholeProgramDevirtResolution::Indir:
2840     return "indir";
2841   case WholeProgramDevirtResolution::SingleImpl:
2842     return "singleImpl";
2843   case WholeProgramDevirtResolution::BranchFunnel:
2844     return "branchFunnel";
2845   }
2846   llvm_unreachable("invalid WholeProgramDevirtResolution kind");
2847 }
2848 
2849 static const char *getWholeProgDevirtResByArgKindName(
2850     WholeProgramDevirtResolution::ByArg::Kind K) {
2851   switch (K) {
2852   case WholeProgramDevirtResolution::ByArg::Indir:
2853     return "indir";
2854   case WholeProgramDevirtResolution::ByArg::UniformRetVal:
2855     return "uniformRetVal";
2856   case WholeProgramDevirtResolution::ByArg::UniqueRetVal:
2857     return "uniqueRetVal";
2858   case WholeProgramDevirtResolution::ByArg::VirtualConstProp:
2859     return "virtualConstProp";
2860   }
2861   llvm_unreachable("invalid WholeProgramDevirtResolution::ByArg kind");
2862 }
2863 
2864 static const char *getTTResKindName(TypeTestResolution::Kind K) {
2865   switch (K) {
2866   case TypeTestResolution::Unknown:
2867     return "unknown";
2868   case TypeTestResolution::Unsat:
2869     return "unsat";
2870   case TypeTestResolution::ByteArray:
2871     return "byteArray";
2872   case TypeTestResolution::Inline:
2873     return "inline";
2874   case TypeTestResolution::Single:
2875     return "single";
2876   case TypeTestResolution::AllOnes:
2877     return "allOnes";
2878   }
2879   llvm_unreachable("invalid TypeTestResolution kind");
2880 }
2881 
2882 void AssemblyWriter::printTypeTestResolution(const TypeTestResolution &TTRes) {
2883   Out << "typeTestRes: (kind: " << getTTResKindName(TTRes.TheKind)
2884       << ", sizeM1BitWidth: " << TTRes.SizeM1BitWidth;
2885 
2886   // The following fields are only used if the target does not support the use
2887   // of absolute symbols to store constants. Print only if non-zero.
2888   if (TTRes.AlignLog2)
2889     Out << ", alignLog2: " << TTRes.AlignLog2;
2890   if (TTRes.SizeM1)
2891     Out << ", sizeM1: " << TTRes.SizeM1;
2892   if (TTRes.BitMask)
2893     // BitMask is uint8_t which causes it to print the corresponding char.
2894     Out << ", bitMask: " << (unsigned)TTRes.BitMask;
2895   if (TTRes.InlineBits)
2896     Out << ", inlineBits: " << TTRes.InlineBits;
2897 
2898   Out << ")";
2899 }
2900 
2901 void AssemblyWriter::printTypeIdSummary(const TypeIdSummary &TIS) {
2902   Out << ", summary: (";
2903   printTypeTestResolution(TIS.TTRes);
2904   if (!TIS.WPDRes.empty()) {
2905     Out << ", wpdResolutions: (";
2906     FieldSeparator FS;
2907     for (auto &WPDRes : TIS.WPDRes) {
2908       Out << FS;
2909       Out << "(offset: " << WPDRes.first << ", ";
2910       printWPDRes(WPDRes.second);
2911       Out << ")";
2912     }
2913     Out << ")";
2914   }
2915   Out << ")";
2916 }
2917 
2918 void AssemblyWriter::printTypeIdCompatibleVtableSummary(
2919     const TypeIdCompatibleVtableInfo &TI) {
2920   Out << ", summary: (";
2921   FieldSeparator FS;
2922   for (auto &P : TI) {
2923     Out << FS;
2924     Out << "(offset: " << P.AddressPointOffset << ", ";
2925     Out << "^" << Machine.getGUIDSlot(P.VTableVI.getGUID());
2926     Out << ")";
2927   }
2928   Out << ")";
2929 }
2930 
2931 void AssemblyWriter::printArgs(const std::vector<uint64_t> &Args) {
2932   Out << "args: (";
2933   FieldSeparator FS;
2934   for (auto arg : Args) {
2935     Out << FS;
2936     Out << arg;
2937   }
2938   Out << ")";
2939 }
2940 
2941 void AssemblyWriter::printWPDRes(const WholeProgramDevirtResolution &WPDRes) {
2942   Out << "wpdRes: (kind: ";
2943   Out << getWholeProgDevirtResKindName(WPDRes.TheKind);
2944 
2945   if (WPDRes.TheKind == WholeProgramDevirtResolution::SingleImpl)
2946     Out << ", singleImplName: \"" << WPDRes.SingleImplName << "\"";
2947 
2948   if (!WPDRes.ResByArg.empty()) {
2949     Out << ", resByArg: (";
2950     FieldSeparator FS;
2951     for (auto &ResByArg : WPDRes.ResByArg) {
2952       Out << FS;
2953       printArgs(ResByArg.first);
2954       Out << ", byArg: (kind: ";
2955       Out << getWholeProgDevirtResByArgKindName(ResByArg.second.TheKind);
2956       if (ResByArg.second.TheKind ==
2957               WholeProgramDevirtResolution::ByArg::UniformRetVal ||
2958           ResByArg.second.TheKind ==
2959               WholeProgramDevirtResolution::ByArg::UniqueRetVal)
2960         Out << ", info: " << ResByArg.second.Info;
2961 
2962       // The following fields are only used if the target does not support the
2963       // use of absolute symbols to store constants. Print only if non-zero.
2964       if (ResByArg.second.Byte || ResByArg.second.Bit)
2965         Out << ", byte: " << ResByArg.second.Byte
2966             << ", bit: " << ResByArg.second.Bit;
2967 
2968       Out << ")";
2969     }
2970     Out << ")";
2971   }
2972   Out << ")";
2973 }
2974 
2975 static const char *getSummaryKindName(GlobalValueSummary::SummaryKind SK) {
2976   switch (SK) {
2977   case GlobalValueSummary::AliasKind:
2978     return "alias";
2979   case GlobalValueSummary::FunctionKind:
2980     return "function";
2981   case GlobalValueSummary::GlobalVarKind:
2982     return "variable";
2983   }
2984   llvm_unreachable("invalid summary kind");
2985 }
2986 
2987 void AssemblyWriter::printAliasSummary(const AliasSummary *AS) {
2988   Out << ", aliasee: ";
2989   // The indexes emitted for distributed backends may not include the
2990   // aliasee summary (only if it is being imported directly). Handle
2991   // that case by just emitting "null" as the aliasee.
2992   if (AS->hasAliasee())
2993     Out << "^" << Machine.getGUIDSlot(SummaryToGUIDMap[&AS->getAliasee()]);
2994   else
2995     Out << "null";
2996 }
2997 
2998 void AssemblyWriter::printGlobalVarSummary(const GlobalVarSummary *GS) {
2999   auto VTableFuncs = GS->vTableFuncs();
3000   Out << ", varFlags: (readonly: " << GS->VarFlags.MaybeReadOnly << ", "
3001       << "writeonly: " << GS->VarFlags.MaybeWriteOnly << ", "
3002       << "constant: " << GS->VarFlags.Constant;
3003   if (!VTableFuncs.empty())
3004     Out << ", "
3005         << "vcall_visibility: " << GS->VarFlags.VCallVisibility;
3006   Out << ")";
3007 
3008   if (!VTableFuncs.empty()) {
3009     Out << ", vTableFuncs: (";
3010     FieldSeparator FS;
3011     for (auto &P : VTableFuncs) {
3012       Out << FS;
3013       Out << "(virtFunc: ^" << Machine.getGUIDSlot(P.FuncVI.getGUID())
3014           << ", offset: " << P.VTableOffset;
3015       Out << ")";
3016     }
3017     Out << ")";
3018   }
3019 }
3020 
3021 static std::string getLinkageName(GlobalValue::LinkageTypes LT) {
3022   switch (LT) {
3023   case GlobalValue::ExternalLinkage:
3024     return "external";
3025   case GlobalValue::PrivateLinkage:
3026     return "private";
3027   case GlobalValue::InternalLinkage:
3028     return "internal";
3029   case GlobalValue::LinkOnceAnyLinkage:
3030     return "linkonce";
3031   case GlobalValue::LinkOnceODRLinkage:
3032     return "linkonce_odr";
3033   case GlobalValue::WeakAnyLinkage:
3034     return "weak";
3035   case GlobalValue::WeakODRLinkage:
3036     return "weak_odr";
3037   case GlobalValue::CommonLinkage:
3038     return "common";
3039   case GlobalValue::AppendingLinkage:
3040     return "appending";
3041   case GlobalValue::ExternalWeakLinkage:
3042     return "extern_weak";
3043   case GlobalValue::AvailableExternallyLinkage:
3044     return "available_externally";
3045   }
3046   llvm_unreachable("invalid linkage");
3047 }
3048 
3049 // When printing the linkage types in IR where the ExternalLinkage is
3050 // not printed, and other linkage types are expected to be printed with
3051 // a space after the name.
3052 static std::string getLinkageNameWithSpace(GlobalValue::LinkageTypes LT) {
3053   if (LT == GlobalValue::ExternalLinkage)
3054     return "";
3055   return getLinkageName(LT) + " ";
3056 }
3057 
3058 void AssemblyWriter::printFunctionSummary(const FunctionSummary *FS) {
3059   Out << ", insts: " << FS->instCount();
3060 
3061   FunctionSummary::FFlags FFlags = FS->fflags();
3062   if (FFlags.ReadNone | FFlags.ReadOnly | FFlags.NoRecurse |
3063       FFlags.ReturnDoesNotAlias | FFlags.NoInline | FFlags.AlwaysInline) {
3064     Out << ", funcFlags: (";
3065     Out << "readNone: " << FFlags.ReadNone;
3066     Out << ", readOnly: " << FFlags.ReadOnly;
3067     Out << ", noRecurse: " << FFlags.NoRecurse;
3068     Out << ", returnDoesNotAlias: " << FFlags.ReturnDoesNotAlias;
3069     Out << ", noInline: " << FFlags.NoInline;
3070     Out << ", alwaysInline: " << FFlags.AlwaysInline;
3071     Out << ")";
3072   }
3073   if (!FS->calls().empty()) {
3074     Out << ", calls: (";
3075     FieldSeparator IFS;
3076     for (auto &Call : FS->calls()) {
3077       Out << IFS;
3078       Out << "(callee: ^" << Machine.getGUIDSlot(Call.first.getGUID());
3079       if (Call.second.getHotness() != CalleeInfo::HotnessType::Unknown)
3080         Out << ", hotness: " << getHotnessName(Call.second.getHotness());
3081       else if (Call.second.RelBlockFreq)
3082         Out << ", relbf: " << Call.second.RelBlockFreq;
3083       Out << ")";
3084     }
3085     Out << ")";
3086   }
3087 
3088   if (const auto *TIdInfo = FS->getTypeIdInfo())
3089     printTypeIdInfo(*TIdInfo);
3090 
3091   auto PrintRange = [&](const ConstantRange &Range) {
3092     Out << "[" << Range.getLower() << ", " << Range.getSignedMax() << "]";
3093   };
3094 
3095   if (!FS->paramAccesses().empty()) {
3096     Out << ", params: (";
3097     FieldSeparator IFS;
3098     for (auto &PS : FS->paramAccesses()) {
3099       Out << IFS;
3100       Out << "(param: " << PS.ParamNo;
3101       Out << ", offset: ";
3102       PrintRange(PS.Use);
3103       if (!PS.Calls.empty()) {
3104         Out << ", calls: (";
3105         FieldSeparator IFS;
3106         for (auto &Call : PS.Calls) {
3107           Out << IFS;
3108           Out << "(callee: ^" << Machine.getGUIDSlot(Call.Callee);
3109           Out << ", param: " << Call.ParamNo;
3110           Out << ", offset: ";
3111           PrintRange(Call.Offsets);
3112           Out << ")";
3113         }
3114         Out << ")";
3115       }
3116       Out << ")";
3117     }
3118     Out << ")";
3119   }
3120 }
3121 
3122 void AssemblyWriter::printTypeIdInfo(
3123     const FunctionSummary::TypeIdInfo &TIDInfo) {
3124   Out << ", typeIdInfo: (";
3125   FieldSeparator TIDFS;
3126   if (!TIDInfo.TypeTests.empty()) {
3127     Out << TIDFS;
3128     Out << "typeTests: (";
3129     FieldSeparator FS;
3130     for (auto &GUID : TIDInfo.TypeTests) {
3131       auto TidIter = TheIndex->typeIds().equal_range(GUID);
3132       if (TidIter.first == TidIter.second) {
3133         Out << FS;
3134         Out << GUID;
3135         continue;
3136       }
3137       // Print all type id that correspond to this GUID.
3138       for (auto It = TidIter.first; It != TidIter.second; ++It) {
3139         Out << FS;
3140         auto Slot = Machine.getTypeIdSlot(It->second.first);
3141         assert(Slot != -1);
3142         Out << "^" << Slot;
3143       }
3144     }
3145     Out << ")";
3146   }
3147   if (!TIDInfo.TypeTestAssumeVCalls.empty()) {
3148     Out << TIDFS;
3149     printNonConstVCalls(TIDInfo.TypeTestAssumeVCalls, "typeTestAssumeVCalls");
3150   }
3151   if (!TIDInfo.TypeCheckedLoadVCalls.empty()) {
3152     Out << TIDFS;
3153     printNonConstVCalls(TIDInfo.TypeCheckedLoadVCalls, "typeCheckedLoadVCalls");
3154   }
3155   if (!TIDInfo.TypeTestAssumeConstVCalls.empty()) {
3156     Out << TIDFS;
3157     printConstVCalls(TIDInfo.TypeTestAssumeConstVCalls,
3158                      "typeTestAssumeConstVCalls");
3159   }
3160   if (!TIDInfo.TypeCheckedLoadConstVCalls.empty()) {
3161     Out << TIDFS;
3162     printConstVCalls(TIDInfo.TypeCheckedLoadConstVCalls,
3163                      "typeCheckedLoadConstVCalls");
3164   }
3165   Out << ")";
3166 }
3167 
3168 void AssemblyWriter::printVFuncId(const FunctionSummary::VFuncId VFId) {
3169   auto TidIter = TheIndex->typeIds().equal_range(VFId.GUID);
3170   if (TidIter.first == TidIter.second) {
3171     Out << "vFuncId: (";
3172     Out << "guid: " << VFId.GUID;
3173     Out << ", offset: " << VFId.Offset;
3174     Out << ")";
3175     return;
3176   }
3177   // Print all type id that correspond to this GUID.
3178   FieldSeparator FS;
3179   for (auto It = TidIter.first; It != TidIter.second; ++It) {
3180     Out << FS;
3181     Out << "vFuncId: (";
3182     auto Slot = Machine.getTypeIdSlot(It->second.first);
3183     assert(Slot != -1);
3184     Out << "^" << Slot;
3185     Out << ", offset: " << VFId.Offset;
3186     Out << ")";
3187   }
3188 }
3189 
3190 void AssemblyWriter::printNonConstVCalls(
3191     const std::vector<FunctionSummary::VFuncId> &VCallList, const char *Tag) {
3192   Out << Tag << ": (";
3193   FieldSeparator FS;
3194   for (auto &VFuncId : VCallList) {
3195     Out << FS;
3196     printVFuncId(VFuncId);
3197   }
3198   Out << ")";
3199 }
3200 
3201 void AssemblyWriter::printConstVCalls(
3202     const std::vector<FunctionSummary::ConstVCall> &VCallList,
3203     const char *Tag) {
3204   Out << Tag << ": (";
3205   FieldSeparator FS;
3206   for (auto &ConstVCall : VCallList) {
3207     Out << FS;
3208     Out << "(";
3209     printVFuncId(ConstVCall.VFunc);
3210     if (!ConstVCall.Args.empty()) {
3211       Out << ", ";
3212       printArgs(ConstVCall.Args);
3213     }
3214     Out << ")";
3215   }
3216   Out << ")";
3217 }
3218 
3219 void AssemblyWriter::printSummary(const GlobalValueSummary &Summary) {
3220   GlobalValueSummary::GVFlags GVFlags = Summary.flags();
3221   GlobalValue::LinkageTypes LT = (GlobalValue::LinkageTypes)GVFlags.Linkage;
3222   Out << getSummaryKindName(Summary.getSummaryKind()) << ": ";
3223   Out << "(module: ^" << Machine.getModulePathSlot(Summary.modulePath())
3224       << ", flags: (";
3225   Out << "linkage: " << getLinkageName(LT);
3226   Out << ", notEligibleToImport: " << GVFlags.NotEligibleToImport;
3227   Out << ", live: " << GVFlags.Live;
3228   Out << ", dsoLocal: " << GVFlags.DSOLocal;
3229   Out << ", canAutoHide: " << GVFlags.CanAutoHide;
3230   Out << ")";
3231 
3232   if (Summary.getSummaryKind() == GlobalValueSummary::AliasKind)
3233     printAliasSummary(cast<AliasSummary>(&Summary));
3234   else if (Summary.getSummaryKind() == GlobalValueSummary::FunctionKind)
3235     printFunctionSummary(cast<FunctionSummary>(&Summary));
3236   else
3237     printGlobalVarSummary(cast<GlobalVarSummary>(&Summary));
3238 
3239   auto RefList = Summary.refs();
3240   if (!RefList.empty()) {
3241     Out << ", refs: (";
3242     FieldSeparator FS;
3243     for (auto &Ref : RefList) {
3244       Out << FS;
3245       if (Ref.isReadOnly())
3246         Out << "readonly ";
3247       else if (Ref.isWriteOnly())
3248         Out << "writeonly ";
3249       Out << "^" << Machine.getGUIDSlot(Ref.getGUID());
3250     }
3251     Out << ")";
3252   }
3253 
3254   Out << ")";
3255 }
3256 
3257 void AssemblyWriter::printSummaryInfo(unsigned Slot, const ValueInfo &VI) {
3258   Out << "^" << Slot << " = gv: (";
3259   if (!VI.name().empty())
3260     Out << "name: \"" << VI.name() << "\"";
3261   else
3262     Out << "guid: " << VI.getGUID();
3263   if (!VI.getSummaryList().empty()) {
3264     Out << ", summaries: (";
3265     FieldSeparator FS;
3266     for (auto &Summary : VI.getSummaryList()) {
3267       Out << FS;
3268       printSummary(*Summary);
3269     }
3270     Out << ")";
3271   }
3272   Out << ")";
3273   if (!VI.name().empty())
3274     Out << " ; guid = " << VI.getGUID();
3275   Out << "\n";
3276 }
3277 
3278 static void printMetadataIdentifier(StringRef Name,
3279                                     formatted_raw_ostream &Out) {
3280   if (Name.empty()) {
3281     Out << "<empty name> ";
3282   } else {
3283     if (isalpha(static_cast<unsigned char>(Name[0])) || Name[0] == '-' ||
3284         Name[0] == '$' || Name[0] == '.' || Name[0] == '_')
3285       Out << Name[0];
3286     else
3287       Out << '\\' << hexdigit(Name[0] >> 4) << hexdigit(Name[0] & 0x0F);
3288     for (unsigned i = 1, e = Name.size(); i != e; ++i) {
3289       unsigned char C = Name[i];
3290       if (isalnum(static_cast<unsigned char>(C)) || C == '-' || C == '$' ||
3291           C == '.' || C == '_')
3292         Out << C;
3293       else
3294         Out << '\\' << hexdigit(C >> 4) << hexdigit(C & 0x0F);
3295     }
3296   }
3297 }
3298 
3299 void AssemblyWriter::printNamedMDNode(const NamedMDNode *NMD) {
3300   Out << '!';
3301   printMetadataIdentifier(NMD->getName(), Out);
3302   Out << " = !{";
3303   for (unsigned i = 0, e = NMD->getNumOperands(); i != e; ++i) {
3304     if (i)
3305       Out << ", ";
3306 
3307     // Write DIExpressions inline.
3308     // FIXME: Ban DIExpressions in NamedMDNodes, they will serve no purpose.
3309     MDNode *Op = NMD->getOperand(i);
3310     if (auto *Expr = dyn_cast<DIExpression>(Op)) {
3311       writeDIExpression(Out, Expr, nullptr, nullptr, nullptr);
3312       continue;
3313     }
3314 
3315     int Slot = Machine.getMetadataSlot(Op);
3316     if (Slot == -1)
3317       Out << "<badref>";
3318     else
3319       Out << '!' << Slot;
3320   }
3321   Out << "}\n";
3322 }
3323 
3324 static void PrintVisibility(GlobalValue::VisibilityTypes Vis,
3325                             formatted_raw_ostream &Out) {
3326   switch (Vis) {
3327   case GlobalValue::DefaultVisibility: break;
3328   case GlobalValue::HiddenVisibility:    Out << "hidden "; break;
3329   case GlobalValue::ProtectedVisibility: Out << "protected "; break;
3330   }
3331 }
3332 
3333 static void PrintDSOLocation(const GlobalValue &GV,
3334                              formatted_raw_ostream &Out) {
3335   if (GV.isDSOLocal() && !GV.isImplicitDSOLocal())
3336     Out << "dso_local ";
3337 }
3338 
3339 static void PrintDLLStorageClass(GlobalValue::DLLStorageClassTypes SCT,
3340                                  formatted_raw_ostream &Out) {
3341   switch (SCT) {
3342   case GlobalValue::DefaultStorageClass: break;
3343   case GlobalValue::DLLImportStorageClass: Out << "dllimport "; break;
3344   case GlobalValue::DLLExportStorageClass: Out << "dllexport "; break;
3345   }
3346 }
3347 
3348 static void PrintThreadLocalModel(GlobalVariable::ThreadLocalMode TLM,
3349                                   formatted_raw_ostream &Out) {
3350   switch (TLM) {
3351     case GlobalVariable::NotThreadLocal:
3352       break;
3353     case GlobalVariable::GeneralDynamicTLSModel:
3354       Out << "thread_local ";
3355       break;
3356     case GlobalVariable::LocalDynamicTLSModel:
3357       Out << "thread_local(localdynamic) ";
3358       break;
3359     case GlobalVariable::InitialExecTLSModel:
3360       Out << "thread_local(initialexec) ";
3361       break;
3362     case GlobalVariable::LocalExecTLSModel:
3363       Out << "thread_local(localexec) ";
3364       break;
3365   }
3366 }
3367 
3368 static StringRef getUnnamedAddrEncoding(GlobalVariable::UnnamedAddr UA) {
3369   switch (UA) {
3370   case GlobalVariable::UnnamedAddr::None:
3371     return "";
3372   case GlobalVariable::UnnamedAddr::Local:
3373     return "local_unnamed_addr";
3374   case GlobalVariable::UnnamedAddr::Global:
3375     return "unnamed_addr";
3376   }
3377   llvm_unreachable("Unknown UnnamedAddr");
3378 }
3379 
3380 static void maybePrintComdat(formatted_raw_ostream &Out,
3381                              const GlobalObject &GO) {
3382   const Comdat *C = GO.getComdat();
3383   if (!C)
3384     return;
3385 
3386   if (isa<GlobalVariable>(GO))
3387     Out << ',';
3388   Out << " comdat";
3389 
3390   if (GO.getName() == C->getName())
3391     return;
3392 
3393   Out << '(';
3394   PrintLLVMName(Out, C->getName(), ComdatPrefix);
3395   Out << ')';
3396 }
3397 
3398 void AssemblyWriter::printGlobal(const GlobalVariable *GV) {
3399   if (GV->isMaterializable())
3400     Out << "; Materializable\n";
3401 
3402   WriteAsOperandInternal(Out, GV, &TypePrinter, &Machine, GV->getParent());
3403   Out << " = ";
3404 
3405   if (!GV->hasInitializer() && GV->hasExternalLinkage())
3406     Out << "external ";
3407 
3408   Out << getLinkageNameWithSpace(GV->getLinkage());
3409   PrintDSOLocation(*GV, Out);
3410   PrintVisibility(GV->getVisibility(), Out);
3411   PrintDLLStorageClass(GV->getDLLStorageClass(), Out);
3412   PrintThreadLocalModel(GV->getThreadLocalMode(), Out);
3413   StringRef UA = getUnnamedAddrEncoding(GV->getUnnamedAddr());
3414   if (!UA.empty())
3415       Out << UA << ' ';
3416 
3417   if (unsigned AddressSpace = GV->getType()->getAddressSpace())
3418     Out << "addrspace(" << AddressSpace << ") ";
3419   if (GV->isExternallyInitialized()) Out << "externally_initialized ";
3420   Out << (GV->isConstant() ? "constant " : "global ");
3421   TypePrinter.print(GV->getValueType(), Out);
3422 
3423   if (GV->hasInitializer()) {
3424     Out << ' ';
3425     writeOperand(GV->getInitializer(), false);
3426   }
3427 
3428   if (GV->hasSection()) {
3429     Out << ", section \"";
3430     printEscapedString(GV->getSection(), Out);
3431     Out << '"';
3432   }
3433   if (GV->hasPartition()) {
3434     Out << ", partition \"";
3435     printEscapedString(GV->getPartition(), Out);
3436     Out << '"';
3437   }
3438 
3439   maybePrintComdat(Out, *GV);
3440   if (GV->getAlignment())
3441     Out << ", align " << GV->getAlignment();
3442 
3443   SmallVector<std::pair<unsigned, MDNode *>, 4> MDs;
3444   GV->getAllMetadata(MDs);
3445   printMetadataAttachments(MDs, ", ");
3446 
3447   auto Attrs = GV->getAttributes();
3448   if (Attrs.hasAttributes())
3449     Out << " #" << Machine.getAttributeGroupSlot(Attrs);
3450 
3451   printInfoComment(*GV);
3452 }
3453 
3454 void AssemblyWriter::printIndirectSymbol(const GlobalIndirectSymbol *GIS) {
3455   if (GIS->isMaterializable())
3456     Out << "; Materializable\n";
3457 
3458   WriteAsOperandInternal(Out, GIS, &TypePrinter, &Machine, GIS->getParent());
3459   Out << " = ";
3460 
3461   Out << getLinkageNameWithSpace(GIS->getLinkage());
3462   PrintDSOLocation(*GIS, Out);
3463   PrintVisibility(GIS->getVisibility(), Out);
3464   PrintDLLStorageClass(GIS->getDLLStorageClass(), Out);
3465   PrintThreadLocalModel(GIS->getThreadLocalMode(), Out);
3466   StringRef UA = getUnnamedAddrEncoding(GIS->getUnnamedAddr());
3467   if (!UA.empty())
3468       Out << UA << ' ';
3469 
3470   if (isa<GlobalAlias>(GIS))
3471     Out << "alias ";
3472   else if (isa<GlobalIFunc>(GIS))
3473     Out << "ifunc ";
3474   else
3475     llvm_unreachable("Not an alias or ifunc!");
3476 
3477   TypePrinter.print(GIS->getValueType(), Out);
3478 
3479   Out << ", ";
3480 
3481   const Constant *IS = GIS->getIndirectSymbol();
3482 
3483   if (!IS) {
3484     TypePrinter.print(GIS->getType(), Out);
3485     Out << " <<NULL ALIASEE>>";
3486   } else {
3487     writeOperand(IS, !isa<ConstantExpr>(IS));
3488   }
3489 
3490   if (GIS->hasPartition()) {
3491     Out << ", partition \"";
3492     printEscapedString(GIS->getPartition(), Out);
3493     Out << '"';
3494   }
3495 
3496   printInfoComment(*GIS);
3497   Out << '\n';
3498 }
3499 
3500 void AssemblyWriter::printComdat(const Comdat *C) {
3501   C->print(Out);
3502 }
3503 
3504 void AssemblyWriter::printTypeIdentities() {
3505   if (TypePrinter.empty())
3506     return;
3507 
3508   Out << '\n';
3509 
3510   // Emit all numbered types.
3511   auto &NumberedTypes = TypePrinter.getNumberedTypes();
3512   for (unsigned I = 0, E = NumberedTypes.size(); I != E; ++I) {
3513     Out << '%' << I << " = type ";
3514 
3515     // Make sure we print out at least one level of the type structure, so
3516     // that we do not get %2 = type %2
3517     TypePrinter.printStructBody(NumberedTypes[I], Out);
3518     Out << '\n';
3519   }
3520 
3521   auto &NamedTypes = TypePrinter.getNamedTypes();
3522   for (unsigned I = 0, E = NamedTypes.size(); I != E; ++I) {
3523     PrintLLVMName(Out, NamedTypes[I]->getName(), LocalPrefix);
3524     Out << " = type ";
3525 
3526     // Make sure we print out at least one level of the type structure, so
3527     // that we do not get %FILE = type %FILE
3528     TypePrinter.printStructBody(NamedTypes[I], Out);
3529     Out << '\n';
3530   }
3531 }
3532 
3533 /// printFunction - Print all aspects of a function.
3534 void AssemblyWriter::printFunction(const Function *F) {
3535   if (AnnotationWriter) AnnotationWriter->emitFunctionAnnot(F, Out);
3536 
3537   if (F->isMaterializable())
3538     Out << "; Materializable\n";
3539 
3540   const AttributeList &Attrs = F->getAttributes();
3541   if (Attrs.hasAttributes(AttributeList::FunctionIndex)) {
3542     AttributeSet AS = Attrs.getFnAttributes();
3543     std::string AttrStr;
3544 
3545     for (const Attribute &Attr : AS) {
3546       if (!Attr.isStringAttribute()) {
3547         if (!AttrStr.empty()) AttrStr += ' ';
3548         AttrStr += Attr.getAsString();
3549       }
3550     }
3551 
3552     if (!AttrStr.empty())
3553       Out << "; Function Attrs: " << AttrStr << '\n';
3554   }
3555 
3556   Machine.incorporateFunction(F);
3557 
3558   if (F->isDeclaration()) {
3559     Out << "declare";
3560     SmallVector<std::pair<unsigned, MDNode *>, 4> MDs;
3561     F->getAllMetadata(MDs);
3562     printMetadataAttachments(MDs, " ");
3563     Out << ' ';
3564   } else
3565     Out << "define ";
3566 
3567   Out << getLinkageNameWithSpace(F->getLinkage());
3568   PrintDSOLocation(*F, Out);
3569   PrintVisibility(F->getVisibility(), Out);
3570   PrintDLLStorageClass(F->getDLLStorageClass(), Out);
3571 
3572   // Print the calling convention.
3573   if (F->getCallingConv() != CallingConv::C) {
3574     PrintCallingConv(F->getCallingConv(), Out);
3575     Out << " ";
3576   }
3577 
3578   FunctionType *FT = F->getFunctionType();
3579   if (Attrs.hasAttributes(AttributeList::ReturnIndex))
3580     Out << Attrs.getAsString(AttributeList::ReturnIndex) << ' ';
3581   TypePrinter.print(F->getReturnType(), Out);
3582   Out << ' ';
3583   WriteAsOperandInternal(Out, F, &TypePrinter, &Machine, F->getParent());
3584   Out << '(';
3585 
3586   // Loop over the arguments, printing them...
3587   if (F->isDeclaration() && !IsForDebug) {
3588     // We're only interested in the type here - don't print argument names.
3589     for (unsigned I = 0, E = FT->getNumParams(); I != E; ++I) {
3590       // Insert commas as we go... the first arg doesn't get a comma
3591       if (I)
3592         Out << ", ";
3593       // Output type...
3594       TypePrinter.print(FT->getParamType(I), Out);
3595 
3596       AttributeSet ArgAttrs = Attrs.getParamAttributes(I);
3597       if (ArgAttrs.hasAttributes()) {
3598         Out << ' ';
3599         writeAttributeSet(ArgAttrs);
3600       }
3601     }
3602   } else {
3603     // The arguments are meaningful here, print them in detail.
3604     for (const Argument &Arg : F->args()) {
3605       // Insert commas as we go... the first arg doesn't get a comma
3606       if (Arg.getArgNo() != 0)
3607         Out << ", ";
3608       printArgument(&Arg, Attrs.getParamAttributes(Arg.getArgNo()));
3609     }
3610   }
3611 
3612   // Finish printing arguments...
3613   if (FT->isVarArg()) {
3614     if (FT->getNumParams()) Out << ", ";
3615     Out << "...";  // Output varargs portion of signature!
3616   }
3617   Out << ')';
3618   StringRef UA = getUnnamedAddrEncoding(F->getUnnamedAddr());
3619   if (!UA.empty())
3620     Out << ' ' << UA;
3621   // We print the function address space if it is non-zero or if we are writing
3622   // a module with a non-zero program address space or if there is no valid
3623   // Module* so that the file can be parsed without the datalayout string.
3624   const Module *Mod = F->getParent();
3625   if (F->getAddressSpace() != 0 || !Mod ||
3626       Mod->getDataLayout().getProgramAddressSpace() != 0)
3627     Out << " addrspace(" << F->getAddressSpace() << ")";
3628   if (Attrs.hasAttributes(AttributeList::FunctionIndex))
3629     Out << " #" << Machine.getAttributeGroupSlot(Attrs.getFnAttributes());
3630   if (F->hasSection()) {
3631     Out << " section \"";
3632     printEscapedString(F->getSection(), Out);
3633     Out << '"';
3634   }
3635   if (F->hasPartition()) {
3636     Out << " partition \"";
3637     printEscapedString(F->getPartition(), Out);
3638     Out << '"';
3639   }
3640   maybePrintComdat(Out, *F);
3641   if (F->getAlignment())
3642     Out << " align " << F->getAlignment();
3643   if (F->hasGC())
3644     Out << " gc \"" << F->getGC() << '"';
3645   if (F->hasPrefixData()) {
3646     Out << " prefix ";
3647     writeOperand(F->getPrefixData(), true);
3648   }
3649   if (F->hasPrologueData()) {
3650     Out << " prologue ";
3651     writeOperand(F->getPrologueData(), true);
3652   }
3653   if (F->hasPersonalityFn()) {
3654     Out << " personality ";
3655     writeOperand(F->getPersonalityFn(), /*PrintType=*/true);
3656   }
3657 
3658   if (F->isDeclaration()) {
3659     Out << '\n';
3660   } else {
3661     SmallVector<std::pair<unsigned, MDNode *>, 4> MDs;
3662     F->getAllMetadata(MDs);
3663     printMetadataAttachments(MDs, " ");
3664 
3665     Out << " {";
3666     // Output all of the function's basic blocks.
3667     for (const BasicBlock &BB : *F)
3668       printBasicBlock(&BB);
3669 
3670     // Output the function's use-lists.
3671     printUseLists(F);
3672 
3673     Out << "}\n";
3674   }
3675 
3676   Machine.purgeFunction();
3677 }
3678 
3679 /// printArgument - This member is called for every argument that is passed into
3680 /// the function.  Simply print it out
3681 void AssemblyWriter::printArgument(const Argument *Arg, AttributeSet Attrs) {
3682   // Output type...
3683   TypePrinter.print(Arg->getType(), Out);
3684 
3685   // Output parameter attributes list
3686   if (Attrs.hasAttributes()) {
3687     Out << ' ';
3688     writeAttributeSet(Attrs);
3689   }
3690 
3691   // Output name, if available...
3692   if (Arg->hasName()) {
3693     Out << ' ';
3694     PrintLLVMName(Out, Arg);
3695   } else {
3696     int Slot = Machine.getLocalSlot(Arg);
3697     assert(Slot != -1 && "expect argument in function here");
3698     Out << " %" << Slot;
3699   }
3700 }
3701 
3702 /// printBasicBlock - This member is called for each basic block in a method.
3703 void AssemblyWriter::printBasicBlock(const BasicBlock *BB) {
3704   assert(BB && BB->getParent() && "block without parent!");
3705   bool IsEntryBlock = BB == &BB->getParent()->getEntryBlock();
3706   if (BB->hasName()) {              // Print out the label if it exists...
3707     Out << "\n";
3708     PrintLLVMName(Out, BB->getName(), LabelPrefix);
3709     Out << ':';
3710   } else if (!IsEntryBlock) {
3711     Out << "\n";
3712     int Slot = Machine.getLocalSlot(BB);
3713     if (Slot != -1)
3714       Out << Slot << ":";
3715     else
3716       Out << "<badref>:";
3717   }
3718 
3719   if (!IsEntryBlock) {
3720     // Output predecessors for the block.
3721     Out.PadToColumn(50);
3722     Out << ";";
3723     const_pred_iterator PI = pred_begin(BB), PE = pred_end(BB);
3724 
3725     if (PI == PE) {
3726       Out << " No predecessors!";
3727     } else {
3728       Out << " preds = ";
3729       writeOperand(*PI, false);
3730       for (++PI; PI != PE; ++PI) {
3731         Out << ", ";
3732         writeOperand(*PI, false);
3733       }
3734     }
3735   }
3736 
3737   Out << "\n";
3738 
3739   if (AnnotationWriter) AnnotationWriter->emitBasicBlockStartAnnot(BB, Out);
3740 
3741   // Output all of the instructions in the basic block...
3742   for (const Instruction &I : *BB) {
3743     printInstructionLine(I);
3744   }
3745 
3746   if (AnnotationWriter) AnnotationWriter->emitBasicBlockEndAnnot(BB, Out);
3747 }
3748 
3749 /// printInstructionLine - Print an instruction and a newline character.
3750 void AssemblyWriter::printInstructionLine(const Instruction &I) {
3751   printInstruction(I);
3752   Out << '\n';
3753 }
3754 
3755 /// printGCRelocateComment - print comment after call to the gc.relocate
3756 /// intrinsic indicating base and derived pointer names.
3757 void AssemblyWriter::printGCRelocateComment(const GCRelocateInst &Relocate) {
3758   Out << " ; (";
3759   writeOperand(Relocate.getBasePtr(), false);
3760   Out << ", ";
3761   writeOperand(Relocate.getDerivedPtr(), false);
3762   Out << ")";
3763 }
3764 
3765 /// printInfoComment - Print a little comment after the instruction indicating
3766 /// which slot it occupies.
3767 void AssemblyWriter::printInfoComment(const Value &V) {
3768   if (const auto *Relocate = dyn_cast<GCRelocateInst>(&V))
3769     printGCRelocateComment(*Relocate);
3770 
3771   if (AnnotationWriter)
3772     AnnotationWriter->printInfoComment(V, Out);
3773 }
3774 
3775 static void maybePrintCallAddrSpace(const Value *Operand, const Instruction *I,
3776                                     raw_ostream &Out) {
3777   // We print the address space of the call if it is non-zero.
3778   unsigned CallAddrSpace = Operand->getType()->getPointerAddressSpace();
3779   bool PrintAddrSpace = CallAddrSpace != 0;
3780   if (!PrintAddrSpace) {
3781     const Module *Mod = getModuleFromVal(I);
3782     // We also print it if it is zero but not equal to the program address space
3783     // or if we can't find a valid Module* to make it possible to parse
3784     // the resulting file even without a datalayout string.
3785     if (!Mod || Mod->getDataLayout().getProgramAddressSpace() != 0)
3786       PrintAddrSpace = true;
3787   }
3788   if (PrintAddrSpace)
3789     Out << " addrspace(" << CallAddrSpace << ")";
3790 }
3791 
3792 // This member is called for each Instruction in a function..
3793 void AssemblyWriter::printInstruction(const Instruction &I) {
3794   if (AnnotationWriter) AnnotationWriter->emitInstructionAnnot(&I, Out);
3795 
3796   // Print out indentation for an instruction.
3797   Out << "  ";
3798 
3799   // Print out name if it exists...
3800   if (I.hasName()) {
3801     PrintLLVMName(Out, &I);
3802     Out << " = ";
3803   } else if (!I.getType()->isVoidTy()) {
3804     // Print out the def slot taken.
3805     int SlotNum = Machine.getLocalSlot(&I);
3806     if (SlotNum == -1)
3807       Out << "<badref> = ";
3808     else
3809       Out << '%' << SlotNum << " = ";
3810   }
3811 
3812   if (const CallInst *CI = dyn_cast<CallInst>(&I)) {
3813     if (CI->isMustTailCall())
3814       Out << "musttail ";
3815     else if (CI->isTailCall())
3816       Out << "tail ";
3817     else if (CI->isNoTailCall())
3818       Out << "notail ";
3819   }
3820 
3821   // Print out the opcode...
3822   Out << I.getOpcodeName();
3823 
3824   // If this is an atomic load or store, print out the atomic marker.
3825   if ((isa<LoadInst>(I)  && cast<LoadInst>(I).isAtomic()) ||
3826       (isa<StoreInst>(I) && cast<StoreInst>(I).isAtomic()))
3827     Out << " atomic";
3828 
3829   if (isa<AtomicCmpXchgInst>(I) && cast<AtomicCmpXchgInst>(I).isWeak())
3830     Out << " weak";
3831 
3832   // If this is a volatile operation, print out the volatile marker.
3833   if ((isa<LoadInst>(I)  && cast<LoadInst>(I).isVolatile()) ||
3834       (isa<StoreInst>(I) && cast<StoreInst>(I).isVolatile()) ||
3835       (isa<AtomicCmpXchgInst>(I) && cast<AtomicCmpXchgInst>(I).isVolatile()) ||
3836       (isa<AtomicRMWInst>(I) && cast<AtomicRMWInst>(I).isVolatile()))
3837     Out << " volatile";
3838 
3839   // Print out optimization information.
3840   WriteOptimizationInfo(Out, &I);
3841 
3842   // Print out the compare instruction predicates
3843   if (const CmpInst *CI = dyn_cast<CmpInst>(&I))
3844     Out << ' ' << CmpInst::getPredicateName(CI->getPredicate());
3845 
3846   // Print out the atomicrmw operation
3847   if (const AtomicRMWInst *RMWI = dyn_cast<AtomicRMWInst>(&I))
3848     Out << ' ' << AtomicRMWInst::getOperationName(RMWI->getOperation());
3849 
3850   // Print out the type of the operands...
3851   const Value *Operand = I.getNumOperands() ? I.getOperand(0) : nullptr;
3852 
3853   // Special case conditional branches to swizzle the condition out to the front
3854   if (isa<BranchInst>(I) && cast<BranchInst>(I).isConditional()) {
3855     const BranchInst &BI(cast<BranchInst>(I));
3856     Out << ' ';
3857     writeOperand(BI.getCondition(), true);
3858     Out << ", ";
3859     writeOperand(BI.getSuccessor(0), true);
3860     Out << ", ";
3861     writeOperand(BI.getSuccessor(1), true);
3862 
3863   } else if (isa<SwitchInst>(I)) {
3864     const SwitchInst& SI(cast<SwitchInst>(I));
3865     // Special case switch instruction to get formatting nice and correct.
3866     Out << ' ';
3867     writeOperand(SI.getCondition(), true);
3868     Out << ", ";
3869     writeOperand(SI.getDefaultDest(), true);
3870     Out << " [";
3871     for (auto Case : SI.cases()) {
3872       Out << "\n    ";
3873       writeOperand(Case.getCaseValue(), true);
3874       Out << ", ";
3875       writeOperand(Case.getCaseSuccessor(), true);
3876     }
3877     Out << "\n  ]";
3878   } else if (isa<IndirectBrInst>(I)) {
3879     // Special case indirectbr instruction to get formatting nice and correct.
3880     Out << ' ';
3881     writeOperand(Operand, true);
3882     Out << ", [";
3883 
3884     for (unsigned i = 1, e = I.getNumOperands(); i != e; ++i) {
3885       if (i != 1)
3886         Out << ", ";
3887       writeOperand(I.getOperand(i), true);
3888     }
3889     Out << ']';
3890   } else if (const PHINode *PN = dyn_cast<PHINode>(&I)) {
3891     Out << ' ';
3892     TypePrinter.print(I.getType(), Out);
3893     Out << ' ';
3894 
3895     for (unsigned op = 0, Eop = PN->getNumIncomingValues(); op < Eop; ++op) {
3896       if (op) Out << ", ";
3897       Out << "[ ";
3898       writeOperand(PN->getIncomingValue(op), false); Out << ", ";
3899       writeOperand(PN->getIncomingBlock(op), false); Out << " ]";
3900     }
3901   } else if (const ExtractValueInst *EVI = dyn_cast<ExtractValueInst>(&I)) {
3902     Out << ' ';
3903     writeOperand(I.getOperand(0), true);
3904     for (const unsigned *i = EVI->idx_begin(), *e = EVI->idx_end(); i != e; ++i)
3905       Out << ", " << *i;
3906   } else if (const InsertValueInst *IVI = dyn_cast<InsertValueInst>(&I)) {
3907     Out << ' ';
3908     writeOperand(I.getOperand(0), true); Out << ", ";
3909     writeOperand(I.getOperand(1), true);
3910     for (const unsigned *i = IVI->idx_begin(), *e = IVI->idx_end(); i != e; ++i)
3911       Out << ", " << *i;
3912   } else if (const LandingPadInst *LPI = dyn_cast<LandingPadInst>(&I)) {
3913     Out << ' ';
3914     TypePrinter.print(I.getType(), Out);
3915     if (LPI->isCleanup() || LPI->getNumClauses() != 0)
3916       Out << '\n';
3917 
3918     if (LPI->isCleanup())
3919       Out << "          cleanup";
3920 
3921     for (unsigned i = 0, e = LPI->getNumClauses(); i != e; ++i) {
3922       if (i != 0 || LPI->isCleanup()) Out << "\n";
3923       if (LPI->isCatch(i))
3924         Out << "          catch ";
3925       else
3926         Out << "          filter ";
3927 
3928       writeOperand(LPI->getClause(i), true);
3929     }
3930   } else if (const auto *CatchSwitch = dyn_cast<CatchSwitchInst>(&I)) {
3931     Out << " within ";
3932     writeOperand(CatchSwitch->getParentPad(), /*PrintType=*/false);
3933     Out << " [";
3934     unsigned Op = 0;
3935     for (const BasicBlock *PadBB : CatchSwitch->handlers()) {
3936       if (Op > 0)
3937         Out << ", ";
3938       writeOperand(PadBB, /*PrintType=*/true);
3939       ++Op;
3940     }
3941     Out << "] unwind ";
3942     if (const BasicBlock *UnwindDest = CatchSwitch->getUnwindDest())
3943       writeOperand(UnwindDest, /*PrintType=*/true);
3944     else
3945       Out << "to caller";
3946   } else if (const auto *FPI = dyn_cast<FuncletPadInst>(&I)) {
3947     Out << " within ";
3948     writeOperand(FPI->getParentPad(), /*PrintType=*/false);
3949     Out << " [";
3950     for (unsigned Op = 0, NumOps = FPI->getNumArgOperands(); Op < NumOps;
3951          ++Op) {
3952       if (Op > 0)
3953         Out << ", ";
3954       writeOperand(FPI->getArgOperand(Op), /*PrintType=*/true);
3955     }
3956     Out << ']';
3957   } else if (isa<ReturnInst>(I) && !Operand) {
3958     Out << " void";
3959   } else if (const auto *CRI = dyn_cast<CatchReturnInst>(&I)) {
3960     Out << " from ";
3961     writeOperand(CRI->getOperand(0), /*PrintType=*/false);
3962 
3963     Out << " to ";
3964     writeOperand(CRI->getOperand(1), /*PrintType=*/true);
3965   } else if (const auto *CRI = dyn_cast<CleanupReturnInst>(&I)) {
3966     Out << " from ";
3967     writeOperand(CRI->getOperand(0), /*PrintType=*/false);
3968 
3969     Out << " unwind ";
3970     if (CRI->hasUnwindDest())
3971       writeOperand(CRI->getOperand(1), /*PrintType=*/true);
3972     else
3973       Out << "to caller";
3974   } else if (const CallInst *CI = dyn_cast<CallInst>(&I)) {
3975     // Print the calling convention being used.
3976     if (CI->getCallingConv() != CallingConv::C) {
3977       Out << " ";
3978       PrintCallingConv(CI->getCallingConv(), Out);
3979     }
3980 
3981     Operand = CI->getCalledOperand();
3982     FunctionType *FTy = CI->getFunctionType();
3983     Type *RetTy = FTy->getReturnType();
3984     const AttributeList &PAL = CI->getAttributes();
3985 
3986     if (PAL.hasAttributes(AttributeList::ReturnIndex))
3987       Out << ' ' << PAL.getAsString(AttributeList::ReturnIndex);
3988 
3989     // Only print addrspace(N) if necessary:
3990     maybePrintCallAddrSpace(Operand, &I, Out);
3991 
3992     // If possible, print out the short form of the call instruction.  We can
3993     // only do this if the first argument is a pointer to a nonvararg function,
3994     // and if the return type is not a pointer to a function.
3995     //
3996     Out << ' ';
3997     TypePrinter.print(FTy->isVarArg() ? FTy : RetTy, Out);
3998     Out << ' ';
3999     writeOperand(Operand, false);
4000     Out << '(';
4001     for (unsigned op = 0, Eop = CI->getNumArgOperands(); op < Eop; ++op) {
4002       if (op > 0)
4003         Out << ", ";
4004       writeParamOperand(CI->getArgOperand(op), PAL.getParamAttributes(op));
4005     }
4006 
4007     // Emit an ellipsis if this is a musttail call in a vararg function.  This
4008     // is only to aid readability, musttail calls forward varargs by default.
4009     if (CI->isMustTailCall() && CI->getParent() &&
4010         CI->getParent()->getParent() &&
4011         CI->getParent()->getParent()->isVarArg())
4012       Out << ", ...";
4013 
4014     Out << ')';
4015     if (PAL.hasAttributes(AttributeList::FunctionIndex))
4016       Out << " #" << Machine.getAttributeGroupSlot(PAL.getFnAttributes());
4017 
4018     writeOperandBundles(CI);
4019   } else if (const InvokeInst *II = dyn_cast<InvokeInst>(&I)) {
4020     Operand = II->getCalledOperand();
4021     FunctionType *FTy = II->getFunctionType();
4022     Type *RetTy = FTy->getReturnType();
4023     const AttributeList &PAL = II->getAttributes();
4024 
4025     // Print the calling convention being used.
4026     if (II->getCallingConv() != CallingConv::C) {
4027       Out << " ";
4028       PrintCallingConv(II->getCallingConv(), Out);
4029     }
4030 
4031     if (PAL.hasAttributes(AttributeList::ReturnIndex))
4032       Out << ' ' << PAL.getAsString(AttributeList::ReturnIndex);
4033 
4034     // Only print addrspace(N) if necessary:
4035     maybePrintCallAddrSpace(Operand, &I, Out);
4036 
4037     // If possible, print out the short form of the invoke instruction. We can
4038     // only do this if the first argument is a pointer to a nonvararg function,
4039     // and if the return type is not a pointer to a function.
4040     //
4041     Out << ' ';
4042     TypePrinter.print(FTy->isVarArg() ? FTy : RetTy, Out);
4043     Out << ' ';
4044     writeOperand(Operand, false);
4045     Out << '(';
4046     for (unsigned op = 0, Eop = II->getNumArgOperands(); op < Eop; ++op) {
4047       if (op)
4048         Out << ", ";
4049       writeParamOperand(II->getArgOperand(op), PAL.getParamAttributes(op));
4050     }
4051 
4052     Out << ')';
4053     if (PAL.hasAttributes(AttributeList::FunctionIndex))
4054       Out << " #" << Machine.getAttributeGroupSlot(PAL.getFnAttributes());
4055 
4056     writeOperandBundles(II);
4057 
4058     Out << "\n          to ";
4059     writeOperand(II->getNormalDest(), true);
4060     Out << " unwind ";
4061     writeOperand(II->getUnwindDest(), true);
4062   } else if (const CallBrInst *CBI = dyn_cast<CallBrInst>(&I)) {
4063     Operand = CBI->getCalledOperand();
4064     FunctionType *FTy = CBI->getFunctionType();
4065     Type *RetTy = FTy->getReturnType();
4066     const AttributeList &PAL = CBI->getAttributes();
4067 
4068     // Print the calling convention being used.
4069     if (CBI->getCallingConv() != CallingConv::C) {
4070       Out << " ";
4071       PrintCallingConv(CBI->getCallingConv(), Out);
4072     }
4073 
4074     if (PAL.hasAttributes(AttributeList::ReturnIndex))
4075       Out << ' ' << PAL.getAsString(AttributeList::ReturnIndex);
4076 
4077     // If possible, print out the short form of the callbr instruction. We can
4078     // only do this if the first argument is a pointer to a nonvararg function,
4079     // and if the return type is not a pointer to a function.
4080     //
4081     Out << ' ';
4082     TypePrinter.print(FTy->isVarArg() ? FTy : RetTy, Out);
4083     Out << ' ';
4084     writeOperand(Operand, false);
4085     Out << '(';
4086     for (unsigned op = 0, Eop = CBI->getNumArgOperands(); op < Eop; ++op) {
4087       if (op)
4088         Out << ", ";
4089       writeParamOperand(CBI->getArgOperand(op), PAL.getParamAttributes(op));
4090     }
4091 
4092     Out << ')';
4093     if (PAL.hasAttributes(AttributeList::FunctionIndex))
4094       Out << " #" << Machine.getAttributeGroupSlot(PAL.getFnAttributes());
4095 
4096     writeOperandBundles(CBI);
4097 
4098     Out << "\n          to ";
4099     writeOperand(CBI->getDefaultDest(), true);
4100     Out << " [";
4101     for (unsigned i = 0, e = CBI->getNumIndirectDests(); i != e; ++i) {
4102       if (i != 0)
4103         Out << ", ";
4104       writeOperand(CBI->getIndirectDest(i), true);
4105     }
4106     Out << ']';
4107   } else if (const AllocaInst *AI = dyn_cast<AllocaInst>(&I)) {
4108     Out << ' ';
4109     if (AI->isUsedWithInAlloca())
4110       Out << "inalloca ";
4111     if (AI->isSwiftError())
4112       Out << "swifterror ";
4113     TypePrinter.print(AI->getAllocatedType(), Out);
4114 
4115     // Explicitly write the array size if the code is broken, if it's an array
4116     // allocation, or if the type is not canonical for scalar allocations.  The
4117     // latter case prevents the type from mutating when round-tripping through
4118     // assembly.
4119     if (!AI->getArraySize() || AI->isArrayAllocation() ||
4120         !AI->getArraySize()->getType()->isIntegerTy(32)) {
4121       Out << ", ";
4122       writeOperand(AI->getArraySize(), true);
4123     }
4124     if (AI->getAlignment()) {
4125       Out << ", align " << AI->getAlignment();
4126     }
4127 
4128     unsigned AddrSpace = AI->getType()->getAddressSpace();
4129     if (AddrSpace != 0) {
4130       Out << ", addrspace(" << AddrSpace << ')';
4131     }
4132   } else if (isa<CastInst>(I)) {
4133     if (Operand) {
4134       Out << ' ';
4135       writeOperand(Operand, true);   // Work with broken code
4136     }
4137     Out << " to ";
4138     TypePrinter.print(I.getType(), Out);
4139   } else if (isa<VAArgInst>(I)) {
4140     if (Operand) {
4141       Out << ' ';
4142       writeOperand(Operand, true);   // Work with broken code
4143     }
4144     Out << ", ";
4145     TypePrinter.print(I.getType(), Out);
4146   } else if (Operand) {   // Print the normal way.
4147     if (const auto *GEP = dyn_cast<GetElementPtrInst>(&I)) {
4148       Out << ' ';
4149       TypePrinter.print(GEP->getSourceElementType(), Out);
4150       Out << ',';
4151     } else if (const auto *LI = dyn_cast<LoadInst>(&I)) {
4152       Out << ' ';
4153       TypePrinter.print(LI->getType(), Out);
4154       Out << ',';
4155     }
4156 
4157     // PrintAllTypes - Instructions who have operands of all the same type
4158     // omit the type from all but the first operand.  If the instruction has
4159     // different type operands (for example br), then they are all printed.
4160     bool PrintAllTypes = false;
4161     Type *TheType = Operand->getType();
4162 
4163     // Select, Store and ShuffleVector always print all types.
4164     if (isa<SelectInst>(I) || isa<StoreInst>(I) || isa<ShuffleVectorInst>(I)
4165         || isa<ReturnInst>(I)) {
4166       PrintAllTypes = true;
4167     } else {
4168       for (unsigned i = 1, E = I.getNumOperands(); i != E; ++i) {
4169         Operand = I.getOperand(i);
4170         // note that Operand shouldn't be null, but the test helps make dump()
4171         // more tolerant of malformed IR
4172         if (Operand && Operand->getType() != TheType) {
4173           PrintAllTypes = true;    // We have differing types!  Print them all!
4174           break;
4175         }
4176       }
4177     }
4178 
4179     if (!PrintAllTypes) {
4180       Out << ' ';
4181       TypePrinter.print(TheType, Out);
4182     }
4183 
4184     Out << ' ';
4185     for (unsigned i = 0, E = I.getNumOperands(); i != E; ++i) {
4186       if (i) Out << ", ";
4187       writeOperand(I.getOperand(i), PrintAllTypes);
4188     }
4189   }
4190 
4191   // Print atomic ordering/alignment for memory operations
4192   if (const LoadInst *LI = dyn_cast<LoadInst>(&I)) {
4193     if (LI->isAtomic())
4194       writeAtomic(LI->getContext(), LI->getOrdering(), LI->getSyncScopeID());
4195     if (LI->getAlignment())
4196       Out << ", align " << LI->getAlignment();
4197   } else if (const StoreInst *SI = dyn_cast<StoreInst>(&I)) {
4198     if (SI->isAtomic())
4199       writeAtomic(SI->getContext(), SI->getOrdering(), SI->getSyncScopeID());
4200     if (SI->getAlignment())
4201       Out << ", align " << SI->getAlignment();
4202   } else if (const AtomicCmpXchgInst *CXI = dyn_cast<AtomicCmpXchgInst>(&I)) {
4203     writeAtomicCmpXchg(CXI->getContext(), CXI->getSuccessOrdering(),
4204                        CXI->getFailureOrdering(), CXI->getSyncScopeID());
4205   } else if (const AtomicRMWInst *RMWI = dyn_cast<AtomicRMWInst>(&I)) {
4206     writeAtomic(RMWI->getContext(), RMWI->getOrdering(),
4207                 RMWI->getSyncScopeID());
4208   } else if (const FenceInst *FI = dyn_cast<FenceInst>(&I)) {
4209     writeAtomic(FI->getContext(), FI->getOrdering(), FI->getSyncScopeID());
4210   } else if (const ShuffleVectorInst *SVI = dyn_cast<ShuffleVectorInst>(&I)) {
4211     PrintShuffleMask(Out, SVI->getType(), SVI->getShuffleMask());
4212   }
4213 
4214   // Print Metadata info.
4215   SmallVector<std::pair<unsigned, MDNode *>, 4> InstMD;
4216   I.getAllMetadata(InstMD);
4217   printMetadataAttachments(InstMD, ", ");
4218 
4219   // Print a nice comment.
4220   printInfoComment(I);
4221 }
4222 
4223 void AssemblyWriter::printMetadataAttachments(
4224     const SmallVectorImpl<std::pair<unsigned, MDNode *>> &MDs,
4225     StringRef Separator) {
4226   if (MDs.empty())
4227     return;
4228 
4229   if (MDNames.empty())
4230     MDs[0].second->getContext().getMDKindNames(MDNames);
4231 
4232   for (const auto &I : MDs) {
4233     unsigned Kind = I.first;
4234     Out << Separator;
4235     if (Kind < MDNames.size()) {
4236       Out << "!";
4237       printMetadataIdentifier(MDNames[Kind], Out);
4238     } else
4239       Out << "!<unknown kind #" << Kind << ">";
4240     Out << ' ';
4241     WriteAsOperandInternal(Out, I.second, &TypePrinter, &Machine, TheModule);
4242   }
4243 }
4244 
4245 void AssemblyWriter::writeMDNode(unsigned Slot, const MDNode *Node) {
4246   Out << '!' << Slot << " = ";
4247   printMDNodeBody(Node);
4248   Out << "\n";
4249 }
4250 
4251 void AssemblyWriter::writeAllMDNodes() {
4252   SmallVector<const MDNode *, 16> Nodes;
4253   Nodes.resize(Machine.mdn_size());
4254   for (SlotTracker::mdn_iterator I = Machine.mdn_begin(), E = Machine.mdn_end();
4255        I != E; ++I)
4256     Nodes[I->second] = cast<MDNode>(I->first);
4257 
4258   for (unsigned i = 0, e = Nodes.size(); i != e; ++i) {
4259     writeMDNode(i, Nodes[i]);
4260   }
4261 }
4262 
4263 void AssemblyWriter::printMDNodeBody(const MDNode *Node) {
4264   WriteMDNodeBodyInternal(Out, Node, &TypePrinter, &Machine, TheModule);
4265 }
4266 
4267 void AssemblyWriter::writeAttribute(const Attribute &Attr, bool InAttrGroup) {
4268   if (!Attr.isTypeAttribute()) {
4269     Out << Attr.getAsString(InAttrGroup);
4270     return;
4271   }
4272 
4273   assert((Attr.hasAttribute(Attribute::ByVal) ||
4274           Attr.hasAttribute(Attribute::ByRef) ||
4275           Attr.hasAttribute(Attribute::Preallocated)) &&
4276          "unexpected type attr");
4277 
4278   if (Attr.hasAttribute(Attribute::ByVal)) {
4279     Out << "byval";
4280   } else if (Attr.hasAttribute(Attribute::ByRef)) {
4281     Out << "byref";
4282   } else {
4283     Out << "preallocated";
4284   }
4285 
4286   if (Type *Ty = Attr.getValueAsType()) {
4287     Out << '(';
4288     TypePrinter.print(Ty, Out);
4289     Out << ')';
4290   }
4291 }
4292 
4293 void AssemblyWriter::writeAttributeSet(const AttributeSet &AttrSet,
4294                                        bool InAttrGroup) {
4295   bool FirstAttr = true;
4296   for (const auto &Attr : AttrSet) {
4297     if (!FirstAttr)
4298       Out << ' ';
4299     writeAttribute(Attr, InAttrGroup);
4300     FirstAttr = false;
4301   }
4302 }
4303 
4304 void AssemblyWriter::writeAllAttributeGroups() {
4305   std::vector<std::pair<AttributeSet, unsigned>> asVec;
4306   asVec.resize(Machine.as_size());
4307 
4308   for (SlotTracker::as_iterator I = Machine.as_begin(), E = Machine.as_end();
4309        I != E; ++I)
4310     asVec[I->second] = *I;
4311 
4312   for (const auto &I : asVec)
4313     Out << "attributes #" << I.second << " = { "
4314         << I.first.getAsString(true) << " }\n";
4315 }
4316 
4317 void AssemblyWriter::printUseListOrder(const UseListOrder &Order) {
4318   bool IsInFunction = Machine.getFunction();
4319   if (IsInFunction)
4320     Out << "  ";
4321 
4322   Out << "uselistorder";
4323   if (const BasicBlock *BB =
4324           IsInFunction ? nullptr : dyn_cast<BasicBlock>(Order.V)) {
4325     Out << "_bb ";
4326     writeOperand(BB->getParent(), false);
4327     Out << ", ";
4328     writeOperand(BB, false);
4329   } else {
4330     Out << " ";
4331     writeOperand(Order.V, true);
4332   }
4333   Out << ", { ";
4334 
4335   assert(Order.Shuffle.size() >= 2 && "Shuffle too small");
4336   Out << Order.Shuffle[0];
4337   for (unsigned I = 1, E = Order.Shuffle.size(); I != E; ++I)
4338     Out << ", " << Order.Shuffle[I];
4339   Out << " }\n";
4340 }
4341 
4342 void AssemblyWriter::printUseLists(const Function *F) {
4343   auto hasMore =
4344       [&]() { return !UseListOrders.empty() && UseListOrders.back().F == F; };
4345   if (!hasMore())
4346     // Nothing to do.
4347     return;
4348 
4349   Out << "\n; uselistorder directives\n";
4350   while (hasMore()) {
4351     printUseListOrder(UseListOrders.back());
4352     UseListOrders.pop_back();
4353   }
4354 }
4355 
4356 //===----------------------------------------------------------------------===//
4357 //                       External Interface declarations
4358 //===----------------------------------------------------------------------===//
4359 
4360 void Function::print(raw_ostream &ROS, AssemblyAnnotationWriter *AAW,
4361                      bool ShouldPreserveUseListOrder,
4362                      bool IsForDebug) const {
4363   SlotTracker SlotTable(this->getParent());
4364   formatted_raw_ostream OS(ROS);
4365   AssemblyWriter W(OS, SlotTable, this->getParent(), AAW,
4366                    IsForDebug,
4367                    ShouldPreserveUseListOrder);
4368   W.printFunction(this);
4369 }
4370 
4371 void BasicBlock::print(raw_ostream &ROS, AssemblyAnnotationWriter *AAW,
4372                      bool ShouldPreserveUseListOrder,
4373                      bool IsForDebug) const {
4374   SlotTracker SlotTable(this->getModule());
4375   formatted_raw_ostream OS(ROS);
4376   AssemblyWriter W(OS, SlotTable, this->getModule(), AAW,
4377                    IsForDebug,
4378                    ShouldPreserveUseListOrder);
4379   W.printBasicBlock(this);
4380 }
4381 
4382 void Module::print(raw_ostream &ROS, AssemblyAnnotationWriter *AAW,
4383                    bool ShouldPreserveUseListOrder, bool IsForDebug) const {
4384   SlotTracker SlotTable(this);
4385   formatted_raw_ostream OS(ROS);
4386   AssemblyWriter W(OS, SlotTable, this, AAW, IsForDebug,
4387                    ShouldPreserveUseListOrder);
4388   W.printModule(this);
4389 }
4390 
4391 void NamedMDNode::print(raw_ostream &ROS, bool IsForDebug) const {
4392   SlotTracker SlotTable(getParent());
4393   formatted_raw_ostream OS(ROS);
4394   AssemblyWriter W(OS, SlotTable, getParent(), nullptr, IsForDebug);
4395   W.printNamedMDNode(this);
4396 }
4397 
4398 void NamedMDNode::print(raw_ostream &ROS, ModuleSlotTracker &MST,
4399                         bool IsForDebug) const {
4400   Optional<SlotTracker> LocalST;
4401   SlotTracker *SlotTable;
4402   if (auto *ST = MST.getMachine())
4403     SlotTable = ST;
4404   else {
4405     LocalST.emplace(getParent());
4406     SlotTable = &*LocalST;
4407   }
4408 
4409   formatted_raw_ostream OS(ROS);
4410   AssemblyWriter W(OS, *SlotTable, getParent(), nullptr, IsForDebug);
4411   W.printNamedMDNode(this);
4412 }
4413 
4414 void Comdat::print(raw_ostream &ROS, bool /*IsForDebug*/) const {
4415   PrintLLVMName(ROS, getName(), ComdatPrefix);
4416   ROS << " = comdat ";
4417 
4418   switch (getSelectionKind()) {
4419   case Comdat::Any:
4420     ROS << "any";
4421     break;
4422   case Comdat::ExactMatch:
4423     ROS << "exactmatch";
4424     break;
4425   case Comdat::Largest:
4426     ROS << "largest";
4427     break;
4428   case Comdat::NoDuplicates:
4429     ROS << "noduplicates";
4430     break;
4431   case Comdat::SameSize:
4432     ROS << "samesize";
4433     break;
4434   }
4435 
4436   ROS << '\n';
4437 }
4438 
4439 void Type::print(raw_ostream &OS, bool /*IsForDebug*/, bool NoDetails) const {
4440   TypePrinting TP;
4441   TP.print(const_cast<Type*>(this), OS);
4442 
4443   if (NoDetails)
4444     return;
4445 
4446   // If the type is a named struct type, print the body as well.
4447   if (StructType *STy = dyn_cast<StructType>(const_cast<Type*>(this)))
4448     if (!STy->isLiteral()) {
4449       OS << " = type ";
4450       TP.printStructBody(STy, OS);
4451     }
4452 }
4453 
4454 static bool isReferencingMDNode(const Instruction &I) {
4455   if (const auto *CI = dyn_cast<CallInst>(&I))
4456     if (Function *F = CI->getCalledFunction())
4457       if (F->isIntrinsic())
4458         for (auto &Op : I.operands())
4459           if (auto *V = dyn_cast_or_null<MetadataAsValue>(Op))
4460             if (isa<MDNode>(V->getMetadata()))
4461               return true;
4462   return false;
4463 }
4464 
4465 void Value::print(raw_ostream &ROS, bool IsForDebug) const {
4466   bool ShouldInitializeAllMetadata = false;
4467   if (auto *I = dyn_cast<Instruction>(this))
4468     ShouldInitializeAllMetadata = isReferencingMDNode(*I);
4469   else if (isa<Function>(this) || isa<MetadataAsValue>(this))
4470     ShouldInitializeAllMetadata = true;
4471 
4472   ModuleSlotTracker MST(getModuleFromVal(this), ShouldInitializeAllMetadata);
4473   print(ROS, MST, IsForDebug);
4474 }
4475 
4476 void Value::print(raw_ostream &ROS, ModuleSlotTracker &MST,
4477                   bool IsForDebug) const {
4478   formatted_raw_ostream OS(ROS);
4479   SlotTracker EmptySlotTable(static_cast<const Module *>(nullptr));
4480   SlotTracker &SlotTable =
4481       MST.getMachine() ? *MST.getMachine() : EmptySlotTable;
4482   auto incorporateFunction = [&](const Function *F) {
4483     if (F)
4484       MST.incorporateFunction(*F);
4485   };
4486 
4487   if (const Instruction *I = dyn_cast<Instruction>(this)) {
4488     incorporateFunction(I->getParent() ? I->getParent()->getParent() : nullptr);
4489     AssemblyWriter W(OS, SlotTable, getModuleFromVal(I), nullptr, IsForDebug);
4490     W.printInstruction(*I);
4491   } else if (const BasicBlock *BB = dyn_cast<BasicBlock>(this)) {
4492     incorporateFunction(BB->getParent());
4493     AssemblyWriter W(OS, SlotTable, getModuleFromVal(BB), nullptr, IsForDebug);
4494     W.printBasicBlock(BB);
4495   } else if (const GlobalValue *GV = dyn_cast<GlobalValue>(this)) {
4496     AssemblyWriter W(OS, SlotTable, GV->getParent(), nullptr, IsForDebug);
4497     if (const GlobalVariable *V = dyn_cast<GlobalVariable>(GV))
4498       W.printGlobal(V);
4499     else if (const Function *F = dyn_cast<Function>(GV))
4500       W.printFunction(F);
4501     else
4502       W.printIndirectSymbol(cast<GlobalIndirectSymbol>(GV));
4503   } else if (const MetadataAsValue *V = dyn_cast<MetadataAsValue>(this)) {
4504     V->getMetadata()->print(ROS, MST, getModuleFromVal(V));
4505   } else if (const Constant *C = dyn_cast<Constant>(this)) {
4506     TypePrinting TypePrinter;
4507     TypePrinter.print(C->getType(), OS);
4508     OS << ' ';
4509     WriteConstantInternal(OS, C, TypePrinter, MST.getMachine(), nullptr);
4510   } else if (isa<InlineAsm>(this) || isa<Argument>(this)) {
4511     this->printAsOperand(OS, /* PrintType */ true, MST);
4512   } else {
4513     llvm_unreachable("Unknown value to print out!");
4514   }
4515 }
4516 
4517 /// Print without a type, skipping the TypePrinting object.
4518 ///
4519 /// \return \c true iff printing was successful.
4520 static bool printWithoutType(const Value &V, raw_ostream &O,
4521                              SlotTracker *Machine, const Module *M) {
4522   if (V.hasName() || isa<GlobalValue>(V) ||
4523       (!isa<Constant>(V) && !isa<MetadataAsValue>(V))) {
4524     WriteAsOperandInternal(O, &V, nullptr, Machine, M);
4525     return true;
4526   }
4527   return false;
4528 }
4529 
4530 static void printAsOperandImpl(const Value &V, raw_ostream &O, bool PrintType,
4531                                ModuleSlotTracker &MST) {
4532   TypePrinting TypePrinter(MST.getModule());
4533   if (PrintType) {
4534     TypePrinter.print(V.getType(), O);
4535     O << ' ';
4536   }
4537 
4538   WriteAsOperandInternal(O, &V, &TypePrinter, MST.getMachine(),
4539                          MST.getModule());
4540 }
4541 
4542 void Value::printAsOperand(raw_ostream &O, bool PrintType,
4543                            const Module *M) const {
4544   if (!M)
4545     M = getModuleFromVal(this);
4546 
4547   if (!PrintType)
4548     if (printWithoutType(*this, O, nullptr, M))
4549       return;
4550 
4551   SlotTracker Machine(
4552       M, /* ShouldInitializeAllMetadata */ isa<MetadataAsValue>(this));
4553   ModuleSlotTracker MST(Machine, M);
4554   printAsOperandImpl(*this, O, PrintType, MST);
4555 }
4556 
4557 void Value::printAsOperand(raw_ostream &O, bool PrintType,
4558                            ModuleSlotTracker &MST) const {
4559   if (!PrintType)
4560     if (printWithoutType(*this, O, MST.getMachine(), MST.getModule()))
4561       return;
4562 
4563   printAsOperandImpl(*this, O, PrintType, MST);
4564 }
4565 
4566 static void printMetadataImpl(raw_ostream &ROS, const Metadata &MD,
4567                               ModuleSlotTracker &MST, const Module *M,
4568                               bool OnlyAsOperand) {
4569   formatted_raw_ostream OS(ROS);
4570 
4571   TypePrinting TypePrinter(M);
4572 
4573   WriteAsOperandInternal(OS, &MD, &TypePrinter, MST.getMachine(), M,
4574                          /* FromValue */ true);
4575 
4576   auto *N = dyn_cast<MDNode>(&MD);
4577   if (OnlyAsOperand || !N || isa<DIExpression>(MD))
4578     return;
4579 
4580   OS << " = ";
4581   WriteMDNodeBodyInternal(OS, N, &TypePrinter, MST.getMachine(), M);
4582 }
4583 
4584 void Metadata::printAsOperand(raw_ostream &OS, const Module *M) const {
4585   ModuleSlotTracker MST(M, isa<MDNode>(this));
4586   printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ true);
4587 }
4588 
4589 void Metadata::printAsOperand(raw_ostream &OS, ModuleSlotTracker &MST,
4590                               const Module *M) const {
4591   printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ true);
4592 }
4593 
4594 void Metadata::print(raw_ostream &OS, const Module *M,
4595                      bool /*IsForDebug*/) const {
4596   ModuleSlotTracker MST(M, isa<MDNode>(this));
4597   printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ false);
4598 }
4599 
4600 void Metadata::print(raw_ostream &OS, ModuleSlotTracker &MST,
4601                      const Module *M, bool /*IsForDebug*/) const {
4602   printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ false);
4603 }
4604 
4605 void ModuleSummaryIndex::print(raw_ostream &ROS, bool IsForDebug) const {
4606   SlotTracker SlotTable(this);
4607   formatted_raw_ostream OS(ROS);
4608   AssemblyWriter W(OS, SlotTable, this, IsForDebug);
4609   W.printModuleSummaryIndex();
4610 }
4611 
4612 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
4613 // Value::dump - allow easy printing of Values from the debugger.
4614 LLVM_DUMP_METHOD
4615 void Value::dump() const { print(dbgs(), /*IsForDebug=*/true); dbgs() << '\n'; }
4616 
4617 // Type::dump - allow easy printing of Types from the debugger.
4618 LLVM_DUMP_METHOD
4619 void Type::dump() const { print(dbgs(), /*IsForDebug=*/true); dbgs() << '\n'; }
4620 
4621 // Module::dump() - Allow printing of Modules from the debugger.
4622 LLVM_DUMP_METHOD
4623 void Module::dump() const {
4624   print(dbgs(), nullptr,
4625         /*ShouldPreserveUseListOrder=*/false, /*IsForDebug=*/true);
4626 }
4627 
4628 // Allow printing of Comdats from the debugger.
4629 LLVM_DUMP_METHOD
4630 void Comdat::dump() const { print(dbgs(), /*IsForDebug=*/true); }
4631 
4632 // NamedMDNode::dump() - Allow printing of NamedMDNodes from the debugger.
4633 LLVM_DUMP_METHOD
4634 void NamedMDNode::dump() const { print(dbgs(), /*IsForDebug=*/true); }
4635 
4636 LLVM_DUMP_METHOD
4637 void Metadata::dump() const { dump(nullptr); }
4638 
4639 LLVM_DUMP_METHOD
4640 void Metadata::dump(const Module *M) const {
4641   print(dbgs(), M, /*IsForDebug=*/true);
4642   dbgs() << '\n';
4643 }
4644 
4645 // Allow printing of ModuleSummaryIndex from the debugger.
4646 LLVM_DUMP_METHOD
4647 void ModuleSummaryIndex::dump() const { print(dbgs(), /*IsForDebug=*/true); }
4648 #endif
4649