LLVM 23.0.0git
AsmWriter.cpp
Go to the documentation of this file.
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/STLExtras.h"
23#include "llvm/ADT/SetVector.h"
28#include "llvm/ADT/StringRef.h"
31#include "llvm/Config/llvm-config.h"
32#include "llvm/IR/Argument.h"
34#include "llvm/IR/Attributes.h"
35#include "llvm/IR/BasicBlock.h"
36#include "llvm/IR/CFG.h"
37#include "llvm/IR/CallingConv.h"
38#include "llvm/IR/Comdat.h"
39#include "llvm/IR/Constant.h"
40#include "llvm/IR/Constants.h"
44#include "llvm/IR/Function.h"
45#include "llvm/IR/GlobalAlias.h"
46#include "llvm/IR/GlobalIFunc.h"
48#include "llvm/IR/GlobalValue.h"
51#include "llvm/IR/InlineAsm.h"
52#include "llvm/IR/InstrTypes.h"
53#include "llvm/IR/Instruction.h"
56#include "llvm/IR/Intrinsics.h"
57#include "llvm/IR/LLVMContext.h"
58#include "llvm/IR/Metadata.h"
59#include "llvm/IR/Module.h"
62#include "llvm/IR/Operator.h"
63#include "llvm/IR/Type.h"
64#include "llvm/IR/TypeFinder.h"
66#include "llvm/IR/Use.h"
67#include "llvm/IR/User.h"
68#include "llvm/IR/Value.h"
72#include "llvm/Support/Debug.h"
74#include "llvm/Support/Format.h"
78#include <cassert>
79#include <cctype>
80#include <cstddef>
81#include <cstdint>
82#include <iterator>
83#include <memory>
84#include <optional>
85#include <string>
86#include <tuple>
87#include <utility>
88#include <vector>
89
90using namespace llvm;
91
92// See https://llvm.org/docs/DebuggingLLVM.html for why these flags are useful.
93
94static cl::opt<bool>
95 PrintInstAddrs("print-inst-addrs", cl::Hidden,
96 cl::desc("Print addresses of instructions when dumping"));
97
99 "print-inst-debug-locs", cl::Hidden,
100 cl::desc("Pretty print debug locations of instructions when dumping"));
101
103 "print-prof-data", cl::Hidden,
104 cl::desc("Pretty print perf data (branch weights, etc) when dumping"));
105
107 "preserve-ll-uselistorder", cl::Hidden, cl::init(false),
108 cl::desc("Preserve use-list order when writing LLVM assembly."));
109
110static cl::opt<bool> PrintAddrspaceName("print-addrspace-name", cl::Hidden,
111 cl::init(false),
112 cl::desc("Print address space names"));
113
114// Make virtual table appear in this compilation unit.
116
117//===----------------------------------------------------------------------===//
118// Helper Functions
119//===----------------------------------------------------------------------===//
120
122
125
126/// Look for a value that might be wrapped as metadata, e.g. a value in a
127/// metadata operand. Returns the input value as-is if it is not wrapped.
128static const Value *skipMetadataWrapper(const Value *V) {
129 if (const auto *MAV = dyn_cast<MetadataAsValue>(V))
130 if (const auto *VAM = dyn_cast<ValueAsMetadata>(MAV->getMetadata()))
131 return VAM->getValue();
132 return V;
133}
134
135static void orderValue(const Value *V, OrderMap &OM) {
136 if (OM.lookup(V))
137 return;
138
139 if (const auto *C = dyn_cast<Constant>(V)) {
140 if (isa<ConstantData>(C))
141 return;
142
143 if (C->getNumOperands() && !isa<GlobalValue>(C))
144 for (const Value *Op : C->operands())
146 orderValue(Op, OM);
147 }
148
149 // Note: we cannot cache this lookup above, since inserting into the map
150 // changes the map's size, and thus affects the other IDs.
151 unsigned ID = OM.size() + 1;
152 OM[V] = ID;
153}
154
155static OrderMap orderModule(const Module *M) {
156 OrderMap OM;
157
158 auto OrderConstantValue = [&OM](const Value *V) {
159 if (isa<Constant>(V) || isa<InlineAsm>(V))
160 orderValue(V, OM);
161 };
162
163 auto OrderConstantFromMetadata = [&](Metadata *MD) {
164 if (const auto *VAM = dyn_cast<ValueAsMetadata>(MD)) {
165 OrderConstantValue(VAM->getValue());
166 } else if (const auto *AL = dyn_cast<DIArgList>(MD)) {
167 for (const auto *VAM : AL->getArgs())
168 OrderConstantValue(VAM->getValue());
169 }
170 };
171
172 for (const GlobalVariable &G : M->globals()) {
173 if (G.hasInitializer())
174 if (!isa<GlobalValue>(G.getInitializer()))
175 orderValue(G.getInitializer(), OM);
176 orderValue(&G, OM);
177 }
178 for (const GlobalAlias &A : M->aliases()) {
179 if (!isa<GlobalValue>(A.getAliasee()))
180 orderValue(A.getAliasee(), OM);
181 orderValue(&A, OM);
182 }
183 for (const GlobalIFunc &I : M->ifuncs()) {
184 if (!isa<GlobalValue>(I.getResolver()))
185 orderValue(I.getResolver(), OM);
186 orderValue(&I, OM);
187 }
188 for (const Function &F : *M) {
189 for (const Use &U : F.operands())
190 if (!isa<GlobalValue>(U.get()))
191 orderValue(U.get(), OM);
192
193 orderValue(&F, OM);
194
195 if (F.isDeclaration())
196 continue;
197
198 for (const Argument &A : F.args())
199 orderValue(&A, OM);
200 for (const BasicBlock &BB : F) {
201 orderValue(&BB, OM);
202 for (const Instruction &I : BB) {
203 // Debug records can contain Value references, that can then contain
204 // Values disconnected from the rest of the Value hierachy, if wrapped
205 // in some kind of constant-expression. Find and order any Values that
206 // are wrapped in debug-info.
207 for (DbgVariableRecord &DVR : filterDbgVars(I.getDbgRecordRange())) {
208 OrderConstantFromMetadata(DVR.getRawLocation());
209 if (DVR.isDbgAssign())
210 OrderConstantFromMetadata(DVR.getRawAddress());
211 }
212
213 for (const Value *Op : I.operands()) {
215 if ((isa<Constant>(*Op) && !isa<GlobalValue>(*Op)) ||
217 orderValue(Op, OM);
218 }
219 orderValue(&I, OM);
220 }
221 }
222 }
223 return OM;
224}
225
226static std::vector<unsigned>
227predictValueUseListOrder(const Value *V, unsigned ID, const OrderMap &OM) {
228 // Predict use-list order for this one.
229 using Entry = std::pair<const Use *, unsigned>;
231 for (const Use &U : V->uses())
232 // Check if this user will be serialized.
233 if (OM.lookup(U.getUser()))
234 List.push_back(std::make_pair(&U, List.size()));
235
236 if (List.size() < 2)
237 // We may have lost some users.
238 return {};
239
240 // When referencing a value before its declaration, a temporary value is
241 // created, which will later be RAUWed with the actual value. This reverses
242 // the use list. This happens for all values apart from basic blocks.
243 bool GetsReversed = !isa<BasicBlock>(V);
244 if (auto *BA = dyn_cast<BlockAddress>(V))
245 ID = OM.lookup(BA->getBasicBlock());
246 llvm::sort(List, [&](const Entry &L, const Entry &R) {
247 const Use *LU = L.first;
248 const Use *RU = R.first;
249 if (LU == RU)
250 return false;
251
252 auto LID = OM.lookup(LU->getUser());
253 auto RID = OM.lookup(RU->getUser());
254
255 // If ID is 4, then expect: 7 6 5 1 2 3.
256 if (LID < RID) {
257 if (GetsReversed)
258 if (RID <= ID)
259 return true;
260 return false;
261 }
262 if (RID < LID) {
263 if (GetsReversed)
264 if (LID <= ID)
265 return false;
266 return true;
267 }
268
269 // LID and RID are equal, so we have different operands of the same user.
270 // Assume operands are added in order for all instructions.
271 if (GetsReversed)
272 if (LID <= ID)
273 return LU->getOperandNo() < RU->getOperandNo();
274 return LU->getOperandNo() > RU->getOperandNo();
275 });
276
278 // Order is already correct.
279 return {};
280
281 // Store the shuffle.
282 std::vector<unsigned> Shuffle(List.size());
283 for (size_t I = 0, E = List.size(); I != E; ++I)
284 Shuffle[I] = List[I].second;
285 return Shuffle;
286}
287
289 OrderMap OM = orderModule(M);
290 UseListOrderMap ULOM;
291 for (const auto &Pair : OM) {
292 const Value *V = Pair.first;
293 if (V->use_empty() || std::next(V->use_begin()) == V->use_end())
294 continue;
295
296 std::vector<unsigned> Shuffle =
297 predictValueUseListOrder(V, Pair.second, OM);
298 if (Shuffle.empty())
299 continue;
300
301 const Function *F = nullptr;
302 if (auto *I = dyn_cast<Instruction>(V))
303 F = I->getFunction();
304 if (auto *A = dyn_cast<Argument>(V))
305 F = A->getParent();
306 if (auto *BB = dyn_cast<BasicBlock>(V))
307 F = BB->getParent();
308 ULOM[F][V] = std::move(Shuffle);
309 }
310 return ULOM;
311}
312
313static const Module *getModuleFromVal(const Value *V) {
314 if (const auto *MA = dyn_cast<Argument>(V))
315 return MA->getParent() ? MA->getParent()->getParent() : nullptr;
316
317 if (const auto *BB = dyn_cast<BasicBlock>(V))
318 return BB->getParent() ? BB->getParent()->getParent() : nullptr;
319
320 if (const auto *I = dyn_cast<Instruction>(V)) {
321 const Function *M = I->getParent() ? I->getParent()->getParent() : nullptr;
322 return M ? M->getParent() : nullptr;
323 }
324
325 if (const auto *GV = dyn_cast<GlobalValue>(V))
326 return GV->getParent();
327
328 if (const auto *MAV = dyn_cast<MetadataAsValue>(V)) {
329 for (const User *U : MAV->users())
330 if (isa<Instruction>(U))
331 if (const Module *M = getModuleFromVal(U))
332 return M;
333 return nullptr;
334 }
335
336 return nullptr;
337}
338
339static const Module *getModuleFromDPI(const DbgMarker *Marker) {
340 const Function *M =
341 Marker->getParent() ? Marker->getParent()->getParent() : nullptr;
342 return M ? M->getParent() : nullptr;
343}
344
345static const Module *getModuleFromDPI(const DbgRecord *DR) {
346 return DR->getMarker() ? getModuleFromDPI(DR->getMarker()) : nullptr;
347}
348
349static void printCallingConv(unsigned cc, raw_ostream &Out) {
350 switch (cc) {
351 default: Out << "cc" << cc; break;
352 case CallingConv::Fast: Out << "fastcc"; break;
353 case CallingConv::Cold: Out << "coldcc"; break;
354 case CallingConv::AnyReg: Out << "anyregcc"; break;
355 case CallingConv::PreserveMost: Out << "preserve_mostcc"; break;
356 case CallingConv::PreserveAll: Out << "preserve_allcc"; break;
357 case CallingConv::PreserveNone: Out << "preserve_nonecc"; break;
358 case CallingConv::CXX_FAST_TLS: Out << "cxx_fast_tlscc"; break;
359 case CallingConv::GHC: Out << "ghccc"; break;
360 case CallingConv::Tail: Out << "tailcc"; break;
361 case CallingConv::GRAAL: Out << "graalcc"; break;
362 case CallingConv::CFGuard_Check: Out << "cfguard_checkcc"; break;
363 case CallingConv::X86_StdCall: Out << "x86_stdcallcc"; break;
364 case CallingConv::X86_FastCall: Out << "x86_fastcallcc"; break;
365 case CallingConv::X86_ThisCall: Out << "x86_thiscallcc"; break;
366 case CallingConv::X86_RegCall: Out << "x86_regcallcc"; break;
367 case CallingConv::X86_VectorCall:Out << "x86_vectorcallcc"; break;
368 case CallingConv::Intel_OCL_BI: Out << "intel_ocl_bicc"; break;
369 case CallingConv::ARM_APCS: Out << "arm_apcscc"; break;
370 case CallingConv::ARM_AAPCS: Out << "arm_aapcscc"; break;
371 case CallingConv::ARM_AAPCS_VFP: Out << "arm_aapcs_vfpcc"; break;
372 case CallingConv::AArch64_VectorCall: Out << "aarch64_vector_pcs"; break;
374 Out << "aarch64_sve_vector_pcs";
375 break;
377 Out << "aarch64_sme_preservemost_from_x0";
378 break;
380 Out << "aarch64_sme_preservemost_from_x1";
381 break;
383 Out << "aarch64_sme_preservemost_from_x2";
384 break;
385 case CallingConv::MSP430_INTR: Out << "msp430_intrcc"; break;
386 case CallingConv::AVR_INTR: Out << "avr_intrcc "; break;
387 case CallingConv::AVR_SIGNAL: Out << "avr_signalcc "; break;
388 case CallingConv::PTX_Kernel: Out << "ptx_kernel"; break;
389 case CallingConv::PTX_Device: Out << "ptx_device"; break;
390 case CallingConv::X86_64_SysV: Out << "x86_64_sysvcc"; break;
391 case CallingConv::Win64: Out << "win64cc"; break;
392 case CallingConv::SPIR_FUNC: Out << "spir_func"; break;
393 case CallingConv::SPIR_KERNEL: Out << "spir_kernel"; break;
394 case CallingConv::Swift: Out << "swiftcc"; break;
395 case CallingConv::SwiftTail: Out << "swifttailcc"; break;
396 case CallingConv::X86_INTR: Out << "x86_intrcc"; break;
398 Out << "hhvmcc";
399 break;
401 Out << "hhvm_ccc";
402 break;
403 case CallingConv::AMDGPU_VS: Out << "amdgpu_vs"; break;
404 case CallingConv::AMDGPU_LS: Out << "amdgpu_ls"; break;
405 case CallingConv::AMDGPU_HS: Out << "amdgpu_hs"; break;
406 case CallingConv::AMDGPU_ES: Out << "amdgpu_es"; break;
407 case CallingConv::AMDGPU_GS: Out << "amdgpu_gs"; break;
408 case CallingConv::AMDGPU_PS: Out << "amdgpu_ps"; break;
409 case CallingConv::AMDGPU_CS: Out << "amdgpu_cs"; break;
411 Out << "amdgpu_cs_chain";
412 break;
414 Out << "amdgpu_cs_chain_preserve";
415 break;
416 case CallingConv::AMDGPU_KERNEL: Out << "amdgpu_kernel"; break;
417 case CallingConv::AMDGPU_Gfx: Out << "amdgpu_gfx"; break;
419 Out << "amdgpu_gfx_whole_wave";
420 break;
421 case CallingConv::M68k_RTD: Out << "m68k_rtdcc"; break;
423 Out << "riscv_vector_cc";
424 break;
425#define CC_VLS_CASE(ABI_VLEN) \
426 case CallingConv::RISCV_VLSCall_##ABI_VLEN: \
427 Out << "riscv_vls_cc(" #ABI_VLEN ")"; \
428 break;
429 CC_VLS_CASE(32)
430 CC_VLS_CASE(64)
431 CC_VLS_CASE(128)
432 CC_VLS_CASE(256)
433 CC_VLS_CASE(512)
434 CC_VLS_CASE(1024)
435 CC_VLS_CASE(2048)
436 CC_VLS_CASE(4096)
437 CC_VLS_CASE(8192)
438 CC_VLS_CASE(16384)
439 CC_VLS_CASE(32768)
440 CC_VLS_CASE(65536)
441#undef CC_VLS_CASE
443 Out << "cheriot_compartmentcallcc";
444 break;
446 Out << "cheriot_compartmentcalleecc";
447 break;
449 Out << "cheriot_librarycallcc";
450 break;
451 }
452}
453
461
463 assert(!Name.empty() && "Cannot get empty name!");
464
465 // Scan the name to see if it needs quotes first.
466 bool NeedsQuotes = isdigit(static_cast<unsigned char>(Name[0]));
467 if (!NeedsQuotes) {
468 for (unsigned char C : Name) {
469 // By making this unsigned, the value passed in to isalnum will always be
470 // in the range 0-255. This is important when building with MSVC because
471 // its implementation will assert. This situation can arise when dealing
472 // with UTF-8 multibyte characters.
473 if (!isalnum(C) && C != '-' && C != '.' && C != '_') {
474 NeedsQuotes = true;
475 break;
476 }
477 }
478 }
479
480 // If we didn't need any quotes, just write out the name in one blast.
481 if (!NeedsQuotes) {
482 OS << Name;
483 return;
484 }
485
486 // Okay, we need quotes. Output the quotes and escape any scary characters as
487 // needed.
488 OS << '"';
489 printEscapedString(Name, OS);
490 OS << '"';
491}
492
493/// Turn the specified name into an 'LLVM name', which is either prefixed with %
494/// (if the string only contains simple characters) or is surrounded with ""'s
495/// (if it has special chars in it). Print it out.
496static void printLLVMName(raw_ostream &OS, StringRef Name, PrefixType Prefix) {
497 switch (Prefix) {
498 case NoPrefix:
499 break;
500 case GlobalPrefix:
501 OS << '@';
502 break;
503 case ComdatPrefix:
504 OS << '$';
505 break;
506 case LabelPrefix:
507 break;
508 case LocalPrefix:
509 OS << '%';
510 break;
511 }
513}
514
515/// Turn the specified name into an 'LLVM name', which is either prefixed with %
516/// (if the string only contains simple characters) or is surrounded with ""'s
517/// (if it has special chars in it). Print it out.
518static void printLLVMName(raw_ostream &OS, const Value *V) {
519 printLLVMName(OS, V->getName(),
521}
522
523static void printShuffleMask(raw_ostream &Out, Type *Ty, ArrayRef<int> Mask) {
524 Out << ", <";
526 Out << "vscale x ";
527 Out << Mask.size() << " x i32> ";
528 if (all_of(Mask, equal_to(0))) {
529 Out << "zeroinitializer";
530 } else if (all_of(Mask, equal_to(PoisonMaskElem))) {
531 Out << "poison";
532 } else {
533 Out << "<";
534 ListSeparator LS;
535 for (int Elt : Mask) {
536 Out << LS << "i32 ";
537 if (Elt == PoisonMaskElem)
538 Out << "poison";
539 else
540 Out << Elt;
541 }
542 Out << ">";
543 }
544}
545
546namespace {
547
548class TypePrinting {
549public:
550 TypePrinting(const Module *M = nullptr)
551 : M(M), TypesIncorporated(M == nullptr) {}
552
553 TypePrinting(const TypePrinting &) = delete;
554 TypePrinting &operator=(const TypePrinting &) = delete;
555
556 /// The named types that are used by the current module.
557 TypeFinder &getNamedTypes();
558
559 /// The numbered types, number to type mapping.
560 std::vector<StructType *> &getNumberedTypes();
561
562 bool empty();
563
564 void print(Type *Ty, raw_ostream &OS);
565
566 void printStructBody(StructType *Ty, raw_ostream &OS);
567
568private:
569 void incorporateTypes();
570
571 /// A module to process lazily.
572 const Module *M;
573 bool TypesIncorporated;
574
575 TypeFinder NamedTypes;
576
577 // The numbered types, along with their value.
578 DenseMap<StructType *, unsigned> Type2Number;
579
580 std::vector<StructType *> NumberedTypes;
581};
582
583} // end anonymous namespace
584
585TypeFinder &TypePrinting::getNamedTypes() {
586 incorporateTypes();
587 return NamedTypes;
588}
589
590std::vector<StructType *> &TypePrinting::getNumberedTypes() {
591 incorporateTypes();
592
593 // We know all the numbers that each type is used and we know that it is a
594 // dense assignment. Convert the map to an index table, if it's not done
595 // already (judging from the sizes):
596 if (NumberedTypes.size() == Type2Number.size())
597 return NumberedTypes;
598
599 NumberedTypes.resize(Type2Number.size());
600 for (const auto &P : Type2Number) {
601 assert(P.second < NumberedTypes.size() && "Didn't get a dense numbering?");
602 assert(!NumberedTypes[P.second] && "Didn't get a unique numbering?");
603 NumberedTypes[P.second] = P.first;
604 }
605 return NumberedTypes;
606}
607
608bool TypePrinting::empty() {
609 incorporateTypes();
610 return NamedTypes.empty() && Type2Number.empty();
611}
612
613void TypePrinting::incorporateTypes() {
614 if (TypesIncorporated)
615 return;
616
617 NamedTypes.run(*M, false);
618 TypesIncorporated = true;
619
620 // The list of struct types we got back includes all the struct types, split
621 // the unnamed ones out to a numbering and remove the anonymous structs.
622 unsigned NextNumber = 0;
623
624 std::vector<StructType *>::iterator NextToUse = NamedTypes.begin();
625 for (StructType *STy : NamedTypes) {
626 // Ignore anonymous types.
627 if (STy->isLiteral())
628 continue;
629
630 if (STy->getName().empty())
631 Type2Number[STy] = NextNumber++;
632 else
633 *NextToUse++ = STy;
634 }
635
636 NamedTypes.erase(NextToUse, NamedTypes.end());
637}
638
639static void printAddressSpace(const Module *M, unsigned AS, raw_ostream &OS,
640 StringRef Prefix = " ", StringRef Suffix = "",
641 bool ForcePrint = false) {
642 if (AS == 0 && !ForcePrint)
643 return;
644 OS << Prefix << "addrspace(";
645 StringRef ASName =
646 PrintAddrspaceName && M ? M->getDataLayout().getAddressSpaceName(AS) : "";
647 if (!ASName.empty())
648 OS << "\"" << ASName << "\"";
649 else
650 OS << AS;
651 OS << ")" << Suffix;
652}
653
654/// Write the specified type to the specified raw_ostream, making use of type
655/// names or up references to shorten the type name where possible.
656void TypePrinting::print(Type *Ty, raw_ostream &OS) {
657 switch (Ty->getTypeID()) {
658 case Type::VoidTyID: OS << "void"; return;
659 case Type::HalfTyID: OS << "half"; return;
660 case Type::BFloatTyID: OS << "bfloat"; return;
661 case Type::FloatTyID: OS << "float"; return;
662 case Type::DoubleTyID: OS << "double"; return;
663 case Type::X86_FP80TyID: OS << "x86_fp80"; return;
664 case Type::FP128TyID: OS << "fp128"; return;
665 case Type::PPC_FP128TyID: OS << "ppc_fp128"; return;
666 case Type::LabelTyID: OS << "label"; return;
667 case Type::MetadataTyID:
668 OS << "metadata";
669 return;
670 case Type::X86_AMXTyID: OS << "x86_amx"; return;
671 case Type::TokenTyID: OS << "token"; return;
672 case Type::ByteTyID:
673 OS << 'b' << Ty->getByteBitWidth();
674 return;
675 case Type::IntegerTyID:
676 OS << 'i' << cast<IntegerType>(Ty)->getBitWidth();
677 return;
678
679 case Type::FunctionTyID: {
680 FunctionType *FTy = cast<FunctionType>(Ty);
681 print(FTy->getReturnType(), OS);
682 OS << " (";
683 ListSeparator LS;
684 for (Type *Ty : FTy->params()) {
685 OS << LS;
686 print(Ty, OS);
687 }
688 if (FTy->isVarArg())
689 OS << LS << "...";
690 OS << ')';
691 return;
692 }
693 case Type::StructTyID: {
694 StructType *STy = cast<StructType>(Ty);
695
696 if (STy->isLiteral())
697 return printStructBody(STy, OS);
698
699 if (!STy->getName().empty())
700 return printLLVMName(OS, STy->getName(), LocalPrefix);
701
702 incorporateTypes();
703 const auto I = Type2Number.find(STy);
704 if (I != Type2Number.end())
705 OS << '%' << I->second;
706 else // Not enumerated, print the hex address.
707 OS << "%\"type " << STy << '\"';
708 return;
709 }
710 case Type::PointerTyID: {
712 OS << "ptr";
713 printAddressSpace(M, PTy->getAddressSpace(), OS);
714 return;
715 }
716 case Type::ArrayTyID: {
717 ArrayType *ATy = cast<ArrayType>(Ty);
718 OS << '[' << ATy->getNumElements() << " x ";
719 print(ATy->getElementType(), OS);
720 OS << ']';
721 return;
722 }
723 case Type::FixedVectorTyID:
724 case Type::ScalableVectorTyID: {
725 VectorType *PTy = cast<VectorType>(Ty);
726 ElementCount EC = PTy->getElementCount();
727 OS << "<";
728 if (EC.isScalable())
729 OS << "vscale x ";
730 OS << EC.getKnownMinValue() << " x ";
731 print(PTy->getElementType(), OS);
732 OS << '>';
733 return;
734 }
735 case Type::TypedPointerTyID: {
736 TypedPointerType *TPTy = cast<TypedPointerType>(Ty);
737 OS << "typedptr(" << *TPTy->getElementType() << ", "
738 << TPTy->getAddressSpace() << ")";
739 return;
740 }
741 case Type::TargetExtTyID:
742 TargetExtType *TETy = cast<TargetExtType>(Ty);
743 OS << "target(\"";
745 OS << "\"";
746 for (Type *Inner : TETy->type_params()) {
747 OS << ", ";
748 Inner->print(OS, /*IsForDebug=*/false, /*NoDetails=*/true);
749 }
750 for (unsigned IntParam : TETy->int_params())
751 OS << ", " << IntParam;
752 OS << ")";
753 return;
754 }
755 llvm_unreachable("Invalid TypeID");
756}
757
758void TypePrinting::printStructBody(StructType *STy, raw_ostream &OS) {
759 if (STy->isOpaque()) {
760 OS << "opaque";
761 return;
762 }
763
764 if (STy->isPacked())
765 OS << '<';
766
767 if (STy->getNumElements() == 0) {
768 OS << "{}";
769 } else {
770 OS << "{ ";
771 ListSeparator LS;
772 for (Type *Ty : STy->elements()) {
773 OS << LS;
774 print(Ty, OS);
775 }
776
777 OS << " }";
778 }
779 if (STy->isPacked())
780 OS << '>';
781}
782
784
785//===----------------------------------------------------------------------===//
786// SlotTracker Class: Enumerate slot numbers for unnamed values
787//===----------------------------------------------------------------------===//
788/// This class provides computation of slot numbers for LLVM Assembly writing.
789///
791public:
792 /// ValueMap - A mapping of Values to slot numbers.
794
795private:
796 /// TheModule - The module for which we are holding slot numbers.
797 const Module* TheModule;
798
799 /// TheFunction - The function for which we are holding slot numbers.
800 const Function* TheFunction = nullptr;
801 bool FunctionProcessed = false;
802 bool ShouldInitializeAllMetadata;
803
804 std::function<void(AbstractSlotTrackerStorage *, const Module *, bool)>
805 ProcessModuleHookFn;
806 std::function<void(AbstractSlotTrackerStorage *, const Function *, bool)>
807 ProcessFunctionHookFn;
808
809 /// The summary index for which we are holding slot numbers.
810 const ModuleSummaryIndex *TheIndex = nullptr;
811
812 /// mMap - The slot map for the module level data.
813 ValueMap mMap;
814 unsigned mNext = 0;
815
816 /// fMap - The slot map for the function level data.
817 ValueMap fMap;
818 unsigned fNext = 0;
819
820 /// mdnMap - Map for MDNodes.
822 unsigned mdnNext = 0;
823
824 /// asMap - The slot map for attribute sets.
826 unsigned asNext = 0;
827
828 /// ModulePathMap - The slot map for Module paths used in the summary index.
829 StringMap<unsigned> ModulePathMap;
830 unsigned ModulePathNext = 0;
831
832 /// GUIDMap - The slot map for GUIDs used in the summary index.
834 unsigned GUIDNext = 0;
835
836 /// TypeIdMap - The slot map for type ids used in the summary index.
837 StringMap<unsigned> TypeIdMap;
838 unsigned TypeIdNext = 0;
839
840 /// TypeIdCompatibleVtableMap - The slot map for type compatible vtable ids
841 /// used in the summary index.
842 StringMap<unsigned> TypeIdCompatibleVtableMap;
843 unsigned TypeIdCompatibleVtableNext = 0;
844
845public:
846 /// Construct from a module.
847 ///
848 /// If \c ShouldInitializeAllMetadata, initializes all metadata in all
849 /// functions, giving correct numbering for metadata referenced only from
850 /// within a function (even if no functions have been initialized).
851 explicit SlotTracker(const Module *M,
852 bool ShouldInitializeAllMetadata = false);
853
854 /// Construct from a function, starting out in incorp state.
855 ///
856 /// If \c ShouldInitializeAllMetadata, initializes all metadata in all
857 /// functions, giving correct numbering for metadata referenced only from
858 /// within a function (even if no functions have been initialized).
859 explicit SlotTracker(const Function *F,
860 bool ShouldInitializeAllMetadata = false);
861
862 /// Construct from a module summary index.
863 explicit SlotTracker(const ModuleSummaryIndex *Index);
864
865 SlotTracker(const SlotTracker &) = delete;
867
868 ~SlotTracker() override = default;
869
870 void setProcessHook(
871 std::function<void(AbstractSlotTrackerStorage *, const Module *, bool)>);
872 void setProcessHook(std::function<void(AbstractSlotTrackerStorage *,
873 const Function *, bool)>);
874
875 unsigned getNextMetadataSlot() override { return mdnNext; }
876
877 void createMetadataSlot(const MDNode *N) override;
878
879 /// Return the slot number of the specified value in it's type
880 /// plane. If something is not in the SlotTracker, return -1.
881 int getLocalSlot(const Value *V);
882 int getGlobalSlot(const GlobalValue *V);
883 int getMetadataSlot(const MDNode *N) override;
884 int getAttributeGroupSlot(AttributeSet AS);
885 int getModulePathSlot(StringRef Path);
886 int getGUIDSlot(GlobalValue::GUID GUID);
887 int getTypeIdSlot(StringRef Id);
888 int getTypeIdCompatibleVtableSlot(StringRef Id);
889
890 /// If you'd like to deal with a function instead of just a module, use
891 /// this method to get its data into the SlotTracker.
893 TheFunction = F;
894 FunctionProcessed = false;
895 }
896
897 const Function *getFunction() const { return TheFunction; }
898
899 /// After calling incorporateFunction, use this method to remove the
900 /// most recently incorporated function from the SlotTracker. This
901 /// will reset the state of the machine back to just the module contents.
902 void purgeFunction();
903
904 /// MDNode map iterators.
906
907 mdn_iterator mdn_begin() { return mdnMap.begin(); }
908 mdn_iterator mdn_end() { return mdnMap.end(); }
909 unsigned mdn_size() const { return mdnMap.size(); }
910 bool mdn_empty() const { return mdnMap.empty(); }
911
912 /// AttributeSet map iterators.
914
915 as_iterator as_begin() { return asMap.begin(); }
916 as_iterator as_end() { return asMap.end(); }
917 unsigned as_size() const { return asMap.size(); }
918 bool as_empty() const { return asMap.empty(); }
919
920 /// GUID map iterators.
922
923 /// These functions do the actual initialization.
924 inline void initializeIfNeeded();
926
927 // Implementation Details
928private:
929 /// CreateModuleSlot - Insert the specified GlobalValue* into the slot table.
930 void CreateModuleSlot(const GlobalValue *V);
931
932 /// CreateMetadataSlot - Insert the specified MDNode* into the slot table.
933 void CreateMetadataSlot(const MDNode *N);
934
935 /// CreateFunctionSlot - Insert the specified Value* into the slot table.
936 void CreateFunctionSlot(const Value *V);
937
938 /// Insert the specified AttributeSet into the slot table.
939 void CreateAttributeSetSlot(AttributeSet AS);
940
941 inline void CreateModulePathSlot(StringRef Path);
942 void CreateGUIDSlot(GlobalValue::GUID GUID);
943 void CreateTypeIdSlot(StringRef Id);
944 void CreateTypeIdCompatibleVtableSlot(StringRef Id);
945
946 /// Add all of the module level global variables (and their initializers)
947 /// and function declarations, but not the contents of those functions.
948 void processModule();
949 // Returns number of allocated slots
950 int processIndex();
951
952 /// Add all of the functions arguments, basic blocks, and instructions.
953 void processFunction();
954
955 /// Add the metadata directly attached to a GlobalObject.
956 void processGlobalObjectMetadata(const GlobalObject &GO);
957
958 /// Add all of the metadata from a function.
959 void processFunctionMetadata(const Function &F);
960
961 /// Add all of the metadata from an instruction.
962 void processInstructionMetadata(const Instruction &I);
963
964 /// Add all of the metadata from a DbgRecord.
965 void processDbgRecordMetadata(const DbgRecord &DVR);
966};
967
969 const Function *F)
970 : M(M), F(F), Machine(&Machine) {}
971
973 bool ShouldInitializeAllMetadata)
974 : ShouldCreateStorage(M),
975 ShouldInitializeAllMetadata(ShouldInitializeAllMetadata), M(M) {}
976
978
980 if (!ShouldCreateStorage)
981 return Machine;
982
983 ShouldCreateStorage = false;
984 MachineStorage =
985 std::make_unique<SlotTracker>(M, ShouldInitializeAllMetadata);
986 Machine = MachineStorage.get();
987 if (ProcessModuleHookFn)
988 Machine->setProcessHook(ProcessModuleHookFn);
989 if (ProcessFunctionHookFn)
990 Machine->setProcessHook(ProcessFunctionHookFn);
991 return Machine;
992}
993
995 // Using getMachine() may lazily create the slot tracker.
996 if (!getMachine())
997 return;
998
999 // Nothing to do if this is the right function already.
1000 if (this->F == &F)
1001 return;
1002 if (this->F)
1003 Machine->purgeFunction();
1004 Machine->incorporateFunction(&F);
1005 this->F = &F;
1006}
1007
1009 assert(F && "No function incorporated");
1010 return Machine->getLocalSlot(V);
1011}
1012
1014 std::function<void(AbstractSlotTrackerStorage *, const Module *, bool)>
1015 Fn) {
1016 ProcessModuleHookFn = std::move(Fn);
1017}
1018
1020 std::function<void(AbstractSlotTrackerStorage *, const Function *, bool)>
1021 Fn) {
1022 ProcessFunctionHookFn = std::move(Fn);
1023}
1024
1026 if (const auto *FA = dyn_cast<Argument>(V))
1027 return new SlotTracker(FA->getParent());
1028
1029 if (const auto *I = dyn_cast<Instruction>(V))
1030 if (I->getParent())
1031 return new SlotTracker(I->getParent()->getParent());
1032
1033 if (const auto *BB = dyn_cast<BasicBlock>(V))
1034 return new SlotTracker(BB->getParent());
1035
1036 if (const auto *GV = dyn_cast<GlobalVariable>(V))
1037 return new SlotTracker(GV->getParent());
1038
1039 if (const auto *GA = dyn_cast<GlobalAlias>(V))
1040 return new SlotTracker(GA->getParent());
1041
1042 if (const auto *GIF = dyn_cast<GlobalIFunc>(V))
1043 return new SlotTracker(GIF->getParent());
1044
1045 if (const auto *Func = dyn_cast<Function>(V))
1046 return new SlotTracker(Func);
1047
1048 return nullptr;
1049}
1050
1051#if 0
1052#define ST_DEBUG(X) dbgs() << X
1053#else
1054#define ST_DEBUG(X)
1055#endif
1056
1057// Module level constructor. Causes the contents of the Module (sans functions)
1058// to be added to the slot table.
1059SlotTracker::SlotTracker(const Module *M, bool ShouldInitializeAllMetadata)
1060 : TheModule(M), ShouldInitializeAllMetadata(ShouldInitializeAllMetadata) {}
1061
1062// Function level constructor. Causes the contents of the Module and the one
1063// function provided to be added to the slot table.
1064SlotTracker::SlotTracker(const Function *F, bool ShouldInitializeAllMetadata)
1065 : TheModule(F ? F->getParent() : nullptr), TheFunction(F),
1066 ShouldInitializeAllMetadata(ShouldInitializeAllMetadata) {}
1067
1069 : TheModule(nullptr), ShouldInitializeAllMetadata(false), TheIndex(Index) {}
1070
1072 if (TheModule) {
1073 processModule();
1074 TheModule = nullptr; ///< Prevent re-processing next time we're called.
1075 }
1076
1077 if (TheFunction && !FunctionProcessed)
1078 processFunction();
1079}
1080
1082 if (!TheIndex)
1083 return 0;
1084 int NumSlots = processIndex();
1085 TheIndex = nullptr; ///< Prevent re-processing next time we're called.
1086 return NumSlots;
1087}
1088
1089// Iterate through all the global variables, functions, and global
1090// variable initializers and create slots for them.
1091void SlotTracker::processModule() {
1092 ST_DEBUG("begin processModule!\n");
1093
1094 // Add all of the unnamed global variables to the value table.
1095 for (const GlobalVariable &Var : TheModule->globals()) {
1096 if (!Var.hasName())
1097 CreateModuleSlot(&Var);
1098 processGlobalObjectMetadata(Var);
1099 auto Attrs = Var.getAttributes();
1100 if (Attrs.hasAttributes())
1101 CreateAttributeSetSlot(Attrs);
1102 }
1103
1104 for (const GlobalAlias &A : TheModule->aliases()) {
1105 if (!A.hasName())
1106 CreateModuleSlot(&A);
1107 }
1108
1109 for (const GlobalIFunc &I : TheModule->ifuncs()) {
1110 if (!I.hasName())
1111 CreateModuleSlot(&I);
1112 processGlobalObjectMetadata(I);
1113 }
1114
1115 // Add metadata used by named metadata.
1116 for (const NamedMDNode &NMD : TheModule->named_metadata()) {
1117 for (const MDNode *N : NMD.operands())
1118 CreateMetadataSlot(N);
1119 }
1120
1121 for (const Function &F : *TheModule) {
1122 if (!F.hasName())
1123 // Add all the unnamed functions to the table.
1124 CreateModuleSlot(&F);
1125
1126 if (ShouldInitializeAllMetadata)
1127 processFunctionMetadata(F);
1128
1129 // Add all the function attributes to the table.
1130 // FIXME: Add attributes of other objects?
1131 AttributeSet FnAttrs = F.getAttributes().getFnAttrs();
1132 if (FnAttrs.hasAttributes())
1133 CreateAttributeSetSlot(FnAttrs);
1134 }
1135
1136 if (ProcessModuleHookFn)
1137 ProcessModuleHookFn(this, TheModule, ShouldInitializeAllMetadata);
1138
1139 ST_DEBUG("end processModule!\n");
1140}
1141
1142// Process the arguments, basic blocks, and instructions of a function.
1143void SlotTracker::processFunction() {
1144 ST_DEBUG("begin processFunction!\n");
1145 fNext = 0;
1146
1147 // Process function metadata if it wasn't hit at the module-level.
1148 if (!ShouldInitializeAllMetadata)
1149 processFunctionMetadata(*TheFunction);
1150
1151 // Add all the function arguments with no names.
1152 for(Function::const_arg_iterator AI = TheFunction->arg_begin(),
1153 AE = TheFunction->arg_end(); AI != AE; ++AI)
1154 if (!AI->hasName())
1155 CreateFunctionSlot(&*AI);
1156
1157 ST_DEBUG("Inserting Instructions:\n");
1158
1159 // Add all of the basic blocks and instructions with no names.
1160 for (auto &BB : *TheFunction) {
1161 if (!BB.hasName())
1162 CreateFunctionSlot(&BB);
1163
1164 for (auto &I : BB) {
1165 if (!I.getType()->isVoidTy() && !I.hasName())
1166 CreateFunctionSlot(&I);
1167
1168 // We allow direct calls to any llvm.foo function here, because the
1169 // target may not be linked into the optimizer.
1170 if (const auto *Call = dyn_cast<CallBase>(&I)) {
1171 // Add all the call attributes to the table.
1172 AttributeSet Attrs = Call->getAttributes().getFnAttrs();
1173 if (Attrs.hasAttributes())
1174 CreateAttributeSetSlot(Attrs);
1175 }
1176 }
1177 }
1178
1179 if (ProcessFunctionHookFn)
1180 ProcessFunctionHookFn(this, TheFunction, ShouldInitializeAllMetadata);
1181
1182 FunctionProcessed = true;
1183
1184 ST_DEBUG("end processFunction!\n");
1185}
1186
1187// Iterate through all the GUID in the index and create slots for them.
1188int SlotTracker::processIndex() {
1189 ST_DEBUG("begin processIndex!\n");
1190 assert(TheIndex);
1191
1192 // The first block of slots are just the module ids, which start at 0 and are
1193 // assigned consecutively. Since the StringMap iteration order isn't
1194 // guaranteed, order by path string before assigning slots.
1195 std::vector<StringRef> ModulePaths;
1196 for (auto &[ModPath, _] : TheIndex->modulePaths())
1197 ModulePaths.push_back(ModPath);
1198 llvm::sort(ModulePaths);
1199 for (auto &ModPath : ModulePaths)
1200 CreateModulePathSlot(ModPath);
1201
1202 // Start numbering the GUIDs after the module ids.
1203 GUIDNext = ModulePathNext;
1204
1205 for (auto &GlobalList : *TheIndex)
1206 CreateGUIDSlot(GlobalList.first);
1207
1208 // Start numbering the TypeIdCompatibleVtables after the GUIDs.
1209 TypeIdCompatibleVtableNext = GUIDNext;
1210 for (auto &TId : TheIndex->typeIdCompatibleVtableMap())
1211 CreateTypeIdCompatibleVtableSlot(TId.first);
1212
1213 // Start numbering the TypeIds after the TypeIdCompatibleVtables.
1214 TypeIdNext = TypeIdCompatibleVtableNext;
1215 for (const auto &TID : TheIndex->typeIds())
1216 CreateTypeIdSlot(TID.second.first);
1217
1218 ST_DEBUG("end processIndex!\n");
1219 return TypeIdNext;
1220}
1221
1222void SlotTracker::processGlobalObjectMetadata(const GlobalObject &GO) {
1224 GO.getAllMetadata(MDs);
1225 for (auto &MD : MDs)
1226 CreateMetadataSlot(MD.second);
1227}
1228
1229void SlotTracker::processFunctionMetadata(const Function &F) {
1230 processGlobalObjectMetadata(F);
1231 for (auto &BB : F) {
1232 for (auto &I : BB) {
1233 for (const DbgRecord &DR : I.getDbgRecordRange())
1234 processDbgRecordMetadata(DR);
1235 processInstructionMetadata(I);
1236 }
1237 }
1238}
1239
1240void SlotTracker::processDbgRecordMetadata(const DbgRecord &DR) {
1241 // Tolerate null metadata pointers: it's a completely illegal debug record,
1242 // but we can have faulty metadata from debug-intrinsic days being
1243 // autoupgraded into debug records. This gets caught by the verifier, which
1244 // then will print the faulty IR, hitting this code path.
1245 if (const auto *DVR = dyn_cast<const DbgVariableRecord>(&DR)) {
1246 // Process metadata used by DbgRecords; we only specifically care about the
1247 // DILocalVariable, DILocation, and DIAssignID fields, as the Value and
1248 // Expression fields should only be printed inline and so do not use a slot.
1249 // Note: The above doesn't apply for empty-metadata operands.
1250 if (auto *Empty = dyn_cast_if_present<MDNode>(DVR->getRawLocation()))
1251 CreateMetadataSlot(Empty);
1252 if (DVR->getRawVariable())
1253 CreateMetadataSlot(DVR->getRawVariable());
1254 if (DVR->isDbgAssign()) {
1255 if (auto *AssignID = DVR->getRawAssignID())
1256 CreateMetadataSlot(cast<MDNode>(AssignID));
1257 if (auto *Empty = dyn_cast_if_present<MDNode>(DVR->getRawAddress()))
1258 CreateMetadataSlot(Empty);
1259 }
1260 } else if (const auto *DLR = dyn_cast<const DbgLabelRecord>(&DR)) {
1261 CreateMetadataSlot(DLR->getRawLabel());
1262 } else {
1263 llvm_unreachable("unsupported DbgRecord kind");
1264 }
1265 if (DR.getDebugLoc())
1266 CreateMetadataSlot(DR.getDebugLoc().getAsMDNode());
1267}
1268
1269void SlotTracker::processInstructionMetadata(const Instruction &I) {
1270 // Process metadata used directly by intrinsics.
1271 if (const auto *CI = dyn_cast<CallInst>(&I))
1272 if (Function *F = CI->getCalledFunction())
1273 if (F->isIntrinsic())
1274 for (auto &Op : I.operands())
1276 if (auto *N = dyn_cast<MDNode>(V->getMetadata()))
1277 CreateMetadataSlot(N);
1278
1279 // Process metadata attached to this instruction.
1281 I.getAllMetadata(MDs);
1282 for (auto &MD : MDs)
1283 CreateMetadataSlot(MD.second);
1284}
1285
1286/// Clean up after incorporating a function. This is the only way to get out of
1287/// the function incorporation state that affects get*Slot/Create*Slot. Function
1288/// incorporation state is indicated by TheFunction != 0.
1290 ST_DEBUG("begin purgeFunction!\n");
1291 fMap.clear(); // Simply discard the function level map
1292 TheFunction = nullptr;
1293 FunctionProcessed = false;
1294 ST_DEBUG("end purgeFunction!\n");
1295}
1296
1297/// getGlobalSlot - Get the slot number of a global value.
1299 // Check for uninitialized state and do lazy initialization.
1301
1302 // Find the value in the module map
1303 ValueMap::iterator MI = mMap.find(V);
1304 return MI == mMap.end() ? -1 : (int)MI->second;
1305}
1306
1308 std::function<void(AbstractSlotTrackerStorage *, const Module *, bool)>
1309 Fn) {
1310 ProcessModuleHookFn = std::move(Fn);
1311}
1312
1314 std::function<void(AbstractSlotTrackerStorage *, const Function *, bool)>
1315 Fn) {
1316 ProcessFunctionHookFn = std::move(Fn);
1317}
1318
1319/// getMetadataSlot - Get the slot number of a MDNode.
1320void SlotTracker::createMetadataSlot(const MDNode *N) { CreateMetadataSlot(N); }
1321
1322/// getMetadataSlot - Get the slot number of a MDNode.
1324 // Check for uninitialized state and do lazy initialization.
1326
1327 // Find the MDNode in the module map
1328 mdn_iterator MI = mdnMap.find(N);
1329 return MI == mdnMap.end() ? -1 : (int)MI->second;
1330}
1331
1332/// getLocalSlot - Get the slot number for a value that is local to a function.
1334 assert(!isa<Constant>(V) && "Can't get a constant or global slot with this!");
1335
1336 // Check for uninitialized state and do lazy initialization.
1338
1339 ValueMap::iterator FI = fMap.find(V);
1340 return FI == fMap.end() ? -1 : (int)FI->second;
1341}
1342
1344 // Check for uninitialized state and do lazy initialization.
1346
1347 // Find the AttributeSet in the module map.
1348 as_iterator AI = asMap.find(AS);
1349 return AI == asMap.end() ? -1 : (int)AI->second;
1350}
1351
1353 // Check for uninitialized state and do lazy initialization.
1355
1356 // Find the Module path in the map
1357 auto I = ModulePathMap.find(Path);
1358 return I == ModulePathMap.end() ? -1 : (int)I->second;
1359}
1360
1362 // Check for uninitialized state and do lazy initialization.
1364
1365 // Find the GUID in the map
1366 guid_iterator I = GUIDMap.find(GUID);
1367 return I == GUIDMap.end() ? -1 : (int)I->second;
1368}
1369
1371 // Check for uninitialized state and do lazy initialization.
1373
1374 // Find the TypeId string in the map
1375 auto I = TypeIdMap.find(Id);
1376 return I == TypeIdMap.end() ? -1 : (int)I->second;
1377}
1378
1380 // Check for uninitialized state and do lazy initialization.
1382
1383 // Find the TypeIdCompatibleVtable string in the map
1384 auto I = TypeIdCompatibleVtableMap.find(Id);
1385 return I == TypeIdCompatibleVtableMap.end() ? -1 : (int)I->second;
1386}
1387
1388/// CreateModuleSlot - Insert the specified GlobalValue* into the slot table.
1389void SlotTracker::CreateModuleSlot(const GlobalValue *V) {
1390 assert(V && "Can't insert a null Value into SlotTracker!");
1391 assert(!V->getType()->isVoidTy() && "Doesn't need a slot!");
1392 assert(!V->hasName() && "Doesn't need a slot!");
1393
1394 unsigned DestSlot = mNext++;
1395 mMap[V] = DestSlot;
1396
1397 ST_DEBUG(" Inserting value [" << V->getType() << "] = " << V << " slot=" <<
1398 DestSlot << " [");
1399 // G = Global, F = Function, A = Alias, I = IFunc, o = other
1400 ST_DEBUG((isa<GlobalVariable>(V) ? 'G' :
1401 (isa<Function>(V) ? 'F' :
1402 (isa<GlobalAlias>(V) ? 'A' :
1403 (isa<GlobalIFunc>(V) ? 'I' : 'o')))) << "]\n");
1404}
1405
1406/// CreateSlot - Create a new slot for the specified value if it has no name.
1407void SlotTracker::CreateFunctionSlot(const Value *V) {
1408 assert(!V->getType()->isVoidTy() && !V->hasName() && "Doesn't need a slot!");
1409
1410 unsigned DestSlot = fNext++;
1411 fMap[V] = DestSlot;
1412
1413 // G = Global, F = Function, o = other
1414 ST_DEBUG(" Inserting value [" << V->getType() << "] = " << V << " slot=" <<
1415 DestSlot << " [o]\n");
1416}
1417
1418/// CreateModuleSlot - Insert the specified MDNode* into the slot table.
1419void SlotTracker::CreateMetadataSlot(const MDNode *N) {
1420 assert(N && "Can't insert a null Value into SlotTracker!");
1421
1422 // Don't make slots for DIExpressions. We just print them inline everywhere.
1423 if (isa<DIExpression>(N))
1424 return;
1425
1426 unsigned DestSlot = mdnNext;
1427 if (!mdnMap.insert(std::make_pair(N, DestSlot)).second)
1428 return;
1429 ++mdnNext;
1430
1431 // Recursively add any MDNodes referenced by operands.
1432 for (unsigned i = 0, e = N->getNumOperands(); i != e; ++i)
1433 if (const auto *Op = dyn_cast_or_null<MDNode>(N->getOperand(i)))
1434 CreateMetadataSlot(Op);
1435}
1436
1437void SlotTracker::CreateAttributeSetSlot(AttributeSet AS) {
1438 assert(AS.hasAttributes() && "Doesn't need a slot!");
1439
1440 if (asMap.try_emplace(AS, asNext).second)
1441 ++asNext;
1442}
1443
1444/// Create a new slot for the specified Module
1445void SlotTracker::CreateModulePathSlot(StringRef Path) {
1446 ModulePathMap[Path] = ModulePathNext++;
1447}
1448
1449/// Create a new slot for the specified GUID
1450void SlotTracker::CreateGUIDSlot(GlobalValue::GUID GUID) {
1451 GUIDMap[GUID] = GUIDNext++;
1452}
1453
1454/// Create a new slot for the specified Id
1455void SlotTracker::CreateTypeIdSlot(StringRef Id) {
1456 TypeIdMap[Id] = TypeIdNext++;
1457}
1458
1459/// Create a new slot for the specified Id
1460void SlotTracker::CreateTypeIdCompatibleVtableSlot(StringRef Id) {
1461 TypeIdCompatibleVtableMap[Id] = TypeIdCompatibleVtableNext++;
1462}
1463
1464namespace {
1465/// Common instances used by most of the printer functions.
1466struct AsmWriterContext {
1467 TypePrinting *TypePrinter = nullptr;
1468 SlotTracker *Machine = nullptr;
1469 const Module *Context = nullptr;
1470
1471 AsmWriterContext(TypePrinting *TP, SlotTracker *ST, const Module *M = nullptr)
1472 : TypePrinter(TP), Machine(ST), Context(M) {}
1473
1474 static AsmWriterContext &getEmpty() {
1475 static AsmWriterContext EmptyCtx(nullptr, nullptr);
1476 return EmptyCtx;
1477 }
1478
1479 /// A callback that will be triggered when the underlying printer
1480 /// prints a Metadata as operand.
1481 virtual void onWriteMetadataAsOperand(const Metadata *) {}
1482
1483 virtual ~AsmWriterContext() = default;
1484};
1485} // end anonymous namespace
1486
1487//===----------------------------------------------------------------------===//
1488// AsmWriter Implementation
1489//===----------------------------------------------------------------------===//
1490
1491static void writeAsOperandInternal(raw_ostream &Out, const Value *V,
1492 AsmWriterContext &WriterCtx,
1493 bool PrintType = false);
1494
1495static void writeAsOperandInternal(raw_ostream &Out, const Metadata *MD,
1496 AsmWriterContext &WriterCtx,
1497 bool FromValue = false);
1498
1499static void writeOptimizationInfo(raw_ostream &Out, const User *U) {
1500 if (const auto *FPO = dyn_cast<const FPMathOperator>(U))
1501 Out << FPO->getFastMathFlags();
1502
1503 if (const auto *OBO = dyn_cast<OverflowingBinaryOperator>(U)) {
1504 if (OBO->hasNoUnsignedWrap())
1505 Out << " nuw";
1506 if (OBO->hasNoSignedWrap())
1507 Out << " nsw";
1508 } else if (const auto *Div = dyn_cast<PossiblyExactOperator>(U)) {
1509 if (Div->isExact())
1510 Out << " exact";
1511 } else if (const auto *PDI = dyn_cast<PossiblyDisjointInst>(U)) {
1512 if (PDI->isDisjoint())
1513 Out << " disjoint";
1514 } else if (const auto *GEP = dyn_cast<GEPOperator>(U)) {
1515 if (GEP->isInBounds())
1516 Out << " inbounds";
1517 else if (GEP->hasNoUnsignedSignedWrap())
1518 Out << " nusw";
1519 if (GEP->hasNoUnsignedWrap())
1520 Out << " nuw";
1521 if (auto InRange = GEP->getInRange()) {
1522 Out << " inrange(" << InRange->getLower() << ", " << InRange->getUpper()
1523 << ")";
1524 }
1525 } else if (const auto *NNI = dyn_cast<PossiblyNonNegInst>(U)) {
1526 if (NNI->hasNonNeg())
1527 Out << " nneg";
1528 } else if (const auto *TI = dyn_cast<TruncInst>(U)) {
1529 if (TI->hasNoUnsignedWrap())
1530 Out << " nuw";
1531 if (TI->hasNoSignedWrap())
1532 Out << " nsw";
1533 } else if (const auto *ICmp = dyn_cast<ICmpInst>(U)) {
1534 if (ICmp->hasSameSign())
1535 Out << " samesign";
1536 }
1537}
1538
1539static void writeAPFloatInternal(raw_ostream &Out, const APFloat &APF) {
1540 if (&APF.getSemantics() == &APFloat::IEEEsingle() ||
1541 &APF.getSemantics() == &APFloat::IEEEdouble()) {
1542 // We would like to output the FP constant value in exponential notation,
1543 // but we cannot do this if doing so will lose precision. Check here to
1544 // make sure that we only output it in exponential format if we can parse
1545 // the value back and get the same value.
1546 //
1547 bool ignored;
1548 bool isDouble = &APF.getSemantics() == &APFloat::IEEEdouble();
1549 bool isInf = APF.isInfinity();
1550 bool isNaN = APF.isNaN();
1551
1552 if (!isInf && !isNaN) {
1553 double Val = APF.convertToDouble();
1554 SmallString<128> StrVal;
1555 APF.toString(StrVal, 6, 0, false);
1556 // Check to make sure that the stringized number is not some string like
1557 // "Inf" or NaN, that atof will accept, but the lexer will not. Check
1558 // that the string matches the "[-+]?[0-9]" regex.
1559 //
1560 assert((isDigit(StrVal[0]) ||
1561 ((StrVal[0] == '-' || StrVal[0] == '+') && isDigit(StrVal[1]))) &&
1562 "[-+]?[0-9] regex does not match!");
1563 // Reparse stringized version!
1564 if (APFloat(APFloat::IEEEdouble(), StrVal).convertToDouble() == Val) {
1565 Out << StrVal;
1566 return;
1567 }
1568 }
1569
1570 // Otherwise we could not reparse it to exactly the same value, so we must
1571 // output the string in hexadecimal format! Note that loading and storing
1572 // floating point types changes the bits of NaNs on some hosts, notably
1573 // x86, so we must not use these types.
1574 static_assert(sizeof(double) == sizeof(uint64_t),
1575 "assuming that double is 64 bits!");
1576 APFloat apf = APF;
1577
1578 // Floats are represented in ASCII IR as double, convert.
1579 // FIXME: We should allow 32-bit hex float and remove this.
1580 if (!isDouble) {
1581 // A signaling NaN is quieted on conversion, so we need to recreate the
1582 // expected value after convert (quiet bit of the payload is clear).
1583 bool IsSNAN = apf.isSignaling();
1585 &ignored);
1586 if (IsSNAN) {
1587 APInt Payload = apf.bitcastToAPInt();
1588 apf =
1590 }
1591 }
1592
1593 Out << format_hex(apf.bitcastToAPInt().getZExtValue(), 0, /*Upper=*/true);
1594 return;
1595 }
1596
1597 // Either half, bfloat or some form of long double.
1598 // These appear as a magic letter identifying the type, then a
1599 // fixed number of hex digits.
1600 Out << "0x";
1601 APInt API = APF.bitcastToAPInt();
1602 if (&APF.getSemantics() == &APFloat::x87DoubleExtended()) {
1603 Out << 'K';
1604 Out << format_hex_no_prefix(API.getHiBits(16).getZExtValue(), 4,
1605 /*Upper=*/true);
1606 Out << format_hex_no_prefix(API.getLoBits(64).getZExtValue(), 16,
1607 /*Upper=*/true);
1608 } else if (&APF.getSemantics() == &APFloat::IEEEquad()) {
1609 Out << 'L';
1610 Out << format_hex_no_prefix(API.getLoBits(64).getZExtValue(), 16,
1611 /*Upper=*/true);
1612 Out << format_hex_no_prefix(API.getHiBits(64).getZExtValue(), 16,
1613 /*Upper=*/true);
1614 } else if (&APF.getSemantics() == &APFloat::PPCDoubleDouble()) {
1615 Out << 'M';
1616 Out << format_hex_no_prefix(API.getLoBits(64).getZExtValue(), 16,
1617 /*Upper=*/true);
1618 Out << format_hex_no_prefix(API.getHiBits(64).getZExtValue(), 16,
1619 /*Upper=*/true);
1620 } else if (&APF.getSemantics() == &APFloat::IEEEhalf()) {
1621 Out << 'H';
1622 Out << format_hex_no_prefix(API.getZExtValue(), 4,
1623 /*Upper=*/true);
1624 } else if (&APF.getSemantics() == &APFloat::BFloat()) {
1625 Out << 'R';
1626 Out << format_hex_no_prefix(API.getZExtValue(), 4,
1627 /*Upper=*/true);
1628 } else
1629 llvm_unreachable("Unsupported floating point type");
1630}
1631
1632static void writeConstantInternal(raw_ostream &Out, const Constant *CV,
1633 AsmWriterContext &WriterCtx) {
1634 if (const auto *CI = dyn_cast<ConstantInt>(CV)) {
1635 Type *Ty = CI->getType();
1636
1637 if (Ty->isVectorTy()) {
1638 Out << "splat (";
1639 WriterCtx.TypePrinter->print(Ty->getScalarType(), Out);
1640 Out << " ";
1641 }
1642
1643 if (Ty->getScalarType()->isIntegerTy(1))
1644 Out << (CI->getZExtValue() ? "true" : "false");
1645 else
1646 Out << CI->getValue();
1647
1648 if (Ty->isVectorTy())
1649 Out << ")";
1650
1651 return;
1652 }
1653
1654 if (const auto *CB = dyn_cast<ConstantByte>(CV)) {
1655 Type *Ty = CB->getType();
1656
1657 if (Ty->isVectorTy()) {
1658 Out << "splat (";
1659 WriterCtx.TypePrinter->print(Ty->getScalarType(), Out);
1660 Out << " ";
1661 }
1662
1663 Out << CB->getValue();
1664
1665 if (Ty->isVectorTy())
1666 Out << ")";
1667
1668 return;
1669 }
1670
1671 if (const auto *CFP = dyn_cast<ConstantFP>(CV)) {
1672 Type *Ty = CFP->getType();
1673
1674 if (Ty->isVectorTy()) {
1675 Out << "splat (";
1676 WriterCtx.TypePrinter->print(Ty->getScalarType(), Out);
1677 Out << " ";
1678 }
1679
1680 writeAPFloatInternal(Out, CFP->getValueAPF());
1681
1682 if (Ty->isVectorTy())
1683 Out << ")";
1684
1685 return;
1686 }
1687
1689 Out << "zeroinitializer";
1690 return;
1691 }
1692
1693 if (const auto *BA = dyn_cast<BlockAddress>(CV)) {
1694 Out << "blockaddress(";
1695 writeAsOperandInternal(Out, BA->getFunction(), WriterCtx);
1696 Out << ", ";
1697 writeAsOperandInternal(Out, BA->getBasicBlock(), WriterCtx);
1698 Out << ")";
1699 return;
1700 }
1701
1702 if (const auto *Equiv = dyn_cast<DSOLocalEquivalent>(CV)) {
1703 Out << "dso_local_equivalent ";
1704 writeAsOperandInternal(Out, Equiv->getGlobalValue(), WriterCtx);
1705 return;
1706 }
1707
1708 if (const auto *NC = dyn_cast<NoCFIValue>(CV)) {
1709 Out << "no_cfi ";
1710 writeAsOperandInternal(Out, NC->getGlobalValue(), WriterCtx);
1711 return;
1712 }
1713
1714 if (const auto *CPA = dyn_cast<ConstantPtrAuth>(CV)) {
1715 Out << "ptrauth (";
1716
1717 // ptrauth (ptr CST, i32 KEY[, i64 DISC[, ptr ADDRDISC[, ptr DS]?]?]?)
1718 unsigned NumOpsToWrite = 2;
1719 if (!CPA->getOperand(2)->isNullValue())
1720 NumOpsToWrite = 3;
1721 if (!CPA->getOperand(3)->isNullValue())
1722 NumOpsToWrite = 4;
1723 if (!CPA->getOperand(4)->isNullValue())
1724 NumOpsToWrite = 5;
1725
1726 ListSeparator LS;
1727 for (unsigned i = 0, e = NumOpsToWrite; i != e; ++i) {
1728 Out << LS;
1729 writeAsOperandInternal(Out, CPA->getOperand(i), WriterCtx,
1730 /*PrintType=*/true);
1731 }
1732 Out << ')';
1733 return;
1734 }
1735
1736 if (const auto *CA = dyn_cast<ConstantArray>(CV)) {
1737 Out << '[';
1738 ListSeparator LS;
1739 for (const Value *Op : CA->operands()) {
1740 Out << LS;
1741 writeAsOperandInternal(Out, Op, WriterCtx, /*PrintType=*/true);
1742 }
1743 Out << ']';
1744 return;
1745 }
1746
1747 if (const auto *CA = dyn_cast<ConstantDataArray>(CV)) {
1748 // As a special case, print the array as a string if it is an array of
1749 // i8 with ConstantInt values.
1750 if (CA->isString()) {
1751 Out << "c\"";
1752 printEscapedString(CA->getAsString(), Out);
1753 Out << '"';
1754 return;
1755 }
1756
1757 Out << '[';
1758 ListSeparator LS;
1759 for (uint64_t i = 0, e = CA->getNumElements(); i != e; ++i) {
1760 Out << LS;
1761 writeAsOperandInternal(Out, CA->getElementAsConstant(i), WriterCtx,
1762 /*PrintType=*/true);
1763 }
1764 Out << ']';
1765 return;
1766 }
1767
1768 if (const auto *CS = dyn_cast<ConstantStruct>(CV)) {
1769 if (CS->getType()->isPacked())
1770 Out << '<';
1771 Out << '{';
1772 if (CS->getNumOperands() != 0) {
1773 Out << ' ';
1774 ListSeparator LS;
1775 for (const Value *Op : CS->operands()) {
1776 Out << LS;
1777 writeAsOperandInternal(Out, Op, WriterCtx, /*PrintType=*/true);
1778 }
1779 Out << ' ';
1780 }
1781 Out << '}';
1782 if (CS->getType()->isPacked())
1783 Out << '>';
1784 return;
1785 }
1786
1788 auto *CVVTy = cast<FixedVectorType>(CV->getType());
1789
1790 // Use the same shorthand for splat vector (i.e. "splat(Ty val)") as is
1791 // permitted on IR input to reduce the output changes when enabling
1792 // UseConstant{Int,FP}ForFixedLengthSplat.
1793 // TODO: Remove this block when the UseConstant{Int,FP}ForFixedLengthSplat
1794 // options are removed.
1795 if (auto *SplatVal = CV->getSplatValue()) {
1796 if (isa<ConstantInt>(SplatVal) || isa<ConstantFP>(SplatVal) ||
1797 isa<ConstantByte>(SplatVal)) {
1798 Out << "splat (";
1799 writeAsOperandInternal(Out, SplatVal, WriterCtx, /*PrintType=*/true);
1800 Out << ')';
1801 return;
1802 }
1803 }
1804
1805 Out << '<';
1806 ListSeparator LS;
1807 for (unsigned i = 0, e = CVVTy->getNumElements(); i != e; ++i) {
1808 Out << LS;
1809 writeAsOperandInternal(Out, CV->getAggregateElement(i), WriterCtx,
1810 /*PrintType=*/true);
1811 }
1812 Out << '>';
1813 return;
1814 }
1815
1816 if (isa<ConstantPointerNull>(CV)) {
1817 Out << "null";
1818 return;
1819 }
1820
1821 if (isa<ConstantTokenNone>(CV)) {
1822 Out << "none";
1823 return;
1824 }
1825
1826 if (isa<PoisonValue>(CV)) {
1827 Out << "poison";
1828 return;
1829 }
1830
1831 if (isa<UndefValue>(CV)) {
1832 Out << "undef";
1833 return;
1834 }
1835
1836 if (const auto *CE = dyn_cast<ConstantExpr>(CV)) {
1837 // Use the same shorthand for splat vector (i.e. "splat(Ty val)") as is
1838 // permitted on IR input to reduce the output changes when enabling
1839 // UseConstant{Int,FP}ForScalableSplat.
1840 // TODO: Remove this block when the UseConstant{Int,FP}ForScalableSplat
1841 // options are removed.
1842 if (CE->getOpcode() == Instruction::ShuffleVector) {
1843 if (auto *SplatVal = CE->getSplatValue()) {
1844 if (isa<ConstantInt>(SplatVal) || isa<ConstantFP>(SplatVal) ||
1845 isa<ConstantByte>(SplatVal)) {
1846 Out << "splat (";
1847 writeAsOperandInternal(Out, SplatVal, WriterCtx, /*PrintType=*/true);
1848 Out << ')';
1849 return;
1850 }
1851 }
1852 }
1853
1854 Out << CE->getOpcodeName();
1855 writeOptimizationInfo(Out, CE);
1856 Out << " (";
1857
1858 if (const auto *GEP = dyn_cast<GEPOperator>(CE)) {
1859 WriterCtx.TypePrinter->print(GEP->getSourceElementType(), Out);
1860 Out << ", ";
1861 }
1862
1863 ListSeparator LS;
1864 for (const Value *Op : CE->operands()) {
1865 Out << LS;
1866 writeAsOperandInternal(Out, Op, WriterCtx, /*PrintType=*/true);
1867 }
1868
1869 if (CE->isCast()) {
1870 Out << " to ";
1871 WriterCtx.TypePrinter->print(CE->getType(), Out);
1872 }
1873
1874 if (CE->getOpcode() == Instruction::ShuffleVector)
1875 printShuffleMask(Out, CE->getType(), CE->getShuffleMask());
1876
1877 Out << ')';
1878 return;
1879 }
1880
1881 Out << "<placeholder or erroneous Constant>";
1882}
1883
1884static void writeMDTuple(raw_ostream &Out, const MDTuple *Node,
1885 AsmWriterContext &WriterCtx) {
1886 Out << "!{";
1887 ListSeparator LS;
1888 for (const Metadata *MD : Node->operands()) {
1889 Out << LS;
1890 if (!MD) {
1891 Out << "null";
1892 } else if (auto *MDV = dyn_cast<ValueAsMetadata>(MD)) {
1893 Value *V = MDV->getValue();
1894 writeAsOperandInternal(Out, V, WriterCtx, /*PrintType=*/true);
1895 } else {
1896 writeAsOperandInternal(Out, MD, WriterCtx);
1897 WriterCtx.onWriteMetadataAsOperand(MD);
1898 }
1899 }
1900
1901 Out << "}";
1902}
1903
1904namespace {
1905
1906struct MDFieldPrinter {
1907 raw_ostream &Out;
1908 ListSeparator FS;
1909 AsmWriterContext &WriterCtx;
1910
1911 explicit MDFieldPrinter(raw_ostream &Out)
1912 : Out(Out), WriterCtx(AsmWriterContext::getEmpty()) {}
1913 MDFieldPrinter(raw_ostream &Out, AsmWriterContext &Ctx)
1914 : Out(Out), WriterCtx(Ctx) {}
1915
1916 void printTag(const DINode *N);
1917 void printMacinfoType(const DIMacroNode *N);
1918 void printChecksum(const DIFile::ChecksumInfo<StringRef> &N);
1919 void printString(StringRef Name, StringRef Value,
1920 bool ShouldSkipEmpty = true);
1921 void printMetadata(StringRef Name, const Metadata *MD,
1922 bool ShouldSkipNull = true);
1923 void printMetadataOrInt(StringRef Name, const Metadata *MD, bool IsUnsigned,
1924 bool ShouldSkipZero = true);
1925 template <class IntTy>
1926 void printInt(StringRef Name, IntTy Int, bool ShouldSkipZero = true);
1927 void printAPInt(StringRef Name, const APInt &Int, bool IsUnsigned,
1928 bool ShouldSkipZero);
1929 void printBool(StringRef Name, bool Value,
1930 std::optional<bool> Default = std::nullopt);
1931 void printDIFlags(StringRef Name, DINode::DIFlags Flags);
1932 void printDISPFlags(StringRef Name, DISubprogram::DISPFlags Flags);
1933 template <class IntTy, class Stringifier>
1934 void printDwarfEnum(StringRef Name, IntTy Value, Stringifier toString,
1935 bool ShouldSkipZero = true);
1936 void printEmissionKind(StringRef Name, DICompileUnit::DebugEmissionKind EK);
1937 void printNameTableKind(StringRef Name,
1939 void printFixedPointKind(StringRef Name, DIFixedPointType::FixedPointKind V);
1940};
1941
1942} // end anonymous namespace
1943
1944void MDFieldPrinter::printTag(const DINode *N) {
1945 Out << FS << "tag: ";
1946 auto Tag = dwarf::TagString(N->getTag());
1947 if (!Tag.empty())
1948 Out << Tag;
1949 else
1950 Out << N->getTag();
1951}
1952
1953void MDFieldPrinter::printMacinfoType(const DIMacroNode *N) {
1954 Out << FS << "type: ";
1955 auto Type = dwarf::MacinfoString(N->getMacinfoType());
1956 if (!Type.empty())
1957 Out << Type;
1958 else
1959 Out << N->getMacinfoType();
1960}
1961
1962void MDFieldPrinter::printChecksum(
1963 const DIFile::ChecksumInfo<StringRef> &Checksum) {
1964 Out << FS << "checksumkind: " << Checksum.getKindAsString();
1965 printString("checksum", Checksum.Value, /* ShouldSkipEmpty */ false);
1966}
1967
1968void MDFieldPrinter::printString(StringRef Name, StringRef Value,
1969 bool ShouldSkipEmpty) {
1970 if (ShouldSkipEmpty && Value.empty())
1971 return;
1972
1973 Out << FS << Name << ": \"";
1975 Out << "\"";
1976}
1977
1978static void writeMetadataAsOperand(raw_ostream &Out, const Metadata *MD,
1979 AsmWriterContext &WriterCtx) {
1980 if (!MD) {
1981 Out << "null";
1982 return;
1983 }
1984 writeAsOperandInternal(Out, MD, WriterCtx);
1985 WriterCtx.onWriteMetadataAsOperand(MD);
1986}
1987
1988void MDFieldPrinter::printMetadata(StringRef Name, const Metadata *MD,
1989 bool ShouldSkipNull) {
1990 if (ShouldSkipNull && !MD)
1991 return;
1992
1993 Out << FS << Name << ": ";
1994 writeMetadataAsOperand(Out, MD, WriterCtx);
1995}
1996
1997void MDFieldPrinter::printMetadataOrInt(StringRef Name, const Metadata *MD,
1998 bool IsUnsigned, bool ShouldSkipZero) {
1999 if (!MD)
2000 return;
2001
2002 if (auto *CI = dyn_cast<ConstantAsMetadata>(MD)) {
2003 auto *CV = cast<ConstantInt>(CI->getValue());
2004 if (IsUnsigned)
2005 printInt(Name, CV->getZExtValue(), ShouldSkipZero);
2006 else
2007 printInt(Name, CV->getSExtValue(), ShouldSkipZero);
2008 } else
2009 printMetadata(Name, MD);
2010}
2011
2012template <class IntTy>
2013void MDFieldPrinter::printInt(StringRef Name, IntTy Int, bool ShouldSkipZero) {
2014 if (ShouldSkipZero && !Int)
2015 return;
2016
2017 Out << FS << Name << ": " << Int;
2018}
2019
2020void MDFieldPrinter::printAPInt(StringRef Name, const APInt &Int,
2021 bool IsUnsigned, bool ShouldSkipZero) {
2022 if (ShouldSkipZero && Int.isZero())
2023 return;
2024
2025 Out << FS << Name << ": ";
2026 Int.print(Out, !IsUnsigned);
2027}
2028
2029void MDFieldPrinter::printBool(StringRef Name, bool Value,
2030 std::optional<bool> Default) {
2031 if (Default && Value == *Default)
2032 return;
2033 Out << FS << Name << ": " << (Value ? "true" : "false");
2034}
2035
2036void MDFieldPrinter::printDIFlags(StringRef Name, DINode::DIFlags Flags) {
2037 if (!Flags)
2038 return;
2039
2040 Out << FS << Name << ": ";
2041
2043 auto Extra = DINode::splitFlags(Flags, SplitFlags);
2044
2045 ListSeparator FlagsFS(" | ");
2046 for (auto F : SplitFlags) {
2047 auto StringF = DINode::getFlagString(F);
2048 assert(!StringF.empty() && "Expected valid flag");
2049 Out << FlagsFS << StringF;
2050 }
2051 if (Extra || SplitFlags.empty())
2052 Out << FlagsFS << Extra;
2053}
2054
2055void MDFieldPrinter::printDISPFlags(StringRef Name,
2057 // Always print this field, because no flags in the IR at all will be
2058 // interpreted as old-style isDefinition: true.
2059 Out << FS << Name << ": ";
2060
2061 if (!Flags) {
2062 Out << 0;
2063 return;
2064 }
2065
2067 auto Extra = DISubprogram::splitFlags(Flags, SplitFlags);
2068
2069 ListSeparator FlagsFS(" | ");
2070 for (auto F : SplitFlags) {
2071 auto StringF = DISubprogram::getFlagString(F);
2072 assert(!StringF.empty() && "Expected valid flag");
2073 Out << FlagsFS << StringF;
2074 }
2075 if (Extra || SplitFlags.empty())
2076 Out << FlagsFS << Extra;
2077}
2078
2079void MDFieldPrinter::printEmissionKind(StringRef Name,
2081 Out << FS << Name << ": " << DICompileUnit::emissionKindString(EK);
2082}
2083
2084void MDFieldPrinter::printNameTableKind(StringRef Name,
2087 return;
2088 Out << FS << Name << ": " << DICompileUnit::nameTableKindString(NTK);
2089}
2090
2091void MDFieldPrinter::printFixedPointKind(StringRef Name,
2093 Out << FS << Name << ": " << DIFixedPointType::fixedPointKindString(V);
2094}
2095
2096template <class IntTy, class Stringifier>
2097void MDFieldPrinter::printDwarfEnum(StringRef Name, IntTy Value,
2098 Stringifier toString, bool ShouldSkipZero) {
2099 if (ShouldSkipZero && !Value)
2100 return;
2101
2102 Out << FS << Name << ": ";
2103 auto S = toString(Value);
2104 if (!S.empty())
2105 Out << S;
2106 else
2107 Out << Value;
2108}
2109
2111 AsmWriterContext &WriterCtx) {
2112 Out << "!GenericDINode(";
2113 MDFieldPrinter Printer(Out, WriterCtx);
2114 Printer.printTag(N);
2115 Printer.printString("header", N->getHeader());
2116 if (N->getNumDwarfOperands()) {
2117 Out << Printer.FS << "operands: {";
2118 ListSeparator IFS;
2119 for (auto &I : N->dwarf_operands()) {
2120 Out << IFS;
2121 writeMetadataAsOperand(Out, I, WriterCtx);
2122 }
2123 Out << "}";
2124 }
2125 Out << ")";
2126}
2127
2128static void writeDILocation(raw_ostream &Out, const DILocation *DL,
2129 AsmWriterContext &WriterCtx) {
2130 Out << "!DILocation(";
2131 MDFieldPrinter Printer(Out, WriterCtx);
2132 // Always output the line, since 0 is a relevant and important value for it.
2133 Printer.printInt("line", DL->getLine(), /* ShouldSkipZero */ false);
2134 Printer.printInt("column", DL->getColumn());
2135 Printer.printMetadata("scope", DL->getRawScope(), /* ShouldSkipNull */ false);
2136 Printer.printMetadata("inlinedAt", DL->getRawInlinedAt());
2137 Printer.printBool("isImplicitCode", DL->isImplicitCode(),
2138 /* Default */ false);
2139 Printer.printInt("atomGroup", DL->getAtomGroup());
2140 Printer.printInt<unsigned>("atomRank", DL->getAtomRank());
2141 Out << ")";
2142}
2143
2144static void writeDIAssignID(raw_ostream &Out, const DIAssignID *DL,
2145 AsmWriterContext &WriterCtx) {
2146 Out << "!DIAssignID()";
2147 MDFieldPrinter Printer(Out, WriterCtx);
2148}
2149
2150static void writeDISubrange(raw_ostream &Out, const DISubrange *N,
2151 AsmWriterContext &WriterCtx) {
2152 Out << "!DISubrange(";
2153 MDFieldPrinter Printer(Out, WriterCtx);
2154
2155 Printer.printMetadataOrInt("count", N->getRawCountNode(),
2156 /* IsUnsigned */ false,
2157 /* ShouldSkipZero */ false);
2158
2159 // A lowerBound of constant 0 should not be skipped, since it is different
2160 // from an unspecified lower bound (= nullptr).
2161 Printer.printMetadataOrInt("lowerBound", N->getRawLowerBound(),
2162 /* IsUnsigned */ false,
2163 /* ShouldSkipZero */ false);
2164 Printer.printMetadataOrInt("upperBound", N->getRawUpperBound(),
2165 /* IsUnsigned */ false,
2166 /* ShouldSkipZero */ false);
2167 Printer.printMetadataOrInt("stride", N->getRawStride(),
2168 /* IsUnsigned */ false,
2169 /* ShouldSkipZero */ false);
2170
2171 Out << ")";
2172}
2173
2175 AsmWriterContext &WriterCtx) {
2176 Out << "!DIGenericSubrange(";
2177 MDFieldPrinter Printer(Out, WriterCtx);
2178
2179 auto GetConstant = [&](Metadata *Bound) -> std::optional<int64_t> {
2180 auto *BE = dyn_cast_or_null<DIExpression>(Bound);
2181 if (!BE)
2182 return std::nullopt;
2183 if (BE->isConstant() &&
2185 *BE->isConstant()) {
2186 return static_cast<int64_t>(BE->getElement(1));
2187 }
2188 return std::nullopt;
2189 };
2190
2191 auto *Count = N->getRawCountNode();
2192 if (auto ConstantCount = GetConstant(Count))
2193 Printer.printInt("count", *ConstantCount,
2194 /* ShouldSkipZero */ false);
2195 else
2196 Printer.printMetadata("count", Count, /*ShouldSkipNull */ true);
2197
2198 auto *LBound = N->getRawLowerBound();
2199 if (auto ConstantLBound = GetConstant(LBound))
2200 Printer.printInt("lowerBound", *ConstantLBound,
2201 /* ShouldSkipZero */ false);
2202 else
2203 Printer.printMetadata("lowerBound", LBound, /*ShouldSkipNull */ true);
2204
2205 auto *UBound = N->getRawUpperBound();
2206 if (auto ConstantUBound = GetConstant(UBound))
2207 Printer.printInt("upperBound", *ConstantUBound,
2208 /* ShouldSkipZero */ false);
2209 else
2210 Printer.printMetadata("upperBound", UBound, /*ShouldSkipNull */ true);
2211
2212 auto *Stride = N->getRawStride();
2213 if (auto ConstantStride = GetConstant(Stride))
2214 Printer.printInt("stride", *ConstantStride,
2215 /* ShouldSkipZero */ false);
2216 else
2217 Printer.printMetadata("stride", Stride, /*ShouldSkipNull */ true);
2218
2219 Out << ")";
2220}
2221
2223 AsmWriterContext &) {
2224 Out << "!DIEnumerator(";
2225 MDFieldPrinter Printer(Out);
2226 Printer.printString("name", N->getName(), /* ShouldSkipEmpty */ false);
2227 Printer.printAPInt("value", N->getValue(), N->isUnsigned(),
2228 /*ShouldSkipZero=*/false);
2229 if (N->isUnsigned())
2230 Printer.printBool("isUnsigned", true);
2231 Out << ")";
2232}
2233
2235 AsmWriterContext &WriterCtx) {
2236 Out << "!DIBasicType(";
2237 MDFieldPrinter Printer(Out, WriterCtx);
2238 if (N->getTag() != dwarf::DW_TAG_base_type)
2239 Printer.printTag(N);
2240 Printer.printString("name", N->getName());
2241 Printer.printMetadataOrInt("size", N->getRawSizeInBits(), true);
2242 Printer.printInt("align", N->getAlignInBits());
2243 Printer.printInt("dataSize", N->getDataSizeInBits());
2244 Printer.printDwarfEnum("encoding", N->getEncoding(),
2246 Printer.printInt("num_extra_inhabitants", N->getNumExtraInhabitants());
2247 Printer.printDIFlags("flags", N->getFlags());
2248 Out << ")";
2249}
2250
2252 AsmWriterContext &WriterCtx) {
2253 Out << "!DIFixedPointType(";
2254 MDFieldPrinter Printer(Out, WriterCtx);
2255 if (N->getTag() != dwarf::DW_TAG_base_type)
2256 Printer.printTag(N);
2257 Printer.printString("name", N->getName());
2258 Printer.printMetadataOrInt("size", N->getRawSizeInBits(), true);
2259 Printer.printInt("align", N->getAlignInBits());
2260 Printer.printDwarfEnum("encoding", N->getEncoding(),
2262 Printer.printDIFlags("flags", N->getFlags());
2263 Printer.printFixedPointKind("kind", N->getKind());
2264 if (N->isRational()) {
2265 bool IsUnsigned = !N->isSigned();
2266 Printer.printAPInt("numerator", N->getNumerator(), IsUnsigned, false);
2267 Printer.printAPInt("denominator", N->getDenominator(), IsUnsigned, false);
2268 } else {
2269 Printer.printInt("factor", N->getFactor());
2270 }
2271 Out << ")";
2272}
2273
2275 AsmWriterContext &WriterCtx) {
2276 Out << "!DIStringType(";
2277 MDFieldPrinter Printer(Out, WriterCtx);
2278 if (N->getTag() != dwarf::DW_TAG_string_type)
2279 Printer.printTag(N);
2280 Printer.printString("name", N->getName());
2281 Printer.printMetadata("stringLength", N->getRawStringLength());
2282 Printer.printMetadata("stringLengthExpression", N->getRawStringLengthExp());
2283 Printer.printMetadata("stringLocationExpression",
2284 N->getRawStringLocationExp());
2285 Printer.printMetadataOrInt("size", N->getRawSizeInBits(), true);
2286 Printer.printInt("align", N->getAlignInBits());
2287 Printer.printDwarfEnum("encoding", N->getEncoding(),
2289 Out << ")";
2290}
2291
2293 AsmWriterContext &WriterCtx) {
2294 Out << "!DIDerivedType(";
2295 MDFieldPrinter Printer(Out, WriterCtx);
2296 Printer.printTag(N);
2297 Printer.printString("name", N->getName());
2298 Printer.printMetadata("scope", N->getRawScope());
2299 Printer.printMetadata("file", N->getRawFile());
2300 Printer.printInt("line", N->getLine());
2301 Printer.printMetadata("baseType", N->getRawBaseType(),
2302 /* ShouldSkipNull */ false);
2303 Printer.printMetadataOrInt("size", N->getRawSizeInBits(), true);
2304 Printer.printInt("align", N->getAlignInBits());
2305 Printer.printMetadataOrInt("offset", N->getRawOffsetInBits(), true);
2306 Printer.printDIFlags("flags", N->getFlags());
2307 Printer.printMetadata("extraData", N->getRawExtraData());
2308 if (const auto &DWARFAddressSpace = N->getDWARFAddressSpace())
2309 Printer.printInt("dwarfAddressSpace", *DWARFAddressSpace,
2310 /* ShouldSkipZero */ false);
2311 Printer.printMetadata("annotations", N->getRawAnnotations());
2312 if (auto PtrAuthData = N->getPtrAuthData()) {
2313 Printer.printInt("ptrAuthKey", PtrAuthData->key());
2314 Printer.printBool("ptrAuthIsAddressDiscriminated",
2315 PtrAuthData->isAddressDiscriminated());
2316 Printer.printInt("ptrAuthExtraDiscriminator",
2317 PtrAuthData->extraDiscriminator());
2318 Printer.printBool("ptrAuthIsaPointer", PtrAuthData->isaPointer());
2319 Printer.printBool("ptrAuthAuthenticatesNullValues",
2320 PtrAuthData->authenticatesNullValues());
2321 }
2322 Out << ")";
2323}
2324
2326 AsmWriterContext &WriterCtx) {
2327 Out << "!DISubrangeType(";
2328 MDFieldPrinter Printer(Out, WriterCtx);
2329 Printer.printString("name", N->getName());
2330 Printer.printMetadata("scope", N->getRawScope());
2331 Printer.printMetadata("file", N->getRawFile());
2332 Printer.printInt("line", N->getLine());
2333 Printer.printMetadataOrInt("size", N->getRawSizeInBits(), true);
2334 Printer.printInt("align", N->getAlignInBits());
2335 Printer.printDIFlags("flags", N->getFlags());
2336 Printer.printMetadata("baseType", N->getRawBaseType(),
2337 /* ShouldSkipNull */ false);
2338 Printer.printMetadata("lowerBound", N->getRawLowerBound());
2339 Printer.printMetadata("upperBound", N->getRawUpperBound());
2340 Printer.printMetadata("stride", N->getRawStride());
2341 Printer.printMetadata("bias", N->getRawBias());
2342 Out << ")";
2343}
2344
2346 AsmWriterContext &WriterCtx) {
2347 Out << "!DICompositeType(";
2348 MDFieldPrinter Printer(Out, WriterCtx);
2349 Printer.printTag(N);
2350 Printer.printString("name", N->getName());
2351 Printer.printMetadata("scope", N->getRawScope());
2352 Printer.printMetadata("file", N->getRawFile());
2353 Printer.printInt("line", N->getLine());
2354 Printer.printMetadata("baseType", N->getRawBaseType());
2355 Printer.printMetadataOrInt("size", N->getRawSizeInBits(), true);
2356 Printer.printInt("align", N->getAlignInBits());
2357 Printer.printMetadataOrInt("offset", N->getRawOffsetInBits(), true);
2358 Printer.printInt("num_extra_inhabitants", N->getNumExtraInhabitants());
2359 Printer.printDIFlags("flags", N->getFlags());
2360 Printer.printMetadata("elements", N->getRawElements());
2361 Printer.printDwarfEnum("runtimeLang", N->getRuntimeLang(),
2363 Printer.printMetadata("vtableHolder", N->getRawVTableHolder());
2364 Printer.printMetadata("templateParams", N->getRawTemplateParams());
2365 Printer.printString("identifier", N->getIdentifier());
2366 Printer.printMetadata("discriminator", N->getRawDiscriminator());
2367 Printer.printMetadata("dataLocation", N->getRawDataLocation());
2368 Printer.printMetadata("associated", N->getRawAssociated());
2369 Printer.printMetadata("allocated", N->getRawAllocated());
2370 if (auto *RankConst = N->getRankConst())
2371 Printer.printInt("rank", RankConst->getSExtValue(),
2372 /* ShouldSkipZero */ false);
2373 else
2374 Printer.printMetadata("rank", N->getRawRank(), /*ShouldSkipNull */ true);
2375 Printer.printMetadata("annotations", N->getRawAnnotations());
2376 if (auto *Specification = N->getRawSpecification())
2377 Printer.printMetadata("specification", Specification);
2378
2379 if (auto EnumKind = N->getEnumKind())
2380 Printer.printDwarfEnum("enumKind", *EnumKind, dwarf::EnumKindString,
2381 /*ShouldSkipZero=*/false);
2382
2383 Printer.printMetadata("bitStride", N->getRawBitStride());
2384 Out << ")";
2385}
2386
2388 AsmWriterContext &WriterCtx) {
2389 Out << "!DISubroutineType(";
2390 MDFieldPrinter Printer(Out, WriterCtx);
2391 Printer.printDIFlags("flags", N->getFlags());
2392 Printer.printDwarfEnum("cc", N->getCC(), dwarf::ConventionString);
2393 Printer.printMetadata("types", N->getRawTypeArray(),
2394 /* ShouldSkipNull */ false);
2395 Out << ")";
2396}
2397
2398static void writeDIFile(raw_ostream &Out, const DIFile *N, AsmWriterContext &) {
2399 Out << "!DIFile(";
2400 MDFieldPrinter Printer(Out);
2401 Printer.printString("filename", N->getFilename(),
2402 /* ShouldSkipEmpty */ false);
2403 Printer.printString("directory", N->getDirectory(),
2404 /* ShouldSkipEmpty */ false);
2405 // Print all values for checksum together, or not at all.
2406 if (N->getChecksum())
2407 Printer.printChecksum(*N->getChecksum());
2408 if (N->getSource())
2409 Printer.printString("source", *N->getSource(),
2410 /* ShouldSkipEmpty */ false);
2411 Out << ")";
2412}
2413
2415 AsmWriterContext &WriterCtx) {
2416 Out << "!DICompileUnit(";
2417 MDFieldPrinter Printer(Out, WriterCtx);
2418
2419 DISourceLanguageName Lang = N->getSourceLanguage();
2420
2421 if (Lang.hasVersionedName()) {
2422 Printer.printDwarfEnum(
2423 "sourceLanguageName",
2424 static_cast<llvm::dwarf::SourceLanguageName>(Lang.getName()),
2426 /* ShouldSkipZero */ false);
2427
2428 Printer.printInt("sourceLanguageVersion", Lang.getVersion(),
2429 /*ShouldSkipZero=*/true);
2430 } else {
2431 Printer.printDwarfEnum("language", Lang.getName(), dwarf::LanguageString,
2432 /* ShouldSkipZero */ false);
2433 }
2434
2435 Printer.printMetadata("file", N->getRawFile(), /* ShouldSkipNull */ false);
2436 Printer.printString("producer", N->getProducer());
2437 Printer.printBool("isOptimized", N->isOptimized());
2438 Printer.printString("flags", N->getFlags());
2439 Printer.printInt("runtimeVersion", N->getRuntimeVersion(),
2440 /* ShouldSkipZero */ false);
2441 Printer.printString("splitDebugFilename", N->getSplitDebugFilename());
2442 Printer.printEmissionKind("emissionKind", N->getEmissionKind());
2443 Printer.printMetadata("enums", N->getRawEnumTypes());
2444 Printer.printMetadata("retainedTypes", N->getRawRetainedTypes());
2445 Printer.printMetadata("globals", N->getRawGlobalVariables());
2446 Printer.printMetadata("imports", N->getRawImportedEntities());
2447 Printer.printMetadata("macros", N->getRawMacros());
2448 Printer.printInt("dwoId", N->getDWOId());
2449 Printer.printBool("splitDebugInlining", N->getSplitDebugInlining(), true);
2450 Printer.printBool("debugInfoForProfiling", N->getDebugInfoForProfiling(),
2451 false);
2452 Printer.printNameTableKind("nameTableKind", N->getNameTableKind());
2453 Printer.printBool("rangesBaseAddress", N->getRangesBaseAddress(), false);
2454 Printer.printString("sysroot", N->getSysRoot());
2455 Printer.printString("sdk", N->getSDK());
2456 Out << ")";
2457}
2458
2460 AsmWriterContext &WriterCtx) {
2461 Out << "!DISubprogram(";
2462 MDFieldPrinter Printer(Out, WriterCtx);
2463 Printer.printString("name", N->getName());
2464 Printer.printString("linkageName", N->getLinkageName());
2465 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2466 Printer.printMetadata("file", N->getRawFile());
2467 Printer.printInt("line", N->getLine());
2468 Printer.printMetadata("type", N->getRawType());
2469 Printer.printInt("scopeLine", N->getScopeLine());
2470 Printer.printMetadata("containingType", N->getRawContainingType());
2471 if (N->getVirtuality() != dwarf::DW_VIRTUALITY_none ||
2472 N->getVirtualIndex() != 0)
2473 Printer.printInt("virtualIndex", N->getVirtualIndex(), false);
2474 Printer.printInt("thisAdjustment", N->getThisAdjustment());
2475 Printer.printDIFlags("flags", N->getFlags());
2476 Printer.printDISPFlags("spFlags", N->getSPFlags());
2477 Printer.printMetadata("unit", N->getRawUnit());
2478 Printer.printMetadata("templateParams", N->getRawTemplateParams());
2479 Printer.printMetadata("declaration", N->getRawDeclaration());
2480 Printer.printMetadata("retainedNodes", N->getRawRetainedNodes());
2481 Printer.printMetadata("thrownTypes", N->getRawThrownTypes());
2482 Printer.printMetadata("annotations", N->getRawAnnotations());
2483 Printer.printString("targetFuncName", N->getTargetFuncName());
2484 Printer.printBool("keyInstructions", N->getKeyInstructionsEnabled(), false);
2485 Out << ")";
2486}
2487
2489 AsmWriterContext &WriterCtx) {
2490 Out << "!DILexicalBlock(";
2491 MDFieldPrinter Printer(Out, WriterCtx);
2492 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2493 Printer.printMetadata("file", N->getRawFile());
2494 Printer.printInt("line", N->getLine());
2495 Printer.printInt("column", N->getColumn());
2496 Out << ")";
2497}
2498
2500 const DILexicalBlockFile *N,
2501 AsmWriterContext &WriterCtx) {
2502 Out << "!DILexicalBlockFile(";
2503 MDFieldPrinter Printer(Out, WriterCtx);
2504 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2505 Printer.printMetadata("file", N->getRawFile());
2506 Printer.printInt("discriminator", N->getDiscriminator(),
2507 /* ShouldSkipZero */ false);
2508 Out << ")";
2509}
2510
2512 AsmWriterContext &WriterCtx) {
2513 Out << "!DINamespace(";
2514 MDFieldPrinter Printer(Out, WriterCtx);
2515 Printer.printString("name", N->getName());
2516 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2517 Printer.printBool("exportSymbols", N->getExportSymbols(), false);
2518 Out << ")";
2519}
2520
2522 AsmWriterContext &WriterCtx) {
2523 Out << "!DICommonBlock(";
2524 MDFieldPrinter Printer(Out, WriterCtx);
2525 Printer.printMetadata("scope", N->getRawScope(), false);
2526 Printer.printMetadata("declaration", N->getRawDecl(), false);
2527 Printer.printString("name", N->getName());
2528 Printer.printMetadata("file", N->getRawFile());
2529 Printer.printInt("line", N->getLineNo());
2530 Out << ")";
2531}
2532
2533static void writeDIMacro(raw_ostream &Out, const DIMacro *N,
2534 AsmWriterContext &WriterCtx) {
2535 Out << "!DIMacro(";
2536 MDFieldPrinter Printer(Out, WriterCtx);
2537 Printer.printMacinfoType(N);
2538 Printer.printInt("line", N->getLine());
2539 Printer.printString("name", N->getName());
2540 Printer.printString("value", N->getValue());
2541 Out << ")";
2542}
2543
2545 AsmWriterContext &WriterCtx) {
2546 Out << "!DIMacroFile(";
2547 MDFieldPrinter Printer(Out, WriterCtx);
2548 Printer.printInt("line", N->getLine());
2549 Printer.printMetadata("file", N->getRawFile(), /* ShouldSkipNull */ false);
2550 Printer.printMetadata("nodes", N->getRawElements());
2551 Out << ")";
2552}
2553
2554static void writeDIModule(raw_ostream &Out, const DIModule *N,
2555 AsmWriterContext &WriterCtx) {
2556 Out << "!DIModule(";
2557 MDFieldPrinter Printer(Out, WriterCtx);
2558 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2559 Printer.printString("name", N->getName());
2560 Printer.printString("configMacros", N->getConfigurationMacros());
2561 Printer.printString("includePath", N->getIncludePath());
2562 Printer.printString("apinotes", N->getAPINotesFile());
2563 Printer.printMetadata("file", N->getRawFile());
2564 Printer.printInt("line", N->getLineNo());
2565 Printer.printBool("isDecl", N->getIsDecl(), /* Default */ false);
2566 Out << ")";
2567}
2568
2571 AsmWriterContext &WriterCtx) {
2572 Out << "!DITemplateTypeParameter(";
2573 MDFieldPrinter Printer(Out, WriterCtx);
2574 Printer.printString("name", N->getName());
2575 Printer.printMetadata("type", N->getRawType(), /* ShouldSkipNull */ false);
2576 Printer.printBool("defaulted", N->isDefault(), /* Default= */ false);
2577 Out << ")";
2578}
2579
2582 AsmWriterContext &WriterCtx) {
2583 Out << "!DITemplateValueParameter(";
2584 MDFieldPrinter Printer(Out, WriterCtx);
2585 if (N->getTag() != dwarf::DW_TAG_template_value_parameter)
2586 Printer.printTag(N);
2587 Printer.printString("name", N->getName());
2588 Printer.printMetadata("type", N->getRawType());
2589 Printer.printBool("defaulted", N->isDefault(), /* Default= */ false);
2590 Printer.printMetadata("value", N->getValue(), /* ShouldSkipNull */ false);
2591 Out << ")";
2592}
2593
2595 AsmWriterContext &WriterCtx) {
2596 Out << "!DIGlobalVariable(";
2597 MDFieldPrinter Printer(Out, WriterCtx);
2598 Printer.printString("name", N->getName());
2599 Printer.printString("linkageName", N->getLinkageName());
2600 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2601 Printer.printMetadata("file", N->getRawFile());
2602 Printer.printInt("line", N->getLine());
2603 Printer.printMetadata("type", N->getRawType());
2604 Printer.printBool("isLocal", N->isLocalToUnit());
2605 Printer.printBool("isDefinition", N->isDefinition());
2606 Printer.printMetadata("declaration", N->getRawStaticDataMemberDeclaration());
2607 Printer.printMetadata("templateParams", N->getRawTemplateParams());
2608 Printer.printInt("align", N->getAlignInBits());
2609 Printer.printMetadata("annotations", N->getRawAnnotations());
2610 Out << ")";
2611}
2612
2614 AsmWriterContext &WriterCtx) {
2615 Out << "!DILocalVariable(";
2616 MDFieldPrinter Printer(Out, WriterCtx);
2617 Printer.printString("name", N->getName());
2618 Printer.printInt("arg", N->getArg());
2619 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2620 Printer.printMetadata("file", N->getRawFile());
2621 Printer.printInt("line", N->getLine());
2622 Printer.printMetadata("type", N->getRawType());
2623 Printer.printDIFlags("flags", N->getFlags());
2624 Printer.printInt("align", N->getAlignInBits());
2625 Printer.printMetadata("annotations", N->getRawAnnotations());
2626 Out << ")";
2627}
2628
2629static void writeDILabel(raw_ostream &Out, const DILabel *N,
2630 AsmWriterContext &WriterCtx) {
2631 Out << "!DILabel(";
2632 MDFieldPrinter Printer(Out, WriterCtx);
2633 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2634 Printer.printString("name", N->getName());
2635 Printer.printMetadata("file", N->getRawFile());
2636 Printer.printInt("line", N->getLine());
2637 Printer.printInt("column", N->getColumn());
2638 Printer.printBool("isArtificial", N->isArtificial(), false);
2639 if (N->getCoroSuspendIdx())
2640 Printer.printInt("coroSuspendIdx", *N->getCoroSuspendIdx(),
2641 /* ShouldSkipZero */ false);
2642 Out << ")";
2643}
2644
2646 AsmWriterContext &WriterCtx) {
2647 Out << "!DIExpression(";
2648 ListSeparator FS;
2649 if (N->isValid()) {
2650 for (const DIExpression::ExprOperand &Op : N->expr_ops()) {
2651 auto OpStr = dwarf::OperationEncodingString(Op.getOp());
2652 assert(!OpStr.empty() && "Expected valid opcode");
2653
2654 Out << FS << OpStr;
2655 if (Op.getOp() == dwarf::DW_OP_LLVM_convert) {
2656 Out << FS << Op.getArg(0);
2657 Out << FS << dwarf::AttributeEncodingString(Op.getArg(1));
2658 } else {
2659 for (unsigned A = 0, AE = Op.getNumArgs(); A != AE; ++A)
2660 Out << FS << Op.getArg(A);
2661 }
2662 }
2663 } else {
2664 for (const auto &I : N->getElements())
2665 Out << FS << I;
2666 }
2667 Out << ")";
2668}
2669
2670static void writeDIArgList(raw_ostream &Out, const DIArgList *N,
2671 AsmWriterContext &WriterCtx,
2672 bool FromValue = false) {
2673 assert(FromValue &&
2674 "Unexpected DIArgList metadata outside of value argument");
2675 Out << "!DIArgList(";
2676 ListSeparator FS;
2677 MDFieldPrinter Printer(Out, WriterCtx);
2678 for (const Metadata *Arg : N->getArgs()) {
2679 Out << FS;
2680 writeAsOperandInternal(Out, Arg, WriterCtx, true);
2681 }
2682 Out << ")";
2683}
2684
2687 AsmWriterContext &WriterCtx) {
2688 Out << "!DIGlobalVariableExpression(";
2689 MDFieldPrinter Printer(Out, WriterCtx);
2690 Printer.printMetadata("var", N->getVariable());
2691 Printer.printMetadata("expr", N->getExpression());
2692 Out << ")";
2693}
2694
2696 AsmWriterContext &WriterCtx) {
2697 Out << "!DIObjCProperty(";
2698 MDFieldPrinter Printer(Out, WriterCtx);
2699 Printer.printString("name", N->getName());
2700 Printer.printMetadata("file", N->getRawFile());
2701 Printer.printInt("line", N->getLine());
2702 Printer.printString("setter", N->getSetterName());
2703 Printer.printString("getter", N->getGetterName());
2704 Printer.printInt("attributes", N->getAttributes());
2705 Printer.printMetadata("type", N->getRawType());
2706 Out << ")";
2707}
2708
2710 AsmWriterContext &WriterCtx) {
2711 Out << "!DIImportedEntity(";
2712 MDFieldPrinter Printer(Out, WriterCtx);
2713 Printer.printTag(N);
2714 Printer.printString("name", N->getName());
2715 Printer.printMetadata("scope", N->getRawScope(), /* ShouldSkipNull */ false);
2716 Printer.printMetadata("entity", N->getRawEntity());
2717 Printer.printMetadata("file", N->getRawFile());
2718 Printer.printInt("line", N->getLine());
2719 Printer.printMetadata("elements", N->getRawElements());
2720 Out << ")";
2721}
2722
2724 AsmWriterContext &Ctx) {
2725 if (Node->isDistinct())
2726 Out << "distinct ";
2727 else if (Node->isTemporary())
2728 Out << "<temporary!> "; // Handle broken code.
2729
2730 switch (Node->getMetadataID()) {
2731 default:
2732 llvm_unreachable("Expected uniquable MDNode");
2733#define HANDLE_MDNODE_LEAF(CLASS) \
2734 case Metadata::CLASS##Kind: \
2735 write##CLASS(Out, cast<CLASS>(Node), Ctx); \
2736 break;
2737#include "llvm/IR/Metadata.def"
2738 }
2739}
2740
2741// Full implementation of printing a Value as an operand with support for
2742// TypePrinting, etc.
2743static void writeAsOperandInternal(raw_ostream &Out, const Value *V,
2744 AsmWriterContext &WriterCtx,
2745 bool PrintType) {
2746 if (PrintType) {
2747 WriterCtx.TypePrinter->print(V->getType(), Out);
2748 Out << ' ';
2749 }
2750
2751 if (V->hasName()) {
2752 printLLVMName(Out, V);
2753 return;
2754 }
2755
2756 const auto *CV = dyn_cast<Constant>(V);
2757 if (CV && !isa<GlobalValue>(CV)) {
2758 assert(WriterCtx.TypePrinter && "Constants require TypePrinting!");
2759 writeConstantInternal(Out, CV, WriterCtx);
2760 return;
2761 }
2762
2763 if (const auto *IA = dyn_cast<InlineAsm>(V)) {
2764 Out << "asm ";
2765 if (IA->hasSideEffects())
2766 Out << "sideeffect ";
2767 if (IA->isAlignStack())
2768 Out << "alignstack ";
2769 // We don't emit the AD_ATT dialect as it's the assumed default.
2770 if (IA->getDialect() == InlineAsm::AD_Intel)
2771 Out << "inteldialect ";
2772 if (IA->canThrow())
2773 Out << "unwind ";
2774 Out << '"';
2775 printEscapedString(IA->getAsmString(), Out);
2776 Out << "\", \"";
2777 printEscapedString(IA->getConstraintString(), Out);
2778 Out << '"';
2779 return;
2780 }
2781
2782 if (auto *MD = dyn_cast<MetadataAsValue>(V)) {
2783 writeAsOperandInternal(Out, MD->getMetadata(), WriterCtx,
2784 /* FromValue */ true);
2785 return;
2786 }
2787
2788 char Prefix = '%';
2789 int Slot;
2790 auto *Machine = WriterCtx.Machine;
2791 // If we have a SlotTracker, use it.
2792 if (Machine) {
2793 if (const auto *GV = dyn_cast<GlobalValue>(V)) {
2794 Slot = Machine->getGlobalSlot(GV);
2795 Prefix = '@';
2796 } else {
2797 Slot = Machine->getLocalSlot(V);
2798
2799 // If the local value didn't succeed, then we may be referring to a value
2800 // from a different function. Translate it, as this can happen when using
2801 // address of blocks.
2802 if (Slot == -1)
2803 if ((Machine = createSlotTracker(V))) {
2804 Slot = Machine->getLocalSlot(V);
2805 delete Machine;
2806 }
2807 }
2808 } else if ((Machine = createSlotTracker(V))) {
2809 // Otherwise, create one to get the # and then destroy it.
2810 if (const auto *GV = dyn_cast<GlobalValue>(V)) {
2811 Slot = Machine->getGlobalSlot(GV);
2812 Prefix = '@';
2813 } else {
2814 Slot = Machine->getLocalSlot(V);
2815 }
2816 delete Machine;
2817 Machine = nullptr;
2818 } else {
2819 Slot = -1;
2820 }
2821
2822 if (Slot != -1)
2823 Out << Prefix << Slot;
2824 else
2825 Out << "<badref>";
2826}
2827
2828static void writeAsOperandInternal(raw_ostream &Out, const Metadata *MD,
2829 AsmWriterContext &WriterCtx,
2830 bool FromValue) {
2831 // Write DIExpressions and DIArgLists inline when used as a value. Improves
2832 // readability of debug info intrinsics.
2833 if (const auto *Expr = dyn_cast<DIExpression>(MD)) {
2834 writeDIExpression(Out, Expr, WriterCtx);
2835 return;
2836 }
2837 if (const auto *ArgList = dyn_cast<DIArgList>(MD)) {
2838 writeDIArgList(Out, ArgList, WriterCtx, FromValue);
2839 return;
2840 }
2841
2842 if (const auto *N = dyn_cast<MDNode>(MD)) {
2843 std::unique_ptr<SlotTracker> MachineStorage;
2844 SaveAndRestore SARMachine(WriterCtx.Machine);
2845 if (!WriterCtx.Machine) {
2846 MachineStorage = std::make_unique<SlotTracker>(WriterCtx.Context);
2847 WriterCtx.Machine = MachineStorage.get();
2848 }
2849 int Slot = WriterCtx.Machine->getMetadataSlot(N);
2850 if (Slot == -1) {
2851 if (const auto *Loc = dyn_cast<DILocation>(N)) {
2852 writeDILocation(Out, Loc, WriterCtx);
2853 return;
2854 }
2855 // Give the pointer value instead of "badref", since this comes up all
2856 // the time when debugging.
2857 Out << "<" << N << ">";
2858 } else
2859 Out << '!' << Slot;
2860 return;
2861 }
2862
2863 if (const auto *MDS = dyn_cast<MDString>(MD)) {
2864 Out << "!\"";
2865 printEscapedString(MDS->getString(), Out);
2866 Out << '"';
2867 return;
2868 }
2869
2870 auto *V = cast<ValueAsMetadata>(MD);
2871 assert(WriterCtx.TypePrinter && "TypePrinter required for metadata values");
2872 assert((FromValue || !isa<LocalAsMetadata>(V)) &&
2873 "Unexpected function-local metadata outside of value argument");
2874
2875 writeAsOperandInternal(Out, V->getValue(), WriterCtx, /*PrintType=*/true);
2876}
2877
2878namespace {
2879
2880class AssemblyWriter {
2881 formatted_raw_ostream &Out;
2882 const Module *TheModule = nullptr;
2883 const ModuleSummaryIndex *TheIndex = nullptr;
2884 std::unique_ptr<SlotTracker> SlotTrackerStorage;
2885 SlotTracker &Machine;
2886 TypePrinting TypePrinter;
2887 AssemblyAnnotationWriter *AnnotationWriter = nullptr;
2888 SetVector<const Comdat *> Comdats;
2889 bool IsForDebug;
2890 bool ShouldPreserveUseListOrder;
2891 UseListOrderMap UseListOrders;
2893 /// Synchronization scope names registered with LLVMContext.
2895 DenseMap<const GlobalValueSummary *, GlobalValue::GUID> SummaryToGUIDMap;
2896
2897public:
2898 /// Construct an AssemblyWriter with an external SlotTracker
2899 AssemblyWriter(formatted_raw_ostream &o, SlotTracker &Mac, const Module *M,
2900 AssemblyAnnotationWriter *AAW, bool IsForDebug,
2901 bool ShouldPreserveUseListOrder = false);
2902
2903 AssemblyWriter(formatted_raw_ostream &o, SlotTracker &Mac,
2904 const ModuleSummaryIndex *Index, bool IsForDebug);
2905
2906 AsmWriterContext getContext() {
2907 return AsmWriterContext(&TypePrinter, &Machine, TheModule);
2908 }
2909
2910 void printMDNodeBody(const MDNode *MD);
2911 void printNamedMDNode(const NamedMDNode *NMD);
2912
2913 void printModule(const Module *M);
2914
2915 void writeOperand(const Value *Op, bool PrintType);
2916 void writeParamOperand(const Value *Operand, AttributeSet Attrs);
2917 void writeOperandBundles(const CallBase *Call);
2918 void writeSyncScope(const LLVMContext &Context,
2919 SyncScope::ID SSID);
2920 void writeAtomic(const LLVMContext &Context,
2921 AtomicOrdering Ordering,
2922 SyncScope::ID SSID);
2923 void writeAtomicCmpXchg(const LLVMContext &Context,
2924 AtomicOrdering SuccessOrdering,
2925 AtomicOrdering FailureOrdering,
2926 SyncScope::ID SSID);
2927
2928 void writeAllMDNodes();
2929 void writeMDNode(unsigned Slot, const MDNode *Node);
2930 void writeAttribute(const Attribute &Attr, bool InAttrGroup = false);
2931 void writeAttributeSet(const AttributeSet &AttrSet, bool InAttrGroup = false);
2932 void writeAllAttributeGroups();
2933
2934 void printTypeIdentities();
2935 void printGlobal(const GlobalVariable *GV);
2936 void printAlias(const GlobalAlias *GA);
2937 void printIFunc(const GlobalIFunc *GI);
2938 void printComdat(const Comdat *C);
2939 void printFunction(const Function *F);
2940 void printArgument(const Argument *FA, AttributeSet Attrs);
2941 void printBasicBlock(const BasicBlock *BB);
2942 void printInstructionLine(const Instruction &I);
2943 void printInstruction(const Instruction &I);
2944 void printDbgMarker(const DbgMarker &DPI);
2945 void printDbgVariableRecord(const DbgVariableRecord &DVR);
2946 void printDbgLabelRecord(const DbgLabelRecord &DLR);
2947 void printDbgRecord(const DbgRecord &DR);
2948 void printDbgRecordLine(const DbgRecord &DR);
2949
2950 void printUseListOrder(const Value *V, ArrayRef<unsigned> Shuffle);
2951 void printUseLists(const Function *F);
2952
2953 void printModuleSummaryIndex();
2954 void printSummaryInfo(unsigned Slot, const ValueInfo &VI);
2955 void printSummary(const GlobalValueSummary &Summary);
2956 void printAliasSummary(const AliasSummary *AS);
2957 void printGlobalVarSummary(const GlobalVarSummary *GS);
2958 void printFunctionSummary(const FunctionSummary *FS);
2959 void printTypeIdSummary(const TypeIdSummary &TIS);
2960 void printTypeIdCompatibleVtableSummary(const TypeIdCompatibleVtableInfo &TI);
2961 void printTypeTestResolution(const TypeTestResolution &TTRes);
2962 void printArgs(ArrayRef<uint64_t> Args);
2963 void printWPDRes(const WholeProgramDevirtResolution &WPDRes);
2964 void printTypeIdInfo(const FunctionSummary::TypeIdInfo &TIDInfo);
2965 void printVFuncId(const FunctionSummary::VFuncId VFId);
2966 void printNonConstVCalls(ArrayRef<FunctionSummary::VFuncId> VCallList,
2967 const char *Tag);
2968 void printConstVCalls(ArrayRef<FunctionSummary::ConstVCall> VCallList,
2969 const char *Tag);
2970
2971private:
2972 /// Print out metadata attachments.
2973 void printMetadataAttachments(
2974 const SmallVectorImpl<std::pair<unsigned, MDNode *>> &MDs,
2975 StringRef Separator);
2976
2977 // printInfoComment - Print a little comment after the instruction indicating
2978 // which slot it occupies.
2979 void printInfoComment(const Value &V, bool isMaterializable = false);
2980
2981 // printGCRelocateComment - print comment after call to the gc.relocate
2982 // intrinsic indicating base and derived pointer names.
2983 void printGCRelocateComment(const GCRelocateInst &Relocate);
2984};
2985
2986} // end anonymous namespace
2987
2988AssemblyWriter::AssemblyWriter(formatted_raw_ostream &o, SlotTracker &Mac,
2989 const Module *M, AssemblyAnnotationWriter *AAW,
2990 bool IsForDebug, bool ShouldPreserveUseListOrder)
2991 : Out(o), TheModule(M), Machine(Mac), TypePrinter(M), AnnotationWriter(AAW),
2992 IsForDebug(IsForDebug),
2993 ShouldPreserveUseListOrder(
2994 PreserveAssemblyUseListOrder.getNumOccurrences()
2996 : ShouldPreserveUseListOrder) {
2997 if (!TheModule)
2998 return;
2999 for (const GlobalObject &GO : TheModule->global_objects())
3000 if (const Comdat *C = GO.getComdat())
3001 Comdats.insert(C);
3002}
3003
3004AssemblyWriter::AssemblyWriter(formatted_raw_ostream &o, SlotTracker &Mac,
3005 const ModuleSummaryIndex *Index, bool IsForDebug)
3006 : Out(o), TheIndex(Index), Machine(Mac), TypePrinter(/*Module=*/nullptr),
3007 IsForDebug(IsForDebug),
3008 ShouldPreserveUseListOrder(PreserveAssemblyUseListOrder) {}
3009
3010void AssemblyWriter::writeOperand(const Value *Operand, bool PrintType) {
3011 if (!Operand) {
3012 Out << "<null operand!>";
3013 return;
3014 }
3015 auto WriteCtx = getContext();
3016 writeAsOperandInternal(Out, Operand, WriteCtx, PrintType);
3017}
3018
3019void AssemblyWriter::writeSyncScope(const LLVMContext &Context,
3020 SyncScope::ID SSID) {
3021 switch (SSID) {
3022 case SyncScope::System: {
3023 break;
3024 }
3025 default: {
3026 if (SSNs.empty())
3027 Context.getSyncScopeNames(SSNs);
3028
3029 Out << " syncscope(\"";
3030 printEscapedString(SSNs[SSID], Out);
3031 Out << "\")";
3032 break;
3033 }
3034 }
3035}
3036
3037void AssemblyWriter::writeAtomic(const LLVMContext &Context,
3038 AtomicOrdering Ordering,
3039 SyncScope::ID SSID) {
3040 if (Ordering == AtomicOrdering::NotAtomic)
3041 return;
3042
3043 writeSyncScope(Context, SSID);
3044 Out << " " << toIRString(Ordering);
3045}
3046
3047void AssemblyWriter::writeAtomicCmpXchg(const LLVMContext &Context,
3048 AtomicOrdering SuccessOrdering,
3049 AtomicOrdering FailureOrdering,
3050 SyncScope::ID SSID) {
3051 assert(SuccessOrdering != AtomicOrdering::NotAtomic &&
3052 FailureOrdering != AtomicOrdering::NotAtomic);
3053
3054 writeSyncScope(Context, SSID);
3055 Out << " " << toIRString(SuccessOrdering);
3056 Out << " " << toIRString(FailureOrdering);
3057}
3058
3059void AssemblyWriter::writeParamOperand(const Value *Operand,
3060 AttributeSet Attrs) {
3061 if (!Operand) {
3062 Out << "<null operand!>";
3063 return;
3064 }
3065
3066 // Print the type
3067 TypePrinter.print(Operand->getType(), Out);
3068 // Print parameter attributes list
3069 if (Attrs.hasAttributes()) {
3070 Out << ' ';
3071 writeAttributeSet(Attrs);
3072 }
3073 Out << ' ';
3074 // Print the operand
3075 auto WriterCtx = getContext();
3076 writeAsOperandInternal(Out, Operand, WriterCtx);
3077}
3078
3079void AssemblyWriter::writeOperandBundles(const CallBase *Call) {
3080 if (!Call->hasOperandBundles())
3081 return;
3082
3083 Out << " [ ";
3084
3085 ListSeparator LS;
3086 for (unsigned i = 0, e = Call->getNumOperandBundles(); i != e; ++i) {
3087 OperandBundleUse BU = Call->getOperandBundleAt(i);
3088
3089 Out << LS << '"';
3090 printEscapedString(BU.getTagName(), Out);
3091 Out << '"';
3092
3093 Out << '(';
3094
3095 ListSeparator InnerLS;
3096 auto WriterCtx = getContext();
3097 for (const auto &Input : BU.Inputs) {
3098 Out << InnerLS;
3099 if (Input == nullptr)
3100 Out << "<null operand bundle!>";
3101 else
3102 writeAsOperandInternal(Out, Input, WriterCtx, /*PrintType=*/true);
3103 }
3104
3105 Out << ')';
3106 }
3107
3108 Out << " ]";
3109}
3110
3111void AssemblyWriter::printModule(const Module *M) {
3112 Machine.initializeIfNeeded();
3113
3114 if (ShouldPreserveUseListOrder)
3115 UseListOrders = predictUseListOrder(M);
3116
3117 if (!M->getModuleIdentifier().empty() &&
3118 // Don't print the ID if it will start a new line (which would
3119 // require a comment char before it).
3120 M->getModuleIdentifier().find('\n') == std::string::npos)
3121 Out << "; ModuleID = '" << M->getModuleIdentifier() << "'\n";
3122
3123 if (!M->getSourceFileName().empty()) {
3124 Out << "source_filename = \"";
3125 printEscapedString(M->getSourceFileName(), Out);
3126 Out << "\"\n";
3127 }
3128
3129 const std::string &DL = M->getDataLayoutStr();
3130 if (!DL.empty())
3131 Out << "target datalayout = \"" << DL << "\"\n";
3132 if (!M->getTargetTriple().empty())
3133 Out << "target triple = \"" << M->getTargetTriple().str() << "\"\n";
3134
3135 if (!M->getModuleInlineAsm().empty()) {
3136 Out << '\n';
3137
3138 // Split the string into lines, to make it easier to read the .ll file.
3139 StringRef Asm = M->getModuleInlineAsm();
3140 do {
3141 StringRef Front;
3142 std::tie(Front, Asm) = Asm.split('\n');
3143
3144 // We found a newline, print the portion of the asm string from the
3145 // last newline up to this newline.
3146 Out << "module asm \"";
3147 printEscapedString(Front, Out);
3148 Out << "\"\n";
3149 } while (!Asm.empty());
3150 }
3151
3152 printTypeIdentities();
3153
3154 // Output all comdats.
3155 if (!Comdats.empty())
3156 Out << '\n';
3157 for (const Comdat *C : Comdats) {
3158 printComdat(C);
3159 if (C != Comdats.back())
3160 Out << '\n';
3161 }
3162
3163 // Output all globals.
3164 if (!M->global_empty()) Out << '\n';
3165 for (const GlobalVariable &GV : M->globals()) {
3166 printGlobal(&GV); Out << '\n';
3167 }
3168
3169 // Output all aliases.
3170 if (!M->alias_empty()) Out << "\n";
3171 for (const GlobalAlias &GA : M->aliases())
3172 printAlias(&GA);
3173
3174 // Output all ifuncs.
3175 if (!M->ifunc_empty()) Out << "\n";
3176 for (const GlobalIFunc &GI : M->ifuncs())
3177 printIFunc(&GI);
3178
3179 // Output all of the functions.
3180 for (const Function &F : *M) {
3181 Out << '\n';
3182 printFunction(&F);
3183 }
3184
3185 // Output global use-lists.
3186 printUseLists(nullptr);
3187
3188 // Output all attribute groups.
3189 if (!Machine.as_empty()) {
3190 Out << '\n';
3191 writeAllAttributeGroups();
3192 }
3193
3194 // Output named metadata.
3195 if (!M->named_metadata_empty()) Out << '\n';
3196
3197 for (const NamedMDNode &Node : M->named_metadata())
3198 printNamedMDNode(&Node);
3199
3200 // Output metadata.
3201 if (!Machine.mdn_empty()) {
3202 Out << '\n';
3203 writeAllMDNodes();
3204 }
3205}
3206
3207void AssemblyWriter::printModuleSummaryIndex() {
3208 assert(TheIndex);
3209 int NumSlots = Machine.initializeIndexIfNeeded();
3210
3211 Out << "\n";
3212
3213 // Print module path entries. To print in order, add paths to a vector
3214 // indexed by module slot.
3215 std::vector<std::pair<std::string, ModuleHash>> moduleVec;
3216 std::string RegularLTOModuleName =
3218 moduleVec.resize(TheIndex->modulePaths().size());
3219 for (auto &[ModPath, ModHash] : TheIndex->modulePaths())
3220 moduleVec[Machine.getModulePathSlot(ModPath)] = std::make_pair(
3221 // An empty module path is a special entry for a regular LTO module
3222 // created during the thin link.
3223 ModPath.empty() ? RegularLTOModuleName : std::string(ModPath), ModHash);
3224
3225 unsigned i = 0;
3226 for (auto &ModPair : moduleVec) {
3227 Out << "^" << i++ << " = module: (";
3228 Out << "path: \"";
3229 printEscapedString(ModPair.first, Out);
3230 Out << "\", hash: (";
3231 ListSeparator FS;
3232 for (auto Hash : ModPair.second)
3233 Out << FS << Hash;
3234 Out << "))\n";
3235 }
3236
3237 // FIXME: Change AliasSummary to hold a ValueInfo instead of summary pointer
3238 // for aliasee (then update BitcodeWriter.cpp and remove get/setAliaseeGUID).
3239 for (auto &GlobalList : *TheIndex) {
3240 auto GUID = GlobalList.first;
3241 for (auto &Summary : GlobalList.second.getSummaryList())
3242 SummaryToGUIDMap[Summary.get()] = GUID;
3243 }
3244
3245 // Print the global value summary entries.
3246 for (auto &GlobalList : *TheIndex) {
3247 auto GUID = GlobalList.first;
3248 auto VI = TheIndex->getValueInfo(GlobalList);
3249 printSummaryInfo(Machine.getGUIDSlot(GUID), VI);
3250 }
3251
3252 // Print the TypeIdMap entries.
3253 for (const auto &TID : TheIndex->typeIds()) {
3254 Out << "^" << Machine.getTypeIdSlot(TID.second.first)
3255 << " = typeid: (name: \"" << TID.second.first << "\"";
3256 printTypeIdSummary(TID.second.second);
3257 Out << ") ; guid = " << TID.first << "\n";
3258 }
3259
3260 // Print the TypeIdCompatibleVtableMap entries.
3261 for (auto &TId : TheIndex->typeIdCompatibleVtableMap()) {
3263 Out << "^" << Machine.getTypeIdCompatibleVtableSlot(TId.first)
3264 << " = typeidCompatibleVTable: (name: \"" << TId.first << "\"";
3265 printTypeIdCompatibleVtableSummary(TId.second);
3266 Out << ") ; guid = " << GUID << "\n";
3267 }
3268
3269 // Don't emit flags when it's not really needed (value is zero by default).
3270 if (TheIndex->getFlags()) {
3271 Out << "^" << NumSlots << " = flags: " << TheIndex->getFlags() << "\n";
3272 ++NumSlots;
3273 }
3274
3275 Out << "^" << NumSlots << " = blockcount: " << TheIndex->getBlockCount()
3276 << "\n";
3277}
3278
3279static const char *
3281 switch (K) {
3283 return "indir";
3285 return "singleImpl";
3287 return "branchFunnel";
3288 }
3289 llvm_unreachable("invalid WholeProgramDevirtResolution kind");
3290}
3291
3294 switch (K) {
3296 return "indir";
3298 return "uniformRetVal";
3300 return "uniqueRetVal";
3302 return "virtualConstProp";
3303 }
3304 llvm_unreachable("invalid WholeProgramDevirtResolution::ByArg kind");
3305}
3306
3308 switch (K) {
3310 return "unknown";
3312 return "unsat";
3314 return "byteArray";
3316 return "inline";
3318 return "single";
3320 return "allOnes";
3321 }
3322 llvm_unreachable("invalid TypeTestResolution kind");
3323}
3324
3325void AssemblyWriter::printTypeTestResolution(const TypeTestResolution &TTRes) {
3326 Out << "typeTestRes: (kind: " << getTTResKindName(TTRes.TheKind)
3327 << ", sizeM1BitWidth: " << TTRes.SizeM1BitWidth;
3328
3329 // The following fields are only used if the target does not support the use
3330 // of absolute symbols to store constants. Print only if non-zero.
3331 if (TTRes.AlignLog2)
3332 Out << ", alignLog2: " << TTRes.AlignLog2;
3333 if (TTRes.SizeM1)
3334 Out << ", sizeM1: " << TTRes.SizeM1;
3335 if (TTRes.BitMask)
3336 // BitMask is uint8_t which causes it to print the corresponding char.
3337 Out << ", bitMask: " << (unsigned)TTRes.BitMask;
3338 if (TTRes.InlineBits)
3339 Out << ", inlineBits: " << TTRes.InlineBits;
3340
3341 Out << ")";
3342}
3343
3344void AssemblyWriter::printTypeIdSummary(const TypeIdSummary &TIS) {
3345 Out << ", summary: (";
3346 printTypeTestResolution(TIS.TTRes);
3347 if (!TIS.WPDRes.empty()) {
3348 Out << ", wpdResolutions: (";
3349 ListSeparator FS;
3350 for (auto &WPDRes : TIS.WPDRes) {
3351 Out << FS;
3352 Out << "(offset: " << WPDRes.first << ", ";
3353 printWPDRes(WPDRes.second);
3354 Out << ")";
3355 }
3356 Out << ")";
3357 }
3358 Out << ")";
3359}
3360
3361void AssemblyWriter::printTypeIdCompatibleVtableSummary(
3362 const TypeIdCompatibleVtableInfo &TI) {
3363 Out << ", summary: (";
3364 ListSeparator FS;
3365 for (auto &P : TI) {
3366 Out << FS;
3367 Out << "(offset: " << P.AddressPointOffset << ", ";
3368 Out << "^" << Machine.getGUIDSlot(P.VTableVI.getGUID());
3369 Out << ")";
3370 }
3371 Out << ")";
3372}
3373
3374void AssemblyWriter::printArgs(ArrayRef<uint64_t> Args) {
3375 Out << "args: (" << llvm::interleaved(Args) << ')';
3376}
3377
3378void AssemblyWriter::printWPDRes(const WholeProgramDevirtResolution &WPDRes) {
3379 Out << "wpdRes: (kind: ";
3381
3383 Out << ", singleImplName: \"" << WPDRes.SingleImplName << "\"";
3384
3385 if (!WPDRes.ResByArg.empty()) {
3386 Out << ", resByArg: (";
3387 ListSeparator FS;
3388 for (auto &ResByArg : WPDRes.ResByArg) {
3389 Out << FS;
3390 printArgs(ResByArg.first);
3391 Out << ", byArg: (kind: ";
3392 Out << getWholeProgDevirtResByArgKindName(ResByArg.second.TheKind);
3393 if (ResByArg.second.TheKind ==
3395 ResByArg.second.TheKind ==
3397 Out << ", info: " << ResByArg.second.Info;
3398
3399 // The following fields are only used if the target does not support the
3400 // use of absolute symbols to store constants. Print only if non-zero.
3401 if (ResByArg.second.Byte || ResByArg.second.Bit)
3402 Out << ", byte: " << ResByArg.second.Byte
3403 << ", bit: " << ResByArg.second.Bit;
3404
3405 Out << ")";
3406 }
3407 Out << ")";
3408 }
3409 Out << ")";
3410}
3411
3413 switch (SK) {
3415 return "alias";
3417 return "function";
3419 return "variable";
3420 }
3421 llvm_unreachable("invalid summary kind");
3422}
3423
3424void AssemblyWriter::printAliasSummary(const AliasSummary *AS) {
3425 Out << ", aliasee: ";
3426 // The indexes emitted for distributed backends may not include the
3427 // aliasee summary (only if it is being imported directly). Handle
3428 // that case by just emitting "null" as the aliasee.
3429 if (AS->hasAliasee())
3430 Out << "^" << Machine.getGUIDSlot(SummaryToGUIDMap[&AS->getAliasee()]);
3431 else
3432 Out << "null";
3433}
3434
3435void AssemblyWriter::printGlobalVarSummary(const GlobalVarSummary *GS) {
3436 auto VTableFuncs = GS->vTableFuncs();
3437 Out << ", varFlags: (readonly: " << GS->VarFlags.MaybeReadOnly << ", "
3438 << "writeonly: " << GS->VarFlags.MaybeWriteOnly << ", "
3439 << "constant: " << GS->VarFlags.Constant;
3440 if (!VTableFuncs.empty())
3441 Out << ", "
3442 << "vcall_visibility: " << GS->VarFlags.VCallVisibility;
3443 Out << ")";
3444
3445 if (!VTableFuncs.empty()) {
3446 Out << ", vTableFuncs: (";
3447 ListSeparator FS;
3448 for (auto &P : VTableFuncs) {
3449 Out << FS;
3450 Out << "(virtFunc: ^" << Machine.getGUIDSlot(P.FuncVI.getGUID())
3451 << ", offset: " << P.VTableOffset;
3452 Out << ")";
3453 }
3454 Out << ")";
3455 }
3456}
3457
3459 switch (LT) {
3461 return "external";
3463 return "private";
3465 return "internal";
3467 return "linkonce";
3469 return "linkonce_odr";
3471 return "weak";
3473 return "weak_odr";
3475 return "common";
3477 return "appending";
3479 return "extern_weak";
3481 return "available_externally";
3482 }
3483 llvm_unreachable("invalid linkage");
3484}
3485
3486// When printing the linkage types in IR where the ExternalLinkage is
3487// not printed, and other linkage types are expected to be printed with
3488// a space after the name.
3491 return "";
3492 return getLinkageName(LT) + " ";
3493}
3494
3496 switch (Vis) {
3498 return "default";
3500 return "hidden";
3502 return "protected";
3503 }
3504 llvm_unreachable("invalid visibility");
3505}
3506
3508 switch (IK) {
3510 return "definition";
3512 return "declaration";
3513 }
3514 llvm_unreachable("invalid import kind");
3515}
3516
3517void AssemblyWriter::printFunctionSummary(const FunctionSummary *FS) {
3518 Out << ", insts: " << FS->instCount();
3519 if (FS->fflags().anyFlagSet())
3520 Out << ", " << FS->fflags();
3521
3522 if (!FS->calls().empty()) {
3523 Out << ", calls: (";
3524 ListSeparator IFS;
3525 for (auto &Call : FS->calls()) {
3526 Out << IFS;
3527 Out << "(callee: ^" << Machine.getGUIDSlot(Call.first.getGUID());
3528 if (Call.second.getHotness() != CalleeInfo::HotnessType::Unknown)
3529 Out << ", hotness: " << getHotnessName(Call.second.getHotness());
3530 // Follow the convention of emitting flags as a boolean value, but only
3531 // emit if true to avoid unnecessary verbosity and test churn.
3532 if (Call.second.HasTailCall)
3533 Out << ", tail: 1";
3534 Out << ")";
3535 }
3536 Out << ")";
3537 }
3538
3539 if (const auto *TIdInfo = FS->getTypeIdInfo())
3540 printTypeIdInfo(*TIdInfo);
3541
3542 // The AllocationType identifiers capture the profiled context behavior
3543 // reaching a specific static allocation site (possibly cloned).
3544 auto AllocTypeName = [](uint8_t Type) -> const char * {
3545 switch (Type) {
3546 case (uint8_t)AllocationType::None:
3547 return "none";
3548 case (uint8_t)AllocationType::NotCold:
3549 return "notcold";
3550 case (uint8_t)AllocationType::Cold:
3551 return "cold";
3552 case (uint8_t)AllocationType::Hot:
3553 return "hot";
3554 }
3555 llvm_unreachable("Unexpected alloc type");
3556 };
3557
3558 if (!FS->allocs().empty()) {
3559 Out << ", allocs: (";
3560 ListSeparator AFS;
3561 for (auto &AI : FS->allocs()) {
3562 Out << AFS;
3563 Out << "(versions: (";
3564 ListSeparator VFS;
3565 for (auto V : AI.Versions) {
3566 Out << VFS;
3567 Out << AllocTypeName(V);
3568 }
3569 Out << "), memProf: (";
3570 ListSeparator MIBFS;
3571 for (auto &MIB : AI.MIBs) {
3572 Out << MIBFS;
3573 Out << "(type: " << AllocTypeName((uint8_t)MIB.AllocType);
3574 Out << ", stackIds: (";
3575 ListSeparator SIDFS;
3576 for (auto Id : MIB.StackIdIndices) {
3577 Out << SIDFS;
3578 Out << TheIndex->getStackIdAtIndex(Id);
3579 }
3580 Out << "))";
3581 }
3582 Out << "))";
3583 }
3584 Out << ")";
3585 }
3586
3587 if (!FS->callsites().empty()) {
3588 Out << ", callsites: (";
3589 ListSeparator SNFS;
3590 for (auto &CI : FS->callsites()) {
3591 Out << SNFS;
3592 if (CI.Callee)
3593 Out << "(callee: ^" << Machine.getGUIDSlot(CI.Callee.getGUID());
3594 else
3595 Out << "(callee: null";
3596 Out << ", clones: (";
3597 ListSeparator VFS;
3598 for (auto V : CI.Clones) {
3599 Out << VFS;
3600 Out << V;
3601 }
3602 Out << "), stackIds: (";
3603 ListSeparator SIDFS;
3604 for (auto Id : CI.StackIdIndices) {
3605 Out << SIDFS;
3606 Out << TheIndex->getStackIdAtIndex(Id);
3607 }
3608 Out << "))";
3609 }
3610 Out << ")";
3611 }
3612
3613 auto PrintRange = [&](const ConstantRange &Range) {
3614 Out << "[" << Range.getSignedMin() << ", " << Range.getSignedMax() << "]";
3615 };
3616
3617 if (!FS->paramAccesses().empty()) {
3618 Out << ", params: (";
3619 ListSeparator IFS;
3620 for (auto &PS : FS->paramAccesses()) {
3621 Out << IFS;
3622 Out << "(param: " << PS.ParamNo;
3623 Out << ", offset: ";
3624 PrintRange(PS.Use);
3625 if (!PS.Calls.empty()) {
3626 Out << ", calls: (";
3627 ListSeparator IFS;
3628 for (auto &Call : PS.Calls) {
3629 Out << IFS;
3630 Out << "(callee: ^" << Machine.getGUIDSlot(Call.Callee.getGUID());
3631 Out << ", param: " << Call.ParamNo;
3632 Out << ", offset: ";
3633 PrintRange(Call.Offsets);
3634 Out << ")";
3635 }
3636 Out << ")";
3637 }
3638 Out << ")";
3639 }
3640 Out << ")";
3641 }
3642}
3643
3644void AssemblyWriter::printTypeIdInfo(
3645 const FunctionSummary::TypeIdInfo &TIDInfo) {
3646 Out << ", typeIdInfo: (";
3647 ListSeparator TIDFS;
3648 if (!TIDInfo.TypeTests.empty()) {
3649 Out << TIDFS;
3650 Out << "typeTests: (";
3651 ListSeparator FS;
3652 for (auto &GUID : TIDInfo.TypeTests) {
3653 auto TidIter = TheIndex->typeIds().equal_range(GUID);
3654 if (TidIter.first == TidIter.second) {
3655 Out << FS;
3656 Out << GUID;
3657 continue;
3658 }
3659 // Print all type id that correspond to this GUID.
3660 for (const auto &[GUID, TypeIdPair] : make_range(TidIter)) {
3661 Out << FS;
3662 auto Slot = Machine.getTypeIdSlot(TypeIdPair.first);
3663 assert(Slot != -1);
3664 Out << "^" << Slot;
3665 }
3666 }
3667 Out << ")";
3668 }
3669 if (!TIDInfo.TypeTestAssumeVCalls.empty()) {
3670 Out << TIDFS;
3671 printNonConstVCalls(TIDInfo.TypeTestAssumeVCalls, "typeTestAssumeVCalls");
3672 }
3673 if (!TIDInfo.TypeCheckedLoadVCalls.empty()) {
3674 Out << TIDFS;
3675 printNonConstVCalls(TIDInfo.TypeCheckedLoadVCalls, "typeCheckedLoadVCalls");
3676 }
3677 if (!TIDInfo.TypeTestAssumeConstVCalls.empty()) {
3678 Out << TIDFS;
3679 printConstVCalls(TIDInfo.TypeTestAssumeConstVCalls,
3680 "typeTestAssumeConstVCalls");
3681 }
3682 if (!TIDInfo.TypeCheckedLoadConstVCalls.empty()) {
3683 Out << TIDFS;
3684 printConstVCalls(TIDInfo.TypeCheckedLoadConstVCalls,
3685 "typeCheckedLoadConstVCalls");
3686 }
3687 Out << ")";
3688}
3689
3690void AssemblyWriter::printVFuncId(const FunctionSummary::VFuncId VFId) {
3691 auto TidIter = TheIndex->typeIds().equal_range(VFId.GUID);
3692 if (TidIter.first == TidIter.second) {
3693 Out << "vFuncId: (";
3694 Out << "guid: " << VFId.GUID;
3695 Out << ", offset: " << VFId.Offset;
3696 Out << ")";
3697 return;
3698 }
3699 // Print all type id that correspond to this GUID.
3700 ListSeparator FS;
3701 for (const auto &[GUID, TypeIdPair] : make_range(TidIter)) {
3702 Out << FS;
3703 Out << "vFuncId: (";
3704 auto Slot = Machine.getTypeIdSlot(TypeIdPair.first);
3705 assert(Slot != -1);
3706 Out << "^" << Slot;
3707 Out << ", offset: " << VFId.Offset;
3708 Out << ")";
3709 }
3710}
3711
3712void AssemblyWriter::printNonConstVCalls(
3713 ArrayRef<FunctionSummary::VFuncId> VCallList, const char *Tag) {
3714 Out << Tag << ": (";
3715 ListSeparator FS;
3716 for (auto &VFuncId : VCallList) {
3717 Out << FS;
3718 printVFuncId(VFuncId);
3719 }
3720 Out << ")";
3721}
3722
3723void AssemblyWriter::printConstVCalls(
3724 ArrayRef<FunctionSummary::ConstVCall> VCallList, const char *Tag) {
3725 Out << Tag << ": (";
3726 ListSeparator FS;
3727 for (auto &ConstVCall : VCallList) {
3728 Out << FS;
3729 Out << "(";
3730 printVFuncId(ConstVCall.VFunc);
3731 if (!ConstVCall.Args.empty()) {
3732 Out << ", ";
3733 printArgs(ConstVCall.Args);
3734 }
3735 Out << ")";
3736 }
3737 Out << ")";
3738}
3739
3740void AssemblyWriter::printSummary(const GlobalValueSummary &Summary) {
3741 GlobalValueSummary::GVFlags GVFlags = Summary.flags();
3743 Out << getSummaryKindName(Summary.getSummaryKind()) << ": ";
3744 Out << "(module: ^" << Machine.getModulePathSlot(Summary.modulePath())
3745 << ", flags: (";
3746 Out << "linkage: " << getLinkageName(LT);
3747 Out << ", visibility: "
3749 Out << ", notEligibleToImport: " << GVFlags.NotEligibleToImport;
3750 Out << ", live: " << GVFlags.Live;
3751 Out << ", dsoLocal: " << GVFlags.DSOLocal;
3752 Out << ", canAutoHide: " << GVFlags.CanAutoHide;
3753 Out << ", importType: "
3755 Out << ", noRenameOnPromotion: " << GVFlags.NoRenameOnPromotion;
3756 Out << ")";
3757
3758 if (Summary.getSummaryKind() == GlobalValueSummary::AliasKind)
3759 printAliasSummary(cast<AliasSummary>(&Summary));
3760 else if (Summary.getSummaryKind() == GlobalValueSummary::FunctionKind)
3761 printFunctionSummary(cast<FunctionSummary>(&Summary));
3762 else
3763 printGlobalVarSummary(cast<GlobalVarSummary>(&Summary));
3764
3765 auto RefList = Summary.refs();
3766 if (!RefList.empty()) {
3767 Out << ", refs: (";
3768 ListSeparator FS;
3769 for (auto &Ref : RefList) {
3770 Out << FS;
3771 if (Ref.isReadOnly())
3772 Out << "readonly ";
3773 else if (Ref.isWriteOnly())
3774 Out << "writeonly ";
3775 Out << "^" << Machine.getGUIDSlot(Ref.getGUID());
3776 }
3777 Out << ")";
3778 }
3779
3780 Out << ")";
3781}
3782
3783void AssemblyWriter::printSummaryInfo(unsigned Slot, const ValueInfo &VI) {
3784 Out << "^" << Slot << " = gv: (";
3785 if (VI.hasName() && !VI.name().empty())
3786 Out << "name: \"" << VI.name() << "\"";
3787 else
3788 Out << "guid: " << VI.getGUID();
3789 if (!VI.getSummaryList().empty()) {
3790 Out << ", summaries: (";
3791 ListSeparator FS;
3792 for (auto &Summary : VI.getSummaryList()) {
3793 Out << FS;
3794 printSummary(*Summary);
3795 }
3796 Out << ")";
3797 }
3798 Out << ")";
3799 if (VI.hasName() && !VI.name().empty())
3800 Out << " ; guid = " << VI.getGUID();
3801 Out << "\n";
3802}
3803
3805 formatted_raw_ostream &Out) {
3806 if (Name.empty()) {
3807 Out << "<empty name> ";
3808 } else {
3809 unsigned char FirstC = static_cast<unsigned char>(Name[0]);
3810 if (isalpha(FirstC) || FirstC == '-' || FirstC == '$' || FirstC == '.' ||
3811 FirstC == '_')
3812 Out << FirstC;
3813 else
3814 Out << '\\' << hexdigit(FirstC >> 4) << hexdigit(FirstC & 0x0F);
3815 for (unsigned i = 1, e = Name.size(); i != e; ++i) {
3816 unsigned char C = Name[i];
3817 if (isalnum(C) || C == '-' || C == '$' || C == '.' || C == '_')
3818 Out << C;
3819 else
3820 Out << '\\' << hexdigit(C >> 4) << hexdigit(C & 0x0F);
3821 }
3822 }
3823}
3824
3825void AssemblyWriter::printNamedMDNode(const NamedMDNode *NMD) {
3826 Out << '!';
3827 printMetadataIdentifier(NMD->getName(), Out);
3828 Out << " = !{";
3829 ListSeparator LS;
3830 for (const MDNode *Op : NMD->operands()) {
3831 Out << LS;
3832 // Write DIExpressions inline.
3833 // FIXME: Ban DIExpressions in NamedMDNodes, they will serve no purpose.
3834 if (auto *Expr = dyn_cast<DIExpression>(Op)) {
3835 writeDIExpression(Out, Expr, AsmWriterContext::getEmpty());
3836 continue;
3837 }
3838
3839 int Slot = Machine.getMetadataSlot(Op);
3840 if (Slot == -1)
3841 Out << "<badref>";
3842 else
3843 Out << '!' << Slot;
3844 }
3845 Out << "}\n";
3846}
3847
3849 formatted_raw_ostream &Out) {
3850 switch (Vis) {
3852 case GlobalValue::HiddenVisibility: Out << "hidden "; break;
3853 case GlobalValue::ProtectedVisibility: Out << "protected "; break;
3854 }
3855}
3856
3857static void printDSOLocation(const GlobalValue &GV,
3858 formatted_raw_ostream &Out) {
3859 if (GV.isDSOLocal() && !GV.isImplicitDSOLocal())
3860 Out << "dso_local ";
3861}
3862
3864 formatted_raw_ostream &Out) {
3865 switch (SCT) {
3867 case GlobalValue::DLLImportStorageClass: Out << "dllimport "; break;
3868 case GlobalValue::DLLExportStorageClass: Out << "dllexport "; break;
3869 }
3870}
3871
3873 formatted_raw_ostream &Out) {
3874 switch (TLM) {
3876 break;
3878 Out << "thread_local ";
3879 break;
3881 Out << "thread_local(localdynamic) ";
3882 break;
3884 Out << "thread_local(initialexec) ";
3885 break;
3887 Out << "thread_local(localexec) ";
3888 break;
3889 }
3890}
3891
3893 switch (UA) {
3895 return "";
3897 return "local_unnamed_addr";
3899 return "unnamed_addr";
3900 }
3901 llvm_unreachable("Unknown UnnamedAddr");
3902}
3903
3905 const GlobalObject &GO) {
3906 const Comdat *C = GO.getComdat();
3907 if (!C)
3908 return;
3909
3910 if (isa<GlobalVariable>(GO))
3911 Out << ',';
3912 Out << " comdat";
3913
3914 if (GO.getName() == C->getName())
3915 return;
3916
3917 Out << '(';
3918 printLLVMName(Out, C->getName(), ComdatPrefix);
3919 Out << ')';
3920}
3921
3922void AssemblyWriter::printGlobal(const GlobalVariable *GV) {
3923 if (GV->isMaterializable())
3924 Out << "; Materializable\n";
3925
3926 AsmWriterContext WriterCtx(&TypePrinter, &Machine, GV->getParent());
3927 writeAsOperandInternal(Out, GV, WriterCtx);
3928 Out << " = ";
3929
3930 if (!GV->hasInitializer() && GV->hasExternalLinkage())
3931 Out << "external ";
3932
3933 Out << getLinkageNameWithSpace(GV->getLinkage());
3934 printDSOLocation(*GV, Out);
3935 printVisibility(GV->getVisibility(), Out);
3938 StringRef UA = getUnnamedAddrEncoding(GV->getUnnamedAddr());
3939 if (!UA.empty())
3940 Out << UA << ' ';
3941
3943 /*Prefix=*/"", /*Suffix=*/" ");
3944 if (GV->isExternallyInitialized()) Out << "externally_initialized ";
3945 Out << (GV->isConstant() ? "constant " : "global ");
3946 TypePrinter.print(GV->getValueType(), Out);
3947
3948 if (GV->hasInitializer()) {
3949 Out << ' ';
3950 writeOperand(GV->getInitializer(), false);
3951 }
3952
3953 if (GV->hasSection()) {
3954 Out << ", section \"";
3955 printEscapedString(GV->getSection(), Out);
3956 Out << '"';
3957 }
3958 if (GV->hasPartition()) {
3959 Out << ", partition \"";
3960 printEscapedString(GV->getPartition(), Out);
3961 Out << '"';
3962 }
3963 if (auto CM = GV->getCodeModel()) {
3964 Out << ", code_model \"";
3965 switch (*CM) {
3966 case CodeModel::Tiny:
3967 Out << "tiny";
3968 break;
3969 case CodeModel::Small:
3970 Out << "small";
3971 break;
3972 case CodeModel::Kernel:
3973 Out << "kernel";
3974 break;
3975 case CodeModel::Medium:
3976 Out << "medium";
3977 break;
3978 case CodeModel::Large:
3979 Out << "large";
3980 break;
3981 }
3982 Out << '"';
3983 }
3984
3985 using SanitizerMetadata = llvm::GlobalValue::SanitizerMetadata;
3986 if (GV->hasSanitizerMetadata()) {
3988 if (MD.NoAddress)
3989 Out << ", no_sanitize_address";
3990 if (MD.NoHWAddress)
3991 Out << ", no_sanitize_hwaddress";
3992 if (MD.Memtag)
3993 Out << ", sanitize_memtag";
3994 if (MD.IsDynInit)
3995 Out << ", sanitize_address_dyninit";
3996 }
3997
3998 maybePrintComdat(Out, *GV);
3999 if (MaybeAlign A = GV->getAlign())
4000 Out << ", align " << A->value();
4001
4003 GV->getAllMetadata(MDs);
4004 printMetadataAttachments(MDs, ", ");
4005
4006 auto Attrs = GV->getAttributes();
4007 if (Attrs.hasAttributes())
4008 Out << " #" << Machine.getAttributeGroupSlot(Attrs);
4009
4010 printInfoComment(*GV, GV->isMaterializable());
4011}
4012
4013void AssemblyWriter::printAlias(const GlobalAlias *GA) {
4014 if (GA->isMaterializable())
4015 Out << "; Materializable\n";
4016
4017 AsmWriterContext WriterCtx(&TypePrinter, &Machine, GA->getParent());
4018 writeAsOperandInternal(Out, GA, WriterCtx);
4019 Out << " = ";
4020
4021 Out << getLinkageNameWithSpace(GA->getLinkage());
4022 printDSOLocation(*GA, Out);
4023 printVisibility(GA->getVisibility(), Out);
4026 StringRef UA = getUnnamedAddrEncoding(GA->getUnnamedAddr());
4027 if (!UA.empty())
4028 Out << UA << ' ';
4029
4030 Out << "alias ";
4031
4032 TypePrinter.print(GA->getValueType(), Out);
4033 Out << ", ";
4034
4035 if (const Constant *Aliasee = GA->getAliasee()) {
4036 writeOperand(Aliasee, !isa<ConstantExpr>(Aliasee));
4037 } else {
4038 TypePrinter.print(GA->getType(), Out);
4039 Out << " <<NULL ALIASEE>>";
4040 }
4041
4042 if (GA->hasPartition()) {
4043 Out << ", partition \"";
4044 printEscapedString(GA->getPartition(), Out);
4045 Out << '"';
4046 }
4047
4048 printInfoComment(*GA, GA->isMaterializable());
4049 Out << '\n';
4050}
4051
4052void AssemblyWriter::printIFunc(const GlobalIFunc *GI) {
4053 if (GI->isMaterializable())
4054 Out << "; Materializable\n";
4055
4056 AsmWriterContext WriterCtx(&TypePrinter, &Machine, GI->getParent());
4057 writeAsOperandInternal(Out, GI, WriterCtx);
4058 Out << " = ";
4059
4060 Out << getLinkageNameWithSpace(GI->getLinkage());
4061 printDSOLocation(*GI, Out);
4062 printVisibility(GI->getVisibility(), Out);
4063
4064 Out << "ifunc ";
4065
4066 TypePrinter.print(GI->getValueType(), Out);
4067 Out << ", ";
4068
4069 if (const Constant *Resolver = GI->getResolver()) {
4070 writeOperand(Resolver, !isa<ConstantExpr>(Resolver));
4071 } else {
4072 TypePrinter.print(GI->getType(), Out);
4073 Out << " <<NULL RESOLVER>>";
4074 }
4075
4076 if (GI->hasPartition()) {
4077 Out << ", partition \"";
4078 printEscapedString(GI->getPartition(), Out);
4079 Out << '"';
4080 }
4082 GI->getAllMetadata(MDs);
4083 if (!MDs.empty()) {
4084 printMetadataAttachments(MDs, ", ");
4085 }
4086
4087 printInfoComment(*GI, GI->isMaterializable());
4088 Out << '\n';
4089}
4090
4091void AssemblyWriter::printComdat(const Comdat *C) {
4092 C->print(Out);
4093}
4094
4095void AssemblyWriter::printTypeIdentities() {
4096 if (TypePrinter.empty())
4097 return;
4098
4099 Out << '\n';
4100
4101 // Emit all numbered types.
4102 auto &NumberedTypes = TypePrinter.getNumberedTypes();
4103 for (unsigned I = 0, E = NumberedTypes.size(); I != E; ++I) {
4104 Out << '%' << I << " = type ";
4105
4106 // Make sure we print out at least one level of the type structure, so
4107 // that we do not get %2 = type %2
4108 TypePrinter.printStructBody(NumberedTypes[I], Out);
4109 Out << '\n';
4110 }
4111
4112 auto &NamedTypes = TypePrinter.getNamedTypes();
4113 for (StructType *NamedType : NamedTypes) {
4114 printLLVMName(Out, NamedType->getName(), LocalPrefix);
4115 Out << " = type ";
4116
4117 // Make sure we print out at least one level of the type structure, so
4118 // that we do not get %FILE = type %FILE
4119 TypePrinter.printStructBody(NamedType, Out);
4120 Out << '\n';
4121 }
4122}
4123
4124/// printFunction - Print all aspects of a function.
4125void AssemblyWriter::printFunction(const Function *F) {
4126 if (F->isMaterializable())
4127 Out << "; Materializable\n";
4128 else if (AnnotationWriter)
4129 AnnotationWriter->emitFunctionAnnot(F, Out);
4130
4131 const AttributeList &Attrs = F->getAttributes();
4132 if (Attrs.hasFnAttrs()) {
4133 AttributeSet AS = Attrs.getFnAttrs();
4134 std::string AttrStr;
4135
4136 for (const Attribute &Attr : AS) {
4137 if (!Attr.isStringAttribute()) {
4138 if (!AttrStr.empty()) AttrStr += ' ';
4139 AttrStr += Attr.getAsString();
4140 }
4141 }
4142
4143 if (!AttrStr.empty())
4144 Out << "; Function Attrs: " << AttrStr << '\n';
4145 }
4146
4147 if (F->isIntrinsic() && F->getIntrinsicID() == Intrinsic::not_intrinsic)
4148 Out << "; Unknown intrinsic\n";
4149
4150 Machine.incorporateFunction(F);
4151
4152 if (F->isDeclaration()) {
4153 Out << "declare";
4155 F->getAllMetadata(MDs);
4156 printMetadataAttachments(MDs, " ");
4157 Out << ' ';
4158 } else
4159 Out << "define ";
4160
4161 Out << getLinkageNameWithSpace(F->getLinkage());
4162 printDSOLocation(*F, Out);
4163 printVisibility(F->getVisibility(), Out);
4164 printDLLStorageClass(F->getDLLStorageClass(), Out);
4165
4166 // Print the calling convention.
4167 if (F->getCallingConv() != CallingConv::C) {
4168 printCallingConv(F->getCallingConv(), Out);
4169 Out << " ";
4170 }
4171
4172 FunctionType *FT = F->getFunctionType();
4173 if (Attrs.hasRetAttrs())
4174 Out << Attrs.getAsString(AttributeList::ReturnIndex) << ' ';
4175 TypePrinter.print(F->getReturnType(), Out);
4176 AsmWriterContext WriterCtx(&TypePrinter, &Machine, F->getParent());
4177 Out << ' ';
4178 writeAsOperandInternal(Out, F, WriterCtx);
4179 Out << '(';
4180
4181 // Loop over the arguments, printing them...
4182 if (F->isDeclaration() && !IsForDebug) {
4183 // We're only interested in the type here - don't print argument names.
4184 ListSeparator LS;
4185 for (unsigned I = 0, E = FT->getNumParams(); I != E; ++I) {
4186 Out << LS;
4187 // Output type.
4188 TypePrinter.print(FT->getParamType(I), Out);
4189
4190 AttributeSet ArgAttrs = Attrs.getParamAttrs(I);
4191 if (ArgAttrs.hasAttributes()) {
4192 Out << ' ';
4193 writeAttributeSet(ArgAttrs);
4194 }
4195 }
4196 } else {
4197 // The arguments are meaningful here, print them in detail.
4198 ListSeparator LS;
4199 for (const Argument &Arg : F->args()) {
4200 Out << LS;
4201 printArgument(&Arg, Attrs.getParamAttrs(Arg.getArgNo()));
4202 }
4203 }
4204
4205 // Finish printing arguments...
4206 if (FT->isVarArg()) {
4207 if (FT->getNumParams()) Out << ", ";
4208 Out << "..."; // Output varargs portion of signature!
4209 }
4210 Out << ')';
4211 StringRef UA = getUnnamedAddrEncoding(F->getUnnamedAddr());
4212 if (!UA.empty())
4213 Out << ' ' << UA;
4214 // We print the function address space if it is non-zero or if we are writing
4215 // a module with a non-zero program address space or if there is no valid
4216 // Module* so that the file can be parsed without the datalayout string.
4217 const Module *Mod = F->getParent();
4218 bool ForcePrintAddressSpace =
4219 !Mod || Mod->getDataLayout().getProgramAddressSpace() != 0;
4220 printAddressSpace(Mod, F->getAddressSpace(), Out, /*Prefix=*/" ",
4221 /*Suffix=*/"", ForcePrintAddressSpace);
4222 if (Attrs.hasFnAttrs())
4223 Out << " #" << Machine.getAttributeGroupSlot(Attrs.getFnAttrs());
4224 if (F->hasSection()) {
4225 Out << " section \"";
4226 printEscapedString(F->getSection(), Out);
4227 Out << '"';
4228 }
4229 if (F->hasPartition()) {
4230 Out << " partition \"";
4231 printEscapedString(F->getPartition(), Out);
4232 Out << '"';
4233 }
4234 maybePrintComdat(Out, *F);
4235 if (MaybeAlign A = F->getAlign())
4236 Out << " align " << A->value();
4237 if (MaybeAlign A = F->getPreferredAlignment())
4238 Out << " prefalign(" << A->value() << ')';
4239 if (F->hasGC())
4240 Out << " gc \"" << F->getGC() << '"';
4241 if (F->hasPrefixData()) {
4242 Out << " prefix ";
4243 writeOperand(F->getPrefixData(), true);
4244 }
4245 if (F->hasPrologueData()) {
4246 Out << " prologue ";
4247 writeOperand(F->getPrologueData(), true);
4248 }
4249 if (F->hasPersonalityFn()) {
4250 Out << " personality ";
4251 writeOperand(F->getPersonalityFn(), /*PrintType=*/true);
4252 }
4253
4254 if (PrintProfData) {
4255 if (auto *MDProf = F->getMetadata(LLVMContext::MD_prof)) {
4256 Out << " ";
4257 MDProf->print(Out, TheModule, /*IsForDebug=*/true);
4258 }
4259 }
4260
4261 if (F->isDeclaration()) {
4262 Out << '\n';
4263 } else {
4265 F->getAllMetadata(MDs);
4266 printMetadataAttachments(MDs, " ");
4267
4268 Out << " {";
4269 // Output all of the function's basic blocks.
4270 for (const BasicBlock &BB : *F)
4271 printBasicBlock(&BB);
4272
4273 // Output the function's use-lists.
4274 printUseLists(F);
4275
4276 Out << "}\n";
4277 }
4278
4279 Machine.purgeFunction();
4280}
4281
4282/// printArgument - This member is called for every argument that is passed into
4283/// the function. Simply print it out
4284void AssemblyWriter::printArgument(const Argument *Arg, AttributeSet Attrs) {
4285 // Output type...
4286 TypePrinter.print(Arg->getType(), Out);
4287
4288 // Output parameter attributes list
4289 if (Attrs.hasAttributes()) {
4290 Out << ' ';
4291 writeAttributeSet(Attrs);
4292 }
4293
4294 // Output name, if available...
4295 if (Arg->hasName()) {
4296 Out << ' ';
4297 printLLVMName(Out, Arg);
4298 } else {
4299 int Slot = Machine.getLocalSlot(Arg);
4300 assert(Slot != -1 && "expect argument in function here");
4301 Out << " %" << Slot;
4302 }
4303}
4304
4305/// printBasicBlock - This member is called for each basic block in a method.
4306void AssemblyWriter::printBasicBlock(const BasicBlock *BB) {
4307 bool IsEntryBlock = BB->getParent() && BB->isEntryBlock();
4308 if (BB->hasName()) { // Print out the label if it exists...
4309 Out << "\n";
4310 printLLVMName(Out, BB->getName(), LabelPrefix);
4311 Out << ':';
4312 } else if (!IsEntryBlock) {
4313 Out << "\n";
4314 int Slot = Machine.getLocalSlot(BB);
4315 if (Slot != -1)
4316 Out << Slot << ":";
4317 else
4318 Out << "<badref>:";
4319 }
4320
4321 if (!IsEntryBlock) {
4322 // Output predecessors for the block.
4323 Out.PadToColumn(50);
4324 Out << ";";
4325 if (pred_empty(BB)) {
4326 Out << " No predecessors!";
4327 } else {
4328 Out << " preds = ";
4329 ListSeparator LS;
4330 for (const BasicBlock *Pred : predecessors(BB)) {
4331 Out << LS;
4332 writeOperand(Pred, false);
4333 }
4334 }
4335 }
4336
4337 Out << "\n";
4338
4339 if (AnnotationWriter) AnnotationWriter->emitBasicBlockStartAnnot(BB, Out);
4340
4341 // Output all of the instructions in the basic block...
4342 for (const Instruction &I : *BB) {
4343 for (const DbgRecord &DR : I.getDbgRecordRange())
4344 printDbgRecordLine(DR);
4345 printInstructionLine(I);
4346 }
4347
4348 if (AnnotationWriter) AnnotationWriter->emitBasicBlockEndAnnot(BB, Out);
4349}
4350
4351/// printInstructionLine - Print an instruction and a newline character.
4352void AssemblyWriter::printInstructionLine(const Instruction &I) {
4353 printInstruction(I);
4354 Out << '\n';
4355}
4356
4357/// printGCRelocateComment - print comment after call to the gc.relocate
4358/// intrinsic indicating base and derived pointer names.
4359void AssemblyWriter::printGCRelocateComment(const GCRelocateInst &Relocate) {
4360 Out << " ; (";
4361 writeOperand(Relocate.getBasePtr(), false);
4362 Out << ", ";
4363 writeOperand(Relocate.getDerivedPtr(), false);
4364 Out << ")";
4365}
4366
4367/// printInfoComment - Print a little comment after the instruction indicating
4368/// which slot it occupies.
4369void AssemblyWriter::printInfoComment(const Value &V, bool isMaterializable) {
4370 if (const auto *Relocate = dyn_cast<GCRelocateInst>(&V))
4371 printGCRelocateComment(*Relocate);
4372
4373 if (AnnotationWriter && !isMaterializable)
4374 AnnotationWriter->printInfoComment(V, Out);
4375
4376 if (PrintInstDebugLocs) {
4377 if (auto *I = dyn_cast<Instruction>(&V)) {
4378 if (I->getDebugLoc()) {
4379 Out << " ; ";
4380 I->getDebugLoc().print(Out);
4381 }
4382 }
4383 }
4384 if (PrintProfData) {
4385 if (auto *I = dyn_cast<Instruction>(&V)) {
4386 if (auto *MD = I->getMetadata(LLVMContext::MD_prof)) {
4387 Out << " ; ";
4388 MD->print(Out, TheModule, /*IsForDebug=*/true);
4389 }
4390 }
4391 }
4392
4393 if (PrintInstAddrs)
4394 Out << " ; " << &V;
4395}
4396
4397static void maybePrintCallAddrSpace(const Value *Operand, const Instruction *I,
4398 raw_ostream &Out) {
4399 if (Operand == nullptr) {
4400 Out << " <cannot get addrspace!>";
4401 return;
4402 }
4403
4404 // We print the address space of the call if it is non-zero.
4405 // We also print it if it is zero but not equal to the program address space
4406 // or if we can't find a valid Module* to make it possible to parse
4407 // the resulting file even without a datalayout string.
4408 unsigned CallAddrSpace = Operand->getType()->getPointerAddressSpace();
4409 const Module *Mod = getModuleFromVal(I);
4410 bool ForcePrintAddrSpace =
4411 !Mod || Mod->getDataLayout().getProgramAddressSpace() != 0;
4412 printAddressSpace(Mod, CallAddrSpace, Out, /*Prefix=*/" ", /*Suffix=*/"",
4413 ForcePrintAddrSpace);
4414}
4415
4416// This member is called for each Instruction in a function..
4417void AssemblyWriter::printInstruction(const Instruction &I) {
4418 if (AnnotationWriter) AnnotationWriter->emitInstructionAnnot(&I, Out);
4419
4420 // Print out indentation for an instruction.
4421 Out << " ";
4422
4423 // Print out name if it exists...
4424 if (I.hasName()) {
4425 printLLVMName(Out, &I);
4426 Out << " = ";
4427 } else if (!I.getType()->isVoidTy()) {
4428 // Print out the def slot taken.
4429 int SlotNum = Machine.getLocalSlot(&I);
4430 if (SlotNum == -1)
4431 Out << "<badref> = ";
4432 else
4433 Out << '%' << SlotNum << " = ";
4434 }
4435
4436 if (const auto *CI = dyn_cast<CallInst>(&I)) {
4437 if (CI->isMustTailCall())
4438 Out << "musttail ";
4439 else if (CI->isTailCall())
4440 Out << "tail ";
4441 else if (CI->isNoTailCall())
4442 Out << "notail ";
4443 }
4444
4445 // Print out the opcode...
4446 Out << I.getOpcodeName();
4447
4448 // If this is an atomic load or store, print out the atomic marker.
4449 if ((isa<LoadInst>(I) && cast<LoadInst>(I).isAtomic()) ||
4450 (isa<StoreInst>(I) && cast<StoreInst>(I).isAtomic()))
4451 Out << " atomic";
4452
4454 Out << " weak";
4455
4456 // If this is a volatile operation, print out the volatile marker.
4457 if ((isa<LoadInst>(I) && cast<LoadInst>(I).isVolatile()) ||
4458 (isa<StoreInst>(I) && cast<StoreInst>(I).isVolatile()) ||
4459 (isa<AtomicCmpXchgInst>(I) && cast<AtomicCmpXchgInst>(I).isVolatile()) ||
4460 (isa<AtomicRMWInst>(I) && cast<AtomicRMWInst>(I).isVolatile()))
4461 Out << " volatile";
4462
4463 // Print out optimization information.
4464 writeOptimizationInfo(Out, &I);
4465
4466 // Print out the compare instruction predicates
4467 if (const auto *CI = dyn_cast<CmpInst>(&I))
4468 Out << ' ' << CI->getPredicate();
4469
4470 // Print out the atomicrmw operation
4471 if (const auto *RMWI = dyn_cast<AtomicRMWInst>(&I))
4472 Out << ' ' << AtomicRMWInst::getOperationName(RMWI->getOperation());
4473
4474 // Print out the type of the operands...
4475 const Value *Operand = I.getNumOperands() ? I.getOperand(0) : nullptr;
4476
4477 // Special case conditional branches to swizzle the condition out to the front
4478 if (const auto *BI = dyn_cast<CondBrInst>(&I)) {
4479 Out << ' ';
4480 writeOperand(BI->getCondition(), true);
4481 Out << ", ";
4482 writeOperand(BI->getSuccessor(0), true);
4483 Out << ", ";
4484 writeOperand(BI->getSuccessor(1), true);
4485 } else if (isa<SwitchInst>(I)) {
4486 const SwitchInst& SI(cast<SwitchInst>(I));
4487 // Special case switch instruction to get formatting nice and correct.
4488 Out << ' ';
4489 writeOperand(SI.getCondition(), true);
4490 Out << ", ";
4491 writeOperand(SI.getDefaultDest(), true);
4492 Out << " [";
4493 for (auto Case : SI.cases()) {
4494 Out << "\n ";
4495 writeOperand(Case.getCaseValue(), true);
4496 Out << ", ";
4497 writeOperand(Case.getCaseSuccessor(), true);
4498 }
4499 Out << "\n ]";
4500 } else if (isa<IndirectBrInst>(I)) {
4501 // Special case indirectbr instruction to get formatting nice and correct.
4502 Out << ' ';
4503 writeOperand(Operand, true);
4504 Out << ", [";
4505
4506 ListSeparator LS;
4507 for (unsigned i = 1, e = I.getNumOperands(); i != e; ++i) {
4508 Out << LS;
4509 writeOperand(I.getOperand(i), true);
4510 }
4511 Out << ']';
4512 } else if (const auto *PN = dyn_cast<PHINode>(&I)) {
4513 Out << ' ';
4514 TypePrinter.print(I.getType(), Out);
4515 Out << ' ';
4516
4517 ListSeparator LS;
4518 for (const auto &[V, Block] :
4519 zip_equal(PN->incoming_values(), PN->blocks())) {
4520 Out << LS << "[ ";
4521 writeOperand(V, false);
4522 Out << ", ";
4523 writeOperand(Block, false);
4524 Out << " ]";
4525 }
4526 } else if (const auto *EVI = dyn_cast<ExtractValueInst>(&I)) {
4527 Out << ' ';
4528 writeOperand(I.getOperand(0), true);
4529 Out << ", ";
4530 Out << llvm::interleaved(EVI->indices());
4531 } else if (const auto *IVI = dyn_cast<InsertValueInst>(&I)) {
4532 Out << ' ';
4533 writeOperand(I.getOperand(0), true); Out << ", ";
4534 writeOperand(I.getOperand(1), true);
4535 Out << ", ";
4536 Out << llvm::interleaved(IVI->indices());
4537 } else if (const auto *LPI = dyn_cast<LandingPadInst>(&I)) {
4538 Out << ' ';
4539 TypePrinter.print(I.getType(), Out);
4540 if (LPI->isCleanup() || LPI->getNumClauses() != 0)
4541 Out << '\n';
4542
4543 if (LPI->isCleanup())
4544 Out << " cleanup";
4545
4546 for (unsigned i = 0, e = LPI->getNumClauses(); i != e; ++i) {
4547 if (i != 0 || LPI->isCleanup()) Out << "\n";
4548 if (LPI->isCatch(i))
4549 Out << " catch ";
4550 else
4551 Out << " filter ";
4552
4553 writeOperand(LPI->getClause(i), true);
4554 }
4555 } else if (const auto *CatchSwitch = dyn_cast<CatchSwitchInst>(&I)) {
4556 Out << " within ";
4557 writeOperand(CatchSwitch->getParentPad(), /*PrintType=*/false);
4558 Out << " [";
4559 ListSeparator LS;
4560 for (const BasicBlock *PadBB : CatchSwitch->handlers()) {
4561 Out << LS;
4562 writeOperand(PadBB, /*PrintType=*/true);
4563 }
4564 Out << "] unwind ";
4565 if (const BasicBlock *UnwindDest = CatchSwitch->getUnwindDest())
4566 writeOperand(UnwindDest, /*PrintType=*/true);
4567 else
4568 Out << "to caller";
4569 } else if (const auto *FPI = dyn_cast<FuncletPadInst>(&I)) {
4570 Out << " within ";
4571 writeOperand(FPI->getParentPad(), /*PrintType=*/false);
4572 Out << " [";
4573 ListSeparator LS;
4574 for (const Value *Op : FPI->arg_operands()) {
4575 Out << LS;
4576 writeOperand(Op, /*PrintType=*/true);
4577 }
4578 Out << ']';
4579 } else if (isa<ReturnInst>(I) && !Operand) {
4580 Out << " void";
4581 } else if (const auto *CRI = dyn_cast<CatchReturnInst>(&I)) {
4582 Out << " from ";
4583 writeOperand(CRI->getOperand(0), /*PrintType=*/false);
4584
4585 Out << " to ";
4586 writeOperand(CRI->getOperand(1), /*PrintType=*/true);
4587 } else if (const auto *CRI = dyn_cast<CleanupReturnInst>(&I)) {
4588 Out << " from ";
4589 writeOperand(CRI->getOperand(0), /*PrintType=*/false);
4590
4591 Out << " unwind ";
4592 if (CRI->hasUnwindDest())
4593 writeOperand(CRI->getOperand(1), /*PrintType=*/true);
4594 else
4595 Out << "to caller";
4596 } else if (const auto *CI = dyn_cast<CallInst>(&I)) {
4597 // Print the calling convention being used.
4598 if (CI->getCallingConv() != CallingConv::C) {
4599 Out << " ";
4600 printCallingConv(CI->getCallingConv(), Out);
4601 }
4602
4603 Operand = CI->getCalledOperand();
4604 FunctionType *FTy = CI->getFunctionType();
4605 Type *RetTy = FTy->getReturnType();
4606 const AttributeList &PAL = CI->getAttributes();
4607
4608 if (PAL.hasRetAttrs())
4609 Out << ' ' << PAL.getAsString(AttributeList::ReturnIndex);
4610
4611 // Only print addrspace(N) if necessary:
4612 maybePrintCallAddrSpace(Operand, &I, Out);
4613
4614 // If possible, print out the short form of the call instruction. We can
4615 // only do this if the first argument is a pointer to a nonvararg function,
4616 // and if the return type is not a pointer to a function.
4617 Out << ' ';
4618 TypePrinter.print(FTy->isVarArg() ? FTy : RetTy, Out);
4619 Out << ' ';
4620 writeOperand(Operand, false);
4621 Out << '(';
4622 bool HasPrettyPrintedArgs =
4623 isa<IntrinsicInst>(CI) &&
4624 Intrinsic::hasPrettyPrintedArgs(CI->getIntrinsicID());
4625
4626 ListSeparator LS;
4627 Function *CalledFunc = CI->getCalledFunction();
4628 auto PrintArgComment = [&](unsigned ArgNo) {
4629 const auto *ConstArg = dyn_cast<Constant>(CI->getArgOperand(ArgNo));
4630 if (!ConstArg)
4631 return;
4632 std::string ArgComment;
4633 raw_string_ostream ArgCommentStream(ArgComment);
4634 Intrinsic::ID IID = CalledFunc->getIntrinsicID();
4635 Intrinsic::printImmArg(IID, ArgNo, ArgCommentStream, ConstArg);
4636 if (ArgComment.empty())
4637 return;
4638 Out << "/* " << ArgComment << " */ ";
4639 };
4640 if (HasPrettyPrintedArgs) {
4641 for (unsigned ArgNo = 0, NumArgs = CI->arg_size(); ArgNo < NumArgs;
4642 ++ArgNo) {
4643 Out << LS;
4644 PrintArgComment(ArgNo);
4645 writeParamOperand(CI->getArgOperand(ArgNo), PAL.getParamAttrs(ArgNo));
4646 }
4647 } else {
4648 for (unsigned ArgNo = 0, NumArgs = CI->arg_size(); ArgNo < NumArgs;
4649 ++ArgNo) {
4650 Out << LS;
4651 writeParamOperand(CI->getArgOperand(ArgNo), PAL.getParamAttrs(ArgNo));
4652 }
4653 }
4654 // Emit an ellipsis if this is a musttail call in a vararg function. This
4655 // is only to aid readability, musttail calls forward varargs by default.
4656 if (CI->isMustTailCall() && CI->getParent() &&
4657 CI->getParent()->getParent() &&
4658 CI->getParent()->getParent()->isVarArg()) {
4659 if (CI->arg_size() > 0)
4660 Out << ", ";
4661 Out << "...";
4662 }
4663
4664 Out << ')';
4665 if (PAL.hasFnAttrs())
4666 Out << " #" << Machine.getAttributeGroupSlot(PAL.getFnAttrs());
4667
4668 writeOperandBundles(CI);
4669 } else if (const auto *II = dyn_cast<InvokeInst>(&I)) {
4670 Operand = II->getCalledOperand();
4671 FunctionType *FTy = II->getFunctionType();
4672 Type *RetTy = FTy->getReturnType();
4673 const AttributeList &PAL = II->getAttributes();
4674
4675 // Print the calling convention being used.
4676 if (II->getCallingConv() != CallingConv::C) {
4677 Out << " ";
4678 printCallingConv(II->getCallingConv(), Out);
4679 }
4680
4681 if (PAL.hasRetAttrs())
4682 Out << ' ' << PAL.getAsString(AttributeList::ReturnIndex);
4683
4684 // Only print addrspace(N) if necessary:
4685 maybePrintCallAddrSpace(Operand, &I, Out);
4686
4687 // If possible, print out the short form of the invoke instruction. We can
4688 // only do this if the first argument is a pointer to a nonvararg function,
4689 // and if the return type is not a pointer to a function.
4690 //
4691 Out << ' ';
4692 TypePrinter.print(FTy->isVarArg() ? FTy : RetTy, Out);
4693 Out << ' ';
4694 writeOperand(Operand, false);
4695 Out << '(';
4696 ListSeparator LS;
4697 for (unsigned op = 0, Eop = II->arg_size(); op < Eop; ++op) {
4698 Out << LS;
4699 writeParamOperand(II->getArgOperand(op), PAL.getParamAttrs(op));
4700 }
4701
4702 Out << ')';
4703 if (PAL.hasFnAttrs())
4704 Out << " #" << Machine.getAttributeGroupSlot(PAL.getFnAttrs());
4705
4706 writeOperandBundles(II);
4707
4708 Out << "\n to ";
4709 writeOperand(II->getNormalDest(), true);
4710 Out << " unwind ";
4711 writeOperand(II->getUnwindDest(), true);
4712 } else if (const auto *CBI = dyn_cast<CallBrInst>(&I)) {
4713 Operand = CBI->getCalledOperand();
4714 FunctionType *FTy = CBI->getFunctionType();
4715 Type *RetTy = FTy->getReturnType();
4716 const AttributeList &PAL = CBI->getAttributes();
4717
4718 // Print the calling convention being used.
4719 if (CBI->getCallingConv() != CallingConv::C) {
4720 Out << " ";
4721 printCallingConv(CBI->getCallingConv(), Out);
4722 }
4723
4724 if (PAL.hasRetAttrs())
4725 Out << ' ' << PAL.getAsString(AttributeList::ReturnIndex);
4726
4727 // If possible, print out the short form of the callbr instruction. We can
4728 // only do this if the first argument is a pointer to a nonvararg function,
4729 // and if the return type is not a pointer to a function.
4730 //
4731 Out << ' ';
4732 TypePrinter.print(FTy->isVarArg() ? FTy : RetTy, Out);
4733 Out << ' ';
4734 writeOperand(Operand, false);
4735 Out << '(';
4736 ListSeparator ArgLS;
4737 for (unsigned op = 0, Eop = CBI->arg_size(); op < Eop; ++op) {
4738 Out << ArgLS;
4739 writeParamOperand(CBI->getArgOperand(op), PAL.getParamAttrs(op));
4740 }
4741
4742 Out << ')';
4743 if (PAL.hasFnAttrs())
4744 Out << " #" << Machine.getAttributeGroupSlot(PAL.getFnAttrs());
4745
4746 writeOperandBundles(CBI);
4747
4748 Out << "\n to ";
4749 writeOperand(CBI->getDefaultDest(), true);
4750 Out << " [";
4751 ListSeparator DestLS;
4752 for (const BasicBlock *Dest : CBI->getIndirectDests()) {
4753 Out << DestLS;
4754 writeOperand(Dest, true);
4755 }
4756 Out << ']';
4757 } else if (const auto *AI = dyn_cast<AllocaInst>(&I)) {
4758 Out << ' ';
4759 if (AI->isUsedWithInAlloca())
4760 Out << "inalloca ";
4761 if (AI->isSwiftError())
4762 Out << "swifterror ";
4763 TypePrinter.print(AI->getAllocatedType(), Out);
4764
4765 // Explicitly write the array size if the code is broken, if it's an array
4766 // allocation, or if the type is not canonical for scalar allocations. The
4767 // latter case prevents the type from mutating when round-tripping through
4768 // assembly.
4769 if (!AI->getArraySize() || AI->isArrayAllocation() ||
4770 !AI->getArraySize()->getType()->isIntegerTy(32)) {
4771 Out << ", ";
4772 writeOperand(AI->getArraySize(), true);
4773 }
4774 if (MaybeAlign A = AI->getAlign()) {
4775 Out << ", align " << A->value();
4776 }
4777
4778 printAddressSpace(AI->getModule(), AI->getAddressSpace(), Out,
4779 /*Prefix=*/", ");
4780 } else if (isa<CastInst>(I)) {
4781 if (Operand) {
4782 Out << ' ';
4783 writeOperand(Operand, true); // Work with broken code
4784 }
4785 Out << " to ";
4786 TypePrinter.print(I.getType(), Out);
4787 } else if (isa<VAArgInst>(I)) {
4788 if (Operand) {
4789 Out << ' ';
4790 writeOperand(Operand, true); // Work with broken code
4791 }
4792 Out << ", ";
4793 TypePrinter.print(I.getType(), Out);
4794 } else if (Operand) { // Print the normal way.
4795 if (const auto *GEP = dyn_cast<GetElementPtrInst>(&I)) {
4796 Out << ' ';
4797 TypePrinter.print(GEP->getSourceElementType(), Out);
4798 Out << ',';
4799 } else if (const auto *LI = dyn_cast<LoadInst>(&I)) {
4800 Out << ' ';
4801 TypePrinter.print(LI->getType(), Out);
4802 Out << ',';
4803 }
4804
4805 // PrintAllTypes - Instructions who have operands of all the same type
4806 // omit the type from all but the first operand. If the instruction has
4807 // different type operands (for example br), then they are all printed.
4808 bool PrintAllTypes = false;
4809 Type *TheType = Operand->getType();
4810
4811 // Select, Store, ShuffleVector, CmpXchg and AtomicRMW always print all
4812 // types.
4816 PrintAllTypes = true;
4817 } else {
4818 for (unsigned i = 1, E = I.getNumOperands(); i != E; ++i) {
4819 Operand = I.getOperand(i);
4820 // note that Operand shouldn't be null, but the test helps make dump()
4821 // more tolerant of malformed IR
4822 if (Operand && Operand->getType() != TheType) {
4823 PrintAllTypes = true; // We have differing types! Print them all!
4824 break;
4825 }
4826 }
4827 }
4828
4829 if (!PrintAllTypes) {
4830 Out << ' ';
4831 TypePrinter.print(TheType, Out);
4832 }
4833
4834 Out << ' ';
4835 ListSeparator LS;
4836 for (const Value *Op : I.operands()) {
4837 Out << LS;
4838 writeOperand(Op, PrintAllTypes);
4839 }
4840 }
4841
4842 // Print atomic ordering/alignment for memory operations
4843 if (const auto *LI = dyn_cast<LoadInst>(&I)) {
4844 if (LI->isAtomic())
4845 writeAtomic(LI->getContext(), LI->getOrdering(), LI->getSyncScopeID());
4846 if (MaybeAlign A = LI->getAlign())
4847 Out << ", align " << A->value();
4848 } else if (const auto *SI = dyn_cast<StoreInst>(&I)) {
4849 if (SI->isAtomic())
4850 writeAtomic(SI->getContext(), SI->getOrdering(), SI->getSyncScopeID());
4851 if (MaybeAlign A = SI->getAlign())
4852 Out << ", align " << A->value();
4853 } else if (const auto *CXI = dyn_cast<AtomicCmpXchgInst>(&I)) {
4854 writeAtomicCmpXchg(CXI->getContext(), CXI->getSuccessOrdering(),
4855 CXI->getFailureOrdering(), CXI->getSyncScopeID());
4856 Out << ", align " << CXI->getAlign().value();
4857 } else if (const auto *RMWI = dyn_cast<AtomicRMWInst>(&I)) {
4858 writeAtomic(RMWI->getContext(), RMWI->getOrdering(),
4859 RMWI->getSyncScopeID());
4860 Out << ", align " << RMWI->getAlign().value();
4861 } else if (const auto *FI = dyn_cast<FenceInst>(&I)) {
4862 writeAtomic(FI->getContext(), FI->getOrdering(), FI->getSyncScopeID());
4863 } else if (const auto *SVI = dyn_cast<ShuffleVectorInst>(&I)) {
4864 printShuffleMask(Out, SVI->getType(), SVI->getShuffleMask());
4865 }
4866
4867 // Print Metadata info.
4869 I.getAllMetadata(InstMD);
4870 printMetadataAttachments(InstMD, ", ");
4871
4872 // Print a nice comment.
4873 printInfoComment(I);
4874}
4875
4876void AssemblyWriter::printDbgMarker(const DbgMarker &Marker) {
4877 // There's no formal representation of a DbgMarker -- print purely as a
4878 // debugging aid.
4879 for (const DbgRecord &DPR : Marker.StoredDbgRecords) {
4880 printDbgRecord(DPR);
4881 Out << "\n";
4882 }
4883
4884 Out << " DbgMarker -> { ";
4885 printInstruction(*Marker.MarkedInstr);
4886 Out << " }";
4887}
4888
4889void AssemblyWriter::printDbgRecord(const DbgRecord &DR) {
4890 if (auto *DVR = dyn_cast<DbgVariableRecord>(&DR))
4891 printDbgVariableRecord(*DVR);
4892 else if (auto *DLR = dyn_cast<DbgLabelRecord>(&DR))
4893 printDbgLabelRecord(*DLR);
4894 else
4895 llvm_unreachable("Unexpected DbgRecord kind");
4896}
4897
4898void AssemblyWriter::printDbgVariableRecord(const DbgVariableRecord &DVR) {
4899 auto WriterCtx = getContext();
4900 Out << "#dbg_";
4901 switch (DVR.getType()) {
4902 case DbgVariableRecord::LocationType::Value:
4903 Out << "value";
4904 break;
4905 case DbgVariableRecord::LocationType::Declare:
4906 Out << "declare";
4907 break;
4908 case DbgVariableRecord::LocationType::DeclareValue:
4909 Out << "declare_value";
4910 break;
4911 case DbgVariableRecord::LocationType::Assign:
4912 Out << "assign";
4913 break;
4914 default:
4916 "Tried to print a DbgVariableRecord with an invalid LocationType!");
4917 }
4918
4919 auto PrintOrNull = [&](Metadata *M) {
4920 if (!M)
4921 Out << "(null)";
4922 else
4923 writeAsOperandInternal(Out, M, WriterCtx, true);
4924 };
4925
4926 Out << "(";
4927 PrintOrNull(DVR.getRawLocation());
4928 Out << ", ";
4929 PrintOrNull(DVR.getRawVariable());
4930 Out << ", ";
4931 PrintOrNull(DVR.getRawExpression());
4932 Out << ", ";
4933 if (DVR.isDbgAssign()) {
4934 PrintOrNull(DVR.getRawAssignID());
4935 Out << ", ";
4936 PrintOrNull(DVR.getRawAddress());
4937 Out << ", ";
4938 PrintOrNull(DVR.getRawAddressExpression());
4939 Out << ", ";
4940 }
4941 PrintOrNull(DVR.getDebugLoc().getAsMDNode());
4942 Out << ")";
4943}
4944
4945/// printDbgRecordLine - Print a DbgRecord with indentation and a newline
4946/// character.
4947void AssemblyWriter::printDbgRecordLine(const DbgRecord &DR) {
4948 // Print lengthier indentation to bring out-of-line with instructions.
4949 Out << " ";
4950 printDbgRecord(DR);
4951 Out << '\n';
4952}
4953
4954void AssemblyWriter::printDbgLabelRecord(const DbgLabelRecord &Label) {
4955 auto WriterCtx = getContext();
4956 Out << "#dbg_label(";
4957 writeAsOperandInternal(Out, Label.getRawLabel(), WriterCtx, true);
4958 Out << ", ";
4959 writeAsOperandInternal(Out, Label.getDebugLoc(), WriterCtx, true);
4960 Out << ")";
4961}
4962
4963void AssemblyWriter::printMetadataAttachments(
4964 const SmallVectorImpl<std::pair<unsigned, MDNode *>> &MDs,
4965 StringRef Separator) {
4966 if (MDs.empty())
4967 return;
4968
4969 if (MDNames.empty())
4970 MDs[0].second->getContext().getMDKindNames(MDNames);
4971
4972 auto WriterCtx = getContext();
4973 for (const auto &I : MDs) {
4974 unsigned Kind = I.first;
4975 Out << Separator;
4976 if (Kind < MDNames.size()) {
4977 Out << "!";
4978 printMetadataIdentifier(MDNames[Kind], Out);
4979 } else
4980 Out << "!<unknown kind #" << Kind << ">";
4981 Out << ' ';
4982 writeAsOperandInternal(Out, I.second, WriterCtx);
4983 }
4984}
4985
4986void AssemblyWriter::writeMDNode(unsigned Slot, const MDNode *Node) {
4987 Out << '!' << Slot << " = ";
4988 printMDNodeBody(Node);
4989 Out << "\n";
4990}
4991
4992void AssemblyWriter::writeAllMDNodes() {
4994 Nodes.resize(Machine.mdn_size());
4995 for (auto &I : llvm::make_range(Machine.mdn_begin(), Machine.mdn_end()))
4996 Nodes[I.second] = cast<MDNode>(I.first);
4997
4998 for (unsigned i = 0, e = Nodes.size(); i != e; ++i) {
4999 writeMDNode(i, Nodes[i]);
5000 }
5001}
5002
5003void AssemblyWriter::printMDNodeBody(const MDNode *Node) {
5004 auto WriterCtx = getContext();
5005 writeMDNodeBodyInternal(Out, Node, WriterCtx);
5006}
5007
5008void AssemblyWriter::writeAttribute(const Attribute &Attr, bool InAttrGroup) {
5009 if (!Attr.isTypeAttribute()) {
5010 Out << Attr.getAsString(InAttrGroup);
5011 return;
5012 }
5013
5014 Out << Attribute::getNameFromAttrKind(Attr.getKindAsEnum());
5015 if (Type *Ty = Attr.getValueAsType()) {
5016 Out << '(';
5017 TypePrinter.print(Ty, Out);
5018 Out << ')';
5019 }
5020}
5021
5022void AssemblyWriter::writeAttributeSet(const AttributeSet &AttrSet,
5023 bool InAttrGroup) {
5024 ListSeparator LS(" ");
5025 for (const auto &Attr : AttrSet) {
5026 Out << LS;
5027 writeAttribute(Attr, InAttrGroup);
5028 }
5029}
5030
5031void AssemblyWriter::writeAllAttributeGroups() {
5032 std::vector<std::pair<AttributeSet, unsigned>> asVec;
5033 asVec.resize(Machine.as_size());
5034
5035 for (auto &I : llvm::make_range(Machine.as_begin(), Machine.as_end()))
5036 asVec[I.second] = I;
5037
5038 for (const auto &I : asVec)
5039 Out << "attributes #" << I.second << " = { "
5040 << I.first.getAsString(true) << " }\n";
5041}
5042
5043void AssemblyWriter::printUseListOrder(const Value *V,
5044 ArrayRef<unsigned> Shuffle) {
5045 bool IsInFunction = Machine.getFunction();
5046 if (IsInFunction)
5047 Out << " ";
5048
5049 Out << "uselistorder";
5050 if (const BasicBlock *BB = IsInFunction ? nullptr : dyn_cast<BasicBlock>(V)) {
5051 Out << "_bb ";
5052 writeOperand(BB->getParent(), false);
5053 Out << ", ";
5054 writeOperand(BB, false);
5055 } else {
5056 Out << " ";
5057 writeOperand(V, true);
5058 }
5059
5060 assert(Shuffle.size() >= 2 && "Shuffle too small");
5061 Out << ", { " << llvm::interleaved(Shuffle) << " }\n";
5062}
5063
5064void AssemblyWriter::printUseLists(const Function *F) {
5065 auto It = UseListOrders.find(F);
5066 if (It == UseListOrders.end())
5067 return;
5068
5069 Out << "\n; uselistorder directives\n";
5070 for (const auto &Pair : It->second)
5071 printUseListOrder(Pair.first, Pair.second);
5072}
5073
5074//===----------------------------------------------------------------------===//
5075// External Interface declarations
5076//===----------------------------------------------------------------------===//
5077
5079 bool ShouldPreserveUseListOrder, bool IsForDebug) const {
5080 SlotTracker SlotTable(this->getParent());
5081 formatted_raw_ostream OS(ROS);
5082 AssemblyWriter W(OS, SlotTable, this->getParent(), AAW, IsForDebug,
5083 ShouldPreserveUseListOrder);
5084 W.printFunction(this);
5085}
5086
5088 bool ShouldPreserveUseListOrder,
5089 bool IsForDebug) const {
5090 SlotTracker SlotTable(this->getParent());
5091 formatted_raw_ostream OS(ROS);
5092 AssemblyWriter W(OS, SlotTable, this->getModule(), AAW,
5093 IsForDebug,
5094 ShouldPreserveUseListOrder);
5095 W.printBasicBlock(this);
5096}
5097
5099 bool ShouldPreserveUseListOrder, bool IsForDebug) const {
5100 SlotTracker SlotTable(this);
5101 formatted_raw_ostream OS(ROS);
5102 AssemblyWriter W(OS, SlotTable, this, AAW, IsForDebug,
5103 ShouldPreserveUseListOrder);
5104 W.printModule(this);
5105}
5106
5107void NamedMDNode::print(raw_ostream &ROS, bool IsForDebug) const {
5108 SlotTracker SlotTable(getParent());
5109 formatted_raw_ostream OS(ROS);
5110 AssemblyWriter W(OS, SlotTable, getParent(), nullptr, IsForDebug);
5111 W.printNamedMDNode(this);
5112}
5113
5115 bool IsForDebug) const {
5116 std::optional<SlotTracker> LocalST;
5117 SlotTracker *SlotTable;
5118 if (auto *ST = MST.getMachine())
5119 SlotTable = ST;
5120 else {
5121 LocalST.emplace(getParent());
5122 SlotTable = &*LocalST;
5123 }
5124
5125 formatted_raw_ostream OS(ROS);
5126 AssemblyWriter W(OS, *SlotTable, getParent(), nullptr, IsForDebug);
5127 W.printNamedMDNode(this);
5128}
5129
5130void Comdat::print(raw_ostream &ROS, bool /*IsForDebug*/) const {
5132 ROS << " = comdat ";
5133
5134 switch (getSelectionKind()) {
5135 case Comdat::Any:
5136 ROS << "any";
5137 break;
5138 case Comdat::ExactMatch:
5139 ROS << "exactmatch";
5140 break;
5141 case Comdat::Largest:
5142 ROS << "largest";
5143 break;
5145 ROS << "nodeduplicate";
5146 break;
5147 case Comdat::SameSize:
5148 ROS << "samesize";
5149 break;
5150 }
5151
5152 ROS << '\n';
5153}
5154
5155void Type::print(raw_ostream &OS, bool /*IsForDebug*/, bool NoDetails) const {
5156 TypePrinting TP;
5157 TP.print(const_cast<Type*>(this), OS);
5158
5159 if (NoDetails)
5160 return;
5161
5162 // If the type is a named struct type, print the body as well.
5163 if (auto *STy = dyn_cast<StructType>(const_cast<Type *>(this)))
5164 if (!STy->isLiteral()) {
5165 OS << " = type ";
5166 TP.printStructBody(STy, OS);
5167 }
5168}
5169
5170static bool isReferencingMDNode(const Instruction &I) {
5171 if (const auto *CI = dyn_cast<CallInst>(&I))
5172 if (Function *F = CI->getCalledFunction())
5173 if (F->isIntrinsic())
5174 for (auto &Op : I.operands())
5176 if (isa<MDNode>(V->getMetadata()))
5177 return true;
5178 return false;
5179}
5180
5181void DbgMarker::print(raw_ostream &ROS, bool IsForDebug) const {
5182
5183 ModuleSlotTracker MST(getModuleFromDPI(this), true);
5184 print(ROS, MST, IsForDebug);
5185}
5186
5187void DbgVariableRecord::print(raw_ostream &ROS, bool IsForDebug) const {
5188
5189 ModuleSlotTracker MST(getModuleFromDPI(this), true);
5190 print(ROS, MST, IsForDebug);
5191}
5192
5194 bool IsForDebug) const {
5195 formatted_raw_ostream OS(ROS);
5196 SlotTracker EmptySlotTable(static_cast<const Module *>(nullptr));
5197 SlotTracker &SlotTable =
5198 MST.getMachine() ? *MST.getMachine() : EmptySlotTable;
5199 const Function *F = getParent() ? getParent()->getParent() : nullptr;
5200 if (F)
5201 MST.incorporateFunction(*F);
5202 AssemblyWriter W(OS, SlotTable, getModuleFromDPI(this), nullptr, IsForDebug);
5203 W.printDbgMarker(*this);
5204}
5205
5206void DbgLabelRecord::print(raw_ostream &ROS, bool IsForDebug) const {
5207
5208 ModuleSlotTracker MST(getModuleFromDPI(this), true);
5209 print(ROS, MST, IsForDebug);
5210}
5211
5213 bool IsForDebug) const {
5214 formatted_raw_ostream OS(ROS);
5215 SlotTracker EmptySlotTable(static_cast<const Module *>(nullptr));
5216 SlotTracker &SlotTable =
5217 MST.getMachine() ? *MST.getMachine() : EmptySlotTable;
5218 const Function *F = Marker && Marker->getParent()
5219 ? Marker->getParent()->getParent()
5220 : nullptr;
5221 if (F)
5222 MST.incorporateFunction(*F);
5223 AssemblyWriter W(OS, SlotTable, getModuleFromDPI(this), nullptr, IsForDebug);
5224 W.printDbgVariableRecord(*this);
5225}
5226
5228 bool IsForDebug) const {
5229 formatted_raw_ostream OS(ROS);
5230 SlotTracker EmptySlotTable(static_cast<const Module *>(nullptr));
5231 SlotTracker &SlotTable =
5232 MST.getMachine() ? *MST.getMachine() : EmptySlotTable;
5233 const Function *F =
5234 Marker->getParent() ? Marker->getParent()->getParent() : nullptr;
5235 if (F)
5236 MST.incorporateFunction(*F);
5237
5238 AssemblyWriter W(OS, SlotTable, getModuleFromDPI(this), nullptr, IsForDebug);
5239 W.printDbgLabelRecord(*this);
5240}
5241
5242void Value::print(raw_ostream &ROS, bool IsForDebug) const {
5243 bool ShouldInitializeAllMetadata = false;
5244 if (auto *I = dyn_cast<Instruction>(this))
5245 ShouldInitializeAllMetadata = isReferencingMDNode(*I);
5246 else if (isa<Function>(this) || isa<MetadataAsValue>(this))
5247 ShouldInitializeAllMetadata = true;
5248
5249 ModuleSlotTracker MST(getModuleFromVal(this), ShouldInitializeAllMetadata);
5250 print(ROS, MST, IsForDebug);
5251}
5252
5254 bool IsForDebug) const {
5255 formatted_raw_ostream OS(ROS);
5256 SlotTracker EmptySlotTable(static_cast<const Module *>(nullptr));
5257 SlotTracker &SlotTable =
5258 MST.getMachine() ? *MST.getMachine() : EmptySlotTable;
5259 auto IncorporateFunction = [&](const Function *F) {
5260 if (F)
5261 MST.incorporateFunction(*F);
5262 };
5263
5264 if (const auto *I = dyn_cast<Instruction>(this)) {
5265 IncorporateFunction(I->getParent() ? I->getParent()->getParent() : nullptr);
5266 AssemblyWriter W(OS, SlotTable, getModuleFromVal(I), nullptr, IsForDebug);
5267 W.printInstruction(*I);
5268 } else if (const auto *BB = dyn_cast<BasicBlock>(this)) {
5269 IncorporateFunction(BB->getParent());
5270 AssemblyWriter W(OS, SlotTable, getModuleFromVal(BB), nullptr, IsForDebug);
5271 W.printBasicBlock(BB);
5272 } else if (const auto *GV = dyn_cast<GlobalValue>(this)) {
5273 AssemblyWriter W(OS, SlotTable, GV->getParent(), nullptr, IsForDebug);
5274 if (const auto *V = dyn_cast<GlobalVariable>(GV))
5275 W.printGlobal(V);
5276 else if (const auto *F = dyn_cast<Function>(GV))
5277 W.printFunction(F);
5278 else if (const auto *A = dyn_cast<GlobalAlias>(GV))
5279 W.printAlias(A);
5280 else if (const auto *I = dyn_cast<GlobalIFunc>(GV))
5281 W.printIFunc(I);
5282 else
5283 llvm_unreachable("Unknown GlobalValue to print out!");
5284 } else if (const auto *V = dyn_cast<MetadataAsValue>(this)) {
5285 V->getMetadata()->print(ROS, MST, getModuleFromVal(V));
5286 } else if (const auto *C = dyn_cast<Constant>(this)) {
5287 TypePrinting TypePrinter;
5288 TypePrinter.print(C->getType(), OS);
5289 OS << ' ';
5290 AsmWriterContext WriterCtx(&TypePrinter, MST.getMachine());
5291 writeConstantInternal(OS, C, WriterCtx);
5292 } else if (isa<InlineAsm>(this) || isa<Argument>(this)) {
5293 this->printAsOperand(OS, /* PrintType */ true, MST);
5294 } else {
5295 llvm_unreachable("Unknown value to print out!");
5296 }
5297}
5298
5299/// Print without a type, skipping the TypePrinting object.
5300///
5301/// \return \c true iff printing was successful.
5302static bool printWithoutType(const Value &V, raw_ostream &O,
5303 SlotTracker *Machine, const Module *M) {
5304 if (V.hasName() || isa<GlobalValue>(V) ||
5305 (!isa<Constant>(V) && !isa<MetadataAsValue>(V))) {
5306 AsmWriterContext WriterCtx(nullptr, Machine, M);
5307 writeAsOperandInternal(O, &V, WriterCtx);
5308 return true;
5309 }
5310 return false;
5311}
5312
5313static void printAsOperandImpl(const Value &V, raw_ostream &O, bool PrintType,
5314 ModuleSlotTracker &MST) {
5315 TypePrinting TypePrinter(MST.getModule());
5316 AsmWriterContext WriterCtx(&TypePrinter, MST.getMachine(), MST.getModule());
5317 writeAsOperandInternal(O, &V, WriterCtx, PrintType);
5318}
5319
5320void Value::printAsOperand(raw_ostream &O, bool PrintType,
5321 const Module *M) const {
5322 if (!M)
5323 M = getModuleFromVal(this);
5324
5325 if (!PrintType)
5326 if (printWithoutType(*this, O, nullptr, M))
5327 return;
5328
5330 M, /* ShouldInitializeAllMetadata */ isa<MetadataAsValue>(this));
5331 ModuleSlotTracker MST(Machine, M);
5332 printAsOperandImpl(*this, O, PrintType, MST);
5333}
5334
5335void Value::printAsOperand(raw_ostream &O, bool PrintType,
5336 ModuleSlotTracker &MST) const {
5337 if (!PrintType)
5338 if (printWithoutType(*this, O, MST.getMachine(), MST.getModule()))
5339 return;
5340
5341 printAsOperandImpl(*this, O, PrintType, MST);
5342}
5343
5344/// Recursive version of printMetadataImpl.
5345static void printMetadataImplRec(raw_ostream &ROS, const Metadata &MD,
5346 AsmWriterContext &WriterCtx) {
5347 formatted_raw_ostream OS(ROS);
5348 writeAsOperandInternal(OS, &MD, WriterCtx, /* FromValue */ true);
5349
5350 auto *N = dyn_cast<MDNode>(&MD);
5351 if (!N || isa<DIExpression>(MD))
5352 return;
5353
5354 OS << " = ";
5355 writeMDNodeBodyInternal(OS, N, WriterCtx);
5356}
5357
5358namespace {
5359struct MDTreeAsmWriterContext : public AsmWriterContext {
5360 unsigned Level;
5361 // {Level, Printed string}
5362 using EntryTy = std::pair<unsigned, std::string>;
5364
5365 // Used to break the cycle in case there is any.
5366 SmallPtrSet<const Metadata *, 4> Visited;
5367
5368 raw_ostream &MainOS;
5369
5370 MDTreeAsmWriterContext(TypePrinting *TP, SlotTracker *ST, const Module *M,
5371 raw_ostream &OS, const Metadata *InitMD)
5372 : AsmWriterContext(TP, ST, M), Level(0U), Visited({InitMD}), MainOS(OS) {}
5373
5374 void onWriteMetadataAsOperand(const Metadata *MD) override {
5375 if (!Visited.insert(MD).second)
5376 return;
5377
5378 std::string Str;
5379 raw_string_ostream SS(Str);
5380 ++Level;
5381 // A placeholder entry to memorize the correct
5382 // position in buffer.
5383 Buffer.emplace_back(std::make_pair(Level, ""));
5384 unsigned InsertIdx = Buffer.size() - 1;
5385
5386 printMetadataImplRec(SS, *MD, *this);
5387 Buffer[InsertIdx].second = std::move(SS.str());
5388 --Level;
5389 }
5390
5391 ~MDTreeAsmWriterContext() override {
5392 for (const auto &Entry : Buffer) {
5393 MainOS << "\n";
5394 unsigned NumIndent = Entry.first * 2U;
5395 MainOS.indent(NumIndent) << Entry.second;
5396 }
5397 }
5398};
5399} // end anonymous namespace
5400
5401static void printMetadataImpl(raw_ostream &ROS, const Metadata &MD,
5402 ModuleSlotTracker &MST, const Module *M,
5403 bool OnlyAsOperand, bool PrintAsTree = false) {
5404 formatted_raw_ostream OS(ROS);
5405
5406 TypePrinting TypePrinter(M);
5407
5408 std::unique_ptr<AsmWriterContext> WriterCtx;
5409 if (PrintAsTree && !OnlyAsOperand)
5410 WriterCtx = std::make_unique<MDTreeAsmWriterContext>(
5411 &TypePrinter, MST.getMachine(), M, OS, &MD);
5412 else
5413 WriterCtx =
5414 std::make_unique<AsmWriterContext>(&TypePrinter, MST.getMachine(), M);
5415
5416 writeAsOperandInternal(OS, &MD, *WriterCtx, /* FromValue */ true);
5417
5418 auto *N = dyn_cast<MDNode>(&MD);
5419 if (OnlyAsOperand || !N || isa<DIExpression>(MD))
5420 return;
5421
5422 OS << " = ";
5423 writeMDNodeBodyInternal(OS, N, *WriterCtx);
5424}
5425
5427 ModuleSlotTracker MST(M, isa<MDNode>(this));
5428 printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ true);
5429}
5430
5432 const Module *M) const {
5433 printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ true);
5434}
5435
5437 bool /*IsForDebug*/) const {
5438 ModuleSlotTracker MST(M, isa<MDNode>(this));
5439 printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ false);
5440}
5441
5443 const Module *M, bool /*IsForDebug*/) const {
5444 printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ false);
5445}
5446
5447void MDNode::printTree(raw_ostream &OS, const Module *M) const {
5448 ModuleSlotTracker MST(M, true);
5449 printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ false,
5450 /*PrintAsTree=*/true);
5451}
5452
5454 const Module *M) const {
5455 printMetadataImpl(OS, *this, MST, M, /* OnlyAsOperand */ false,
5456 /*PrintAsTree=*/true);
5457}
5458
5459void ModuleSummaryIndex::print(raw_ostream &ROS, bool IsForDebug) const {
5460 SlotTracker SlotTable(this);
5461 formatted_raw_ostream OS(ROS);
5462 AssemblyWriter W(OS, SlotTable, this, IsForDebug);
5463 W.printModuleSummaryIndex();
5464}
5465
5467 unsigned UB) const {
5468 SlotTracker *ST = MachineStorage.get();
5469 if (!ST)
5470 return;
5471
5472 for (auto &I : llvm::make_range(ST->mdn_begin(), ST->mdn_end()))
5473 if (I.second >= LB && I.second < UB)
5474 L.push_back(std::make_pair(I.second, I.first));
5475}
5476
5477#if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
5478// Value::dump - allow easy printing of Values from the debugger.
5480void Value::dump() const { print(dbgs(), /*IsForDebug=*/true); dbgs() << '\n'; }
5481
5482// Value::dump - allow easy printing of Values from the debugger.
5484void DbgMarker::dump() const {
5485 print(dbgs(), /*IsForDebug=*/true);
5486 dbgs() << '\n';
5487}
5488
5489// Value::dump - allow easy printing of Values from the debugger.
5491void DbgRecord::dump() const { print(dbgs(), /*IsForDebug=*/true); dbgs() << '\n'; }
5492
5493// Type::dump - allow easy printing of Types from the debugger.
5495void Type::dump() const { print(dbgs(), /*IsForDebug=*/true); dbgs() << '\n'; }
5496
5497// Module::dump() - Allow printing of Modules from the debugger.
5499void Module::dump() const {
5500 print(dbgs(), nullptr,
5501 /*ShouldPreserveUseListOrder=*/false, /*IsForDebug=*/true);
5502}
5503
5504// Allow printing of Comdats from the debugger.
5506void Comdat::dump() const { print(dbgs(), /*IsForDebug=*/true); }
5507
5508// NamedMDNode::dump() - Allow printing of NamedMDNodes from the debugger.
5510void NamedMDNode::dump() const { print(dbgs(), /*IsForDebug=*/true); }
5511
5513void Metadata::dump() const { dump(nullptr); }
5514
5516void Metadata::dump(const Module *M) const {
5517 print(dbgs(), M, /*IsForDebug=*/true);
5518 dbgs() << '\n';
5519}
5520
5522void MDNode::dumpTree() const { dumpTree(nullptr); }
5523
5525void MDNode::dumpTree(const Module *M) const {
5526 printTree(dbgs(), M);
5527 dbgs() << '\n';
5528}
5529
5530// Allow printing of ModuleSummaryIndex from the debugger.
5532void ModuleSummaryIndex::dump() const { print(dbgs(), /*IsForDebug=*/true); }
5533#endif
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
This file declares a class to represent arbitrary precision floating point values and provide a varie...
This file implements a class to represent arbitrary precision integral constant values and operations...
MachineBasicBlock MachineBasicBlock::iterator DebugLoc DL
static void print(raw_ostream &Out, object::Archive::Kind Kind, T Val)
static void writeDIMacro(raw_ostream &Out, const DIMacro *N, AsmWriterContext &WriterCtx)
static void writeMetadataAsOperand(raw_ostream &Out, const Metadata *MD, AsmWriterContext &WriterCtx)
static void writeDIGlobalVariableExpression(raw_ostream &Out, const DIGlobalVariableExpression *N, AsmWriterContext &WriterCtx)
static void writeDICompositeType(raw_ostream &Out, const DICompositeType *N, AsmWriterContext &WriterCtx)
static void writeDIFixedPointType(raw_ostream &Out, const DIFixedPointType *N, AsmWriterContext &WriterCtx)
static void printDSOLocation(const GlobalValue &GV, formatted_raw_ostream &Out)
static const char * getWholeProgDevirtResKindName(WholeProgramDevirtResolution::Kind K)
static void writeDISubrangeType(raw_ostream &Out, const DISubrangeType *N, AsmWriterContext &WriterCtx)
static void writeAPFloatInternal(raw_ostream &Out, const APFloat &APF)
static void printMetadataImpl(raw_ostream &ROS, const Metadata &MD, ModuleSlotTracker &MST, const Module *M, bool OnlyAsOperand, bool PrintAsTree=false)
static void writeDIStringType(raw_ostream &Out, const DIStringType *N, AsmWriterContext &WriterCtx)
static std::string getLinkageNameWithSpace(GlobalValue::LinkageTypes LT)
static cl::opt< bool > PreserveAssemblyUseListOrder("preserve-ll-uselistorder", cl::Hidden, cl::init(false), cl::desc("Preserve use-list order when writing LLVM assembly."))
static std::vector< unsigned > predictValueUseListOrder(const Value *V, unsigned ID, const OrderMap &OM)
static void writeDIGlobalVariable(raw_ostream &Out, const DIGlobalVariable *N, AsmWriterContext &WriterCtx)
static void orderValue(const Value *V, OrderMap &OM)
static void writeDIBasicType(raw_ostream &Out, const DIBasicType *N, AsmWriterContext &WriterCtx)
static StringRef getUnnamedAddrEncoding(GlobalVariable::UnnamedAddr UA)
static const char * getWholeProgDevirtResByArgKindName(WholeProgramDevirtResolution::ByArg::Kind K)
static void writeMDNodeBodyInternal(raw_ostream &Out, const MDNode *Node, AsmWriterContext &Ctx)
static void writeDIModule(raw_ostream &Out, const DIModule *N, AsmWriterContext &WriterCtx)
static void writeDIFile(raw_ostream &Out, const DIFile *N, AsmWriterContext &)
static void writeDISubroutineType(raw_ostream &Out, const DISubroutineType *N, AsmWriterContext &WriterCtx)
static cl::opt< bool > PrintAddrspaceName("print-addrspace-name", cl::Hidden, cl::init(false), cl::desc("Print address space names"))
static void writeOptimizationInfo(raw_ostream &Out, const User *U)
static bool isReferencingMDNode(const Instruction &I)
#define CC_VLS_CASE(ABI_VLEN)
static void writeDILabel(raw_ostream &Out, const DILabel *N, AsmWriterContext &WriterCtx)
static void writeDIDerivedType(raw_ostream &Out, const DIDerivedType *N, AsmWriterContext &WriterCtx)
static void printMetadataIdentifier(StringRef Name, formatted_raw_ostream &Out)
static void printShuffleMask(raw_ostream &Out, Type *Ty, ArrayRef< int > Mask)
static void writeDIImportedEntity(raw_ostream &Out, const DIImportedEntity *N, AsmWriterContext &WriterCtx)
static const Module * getModuleFromDPI(const DbgMarker *Marker)
static void printAsOperandImpl(const Value &V, raw_ostream &O, bool PrintType, ModuleSlotTracker &MST)
static void writeDIObjCProperty(raw_ostream &Out, const DIObjCProperty *N, AsmWriterContext &WriterCtx)
static void writeDISubprogram(raw_ostream &Out, const DISubprogram *N, AsmWriterContext &WriterCtx)
static const char * getSummaryKindName(GlobalValueSummary::SummaryKind SK)
static OrderMap orderModule(const Module *M)
static const char * getVisibilityName(GlobalValue::VisibilityTypes Vis)
static void printCallingConv(unsigned cc, raw_ostream &Out)
static void printAddressSpace(const Module *M, unsigned AS, raw_ostream &OS, StringRef Prefix=" ", StringRef Suffix="", bool ForcePrint=false)
static cl::opt< bool > PrintInstDebugLocs("print-inst-debug-locs", cl::Hidden, cl::desc("Pretty print debug locations of instructions when dumping"))
static void printMetadataImplRec(raw_ostream &ROS, const Metadata &MD, AsmWriterContext &WriterCtx)
Recursive version of printMetadataImpl.
static SlotTracker * createSlotTracker(const Value *V)
static void writeDILocation(raw_ostream &Out, const DILocation *DL, AsmWriterContext &WriterCtx)
static void writeDINamespace(raw_ostream &Out, const DINamespace *N, AsmWriterContext &WriterCtx)
DenseMap< const Function *, MapVector< const Value *, std::vector< unsigned > > > UseListOrderMap
static void writeDICommonBlock(raw_ostream &Out, const DICommonBlock *N, AsmWriterContext &WriterCtx)
static UseListOrderMap predictUseListOrder(const Module *M)
static void printThreadLocalModel(GlobalVariable::ThreadLocalMode TLM, formatted_raw_ostream &Out)
static std::string getLinkageName(GlobalValue::LinkageTypes LT)
static void writeGenericDINode(raw_ostream &Out, const GenericDINode *N, AsmWriterContext &WriterCtx)
static void writeDILocalVariable(raw_ostream &Out, const DILocalVariable *N, AsmWriterContext &WriterCtx)
static const char * getTTResKindName(TypeTestResolution::Kind K)
static void writeDITemplateTypeParameter(raw_ostream &Out, const DITemplateTypeParameter *N, AsmWriterContext &WriterCtx)
static const char * getImportTypeName(GlobalValueSummary::ImportKind IK)
static void writeDICompileUnit(raw_ostream &Out, const DICompileUnit *N, AsmWriterContext &WriterCtx)
static const Module * getModuleFromVal(const Value *V)
static void printLLVMName(raw_ostream &OS, StringRef Name, PrefixType Prefix)
Turn the specified name into an 'LLVM name', which is either prefixed with % (if the string only cont...
static void maybePrintCallAddrSpace(const Value *Operand, const Instruction *I, raw_ostream &Out)
static void writeDIGenericSubrange(raw_ostream &Out, const DIGenericSubrange *N, AsmWriterContext &WriterCtx)
static void writeDISubrange(raw_ostream &Out, const DISubrange *N, AsmWriterContext &WriterCtx)
static void writeDILexicalBlockFile(raw_ostream &Out, const DILexicalBlockFile *N, AsmWriterContext &WriterCtx)
static void writeConstantInternal(raw_ostream &Out, const Constant *CV, AsmWriterContext &WriterCtx)
static void writeDIEnumerator(raw_ostream &Out, const DIEnumerator *N, AsmWriterContext &)
static void writeAsOperandInternal(raw_ostream &Out, const Value *V, AsmWriterContext &WriterCtx, bool PrintType=false)
static void printVisibility(GlobalValue::VisibilityTypes Vis, formatted_raw_ostream &Out)
static cl::opt< bool > PrintProfData("print-prof-data", cl::Hidden, cl::desc("Pretty print perf data (branch weights, etc) when dumping"))
static void writeMDTuple(raw_ostream &Out, const MDTuple *Node, AsmWriterContext &WriterCtx)
static void writeDIExpression(raw_ostream &Out, const DIExpression *N, AsmWriterContext &WriterCtx)
static cl::opt< bool > PrintInstAddrs("print-inst-addrs", cl::Hidden, cl::desc("Print addresses of instructions when dumping"))
static void writeDIAssignID(raw_ostream &Out, const DIAssignID *DL, AsmWriterContext &WriterCtx)
static void writeDILexicalBlock(raw_ostream &Out, const DILexicalBlock *N, AsmWriterContext &WriterCtx)
PrefixType
@ GlobalPrefix
@ LabelPrefix
@ LocalPrefix
@ NoPrefix
@ ComdatPrefix
static void maybePrintComdat(formatted_raw_ostream &Out, const GlobalObject &GO)
static void printDLLStorageClass(GlobalValue::DLLStorageClassTypes SCT, formatted_raw_ostream &Out)
static bool printWithoutType(const Value &V, raw_ostream &O, SlotTracker *Machine, const Module *M)
Print without a type, skipping the TypePrinting object.
#define ST_DEBUG(X)
static void writeDIArgList(raw_ostream &Out, const DIArgList *N, AsmWriterContext &WriterCtx, bool FromValue=false)
static void writeDITemplateValueParameter(raw_ostream &Out, const DITemplateValueParameter *N, AsmWriterContext &WriterCtx)
static const Value * skipMetadataWrapper(const Value *V)
Look for a value that might be wrapped as metadata, e.g.
static void writeDIMacroFile(raw_ostream &Out, const DIMacroFile *N, AsmWriterContext &WriterCtx)
Atomic ordering constants.
This file contains the simple types necessary to represent the attributes associated with functions a...
static const Function * getParent(const Value *V)
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
static GCRegistry::Add< CoreCLRGC > E("coreclr", "CoreCLR-compatible GC")
#define LLVM_DUMP_METHOD
Mark debug helper function definitions like dump() that should not be stripped from debug builds.
Definition Compiler.h:661
This file contains the declarations for the subclasses of Constant, which represent the different fla...
dxil pretty DXIL Metadata Pretty Printer
dxil translate DXIL Translate Metadata
This file defines the DenseMap class.
@ Default
This file contains constants used for implementing Dwarf debug support.
This file contains the declaration of the GlobalIFunc class, which represents a single indirect funct...
GlobalValue::SanitizerMetadata SanitizerMetadata
Definition Globals.cpp:245
#define op(i)
Hexagon Common GEP
#define _
IRTranslator LLVM IR MI
This file provides various utilities for inspecting and working with the control flow graph in LLVM I...
This file contains an interface for creating legacy passes to print out IR in various granularities.
Module.h This file contains the declarations for the Module class.
This defines the Use class.
#define F(x, y, z)
Definition MD5.cpp:54
#define I(x, y, z)
Definition MD5.cpp:57
#define G(x, y, z)
Definition MD5.cpp:55
Machine Check Debug Module
This file contains the declarations for metadata subclasses.
static bool InRange(int64_t Value, unsigned short Shift, int LBound, int HBound)
ModuleSummaryIndex.h This file contains the declarations the classes that hold the module index and s...
static bool processFunction(Function &F, NVPTXTargetMachine &TM)
ConstantRange Range(APInt(BitWidth, Low), APInt(BitWidth, High))
uint64_t IntrinsicInst * II
#define P(N)
Function const char TargetMachine * Machine
if(auto Err=PB.parsePassPipeline(MPM, Passes)) return wrap(std MPM run * Mod
if(PassOpts->AAPipeline)
static StringRef getName(Value *V)
This file contains some templates that are useful if you are working with the STL at all.
This file provides utility classes that use RAII to save and restore values.
This file implements a set that has insertion order iteration characteristics.
This file defines the SmallPtrSet class.
This file defines the SmallString class.
This file defines the SmallVector class.
This file contains some functions that are useful when dealing with strings.
LocallyHashedType DenseMapInfo< LocallyHashedType >::Empty
static UseListOrderStack predictUseListOrder(const Module &M)
static const fltSemantics & IEEEsingle()
Definition APFloat.h:296
static const fltSemantics & BFloat()
Definition APFloat.h:295
static const fltSemantics & IEEEquad()
Definition APFloat.h:298
static const fltSemantics & IEEEdouble()
Definition APFloat.h:297
static const fltSemantics & x87DoubleExtended()
Definition APFloat.h:317
static constexpr roundingMode rmNearestTiesToEven
Definition APFloat.h:344
static const fltSemantics & IEEEhalf()
Definition APFloat.h:294
static const fltSemantics & PPCDoubleDouble()
Definition APFloat.h:299
static APFloat getSNaN(const fltSemantics &Sem, bool Negative=false, const APInt *payload=nullptr)
Factory for SNaN values.
Definition APFloat.h:1183
LLVM_ABI opStatus convert(const fltSemantics &ToSemantics, roundingMode RM, bool *losesInfo)
Definition APFloat.cpp:5890
bool isNegative() const
Definition APFloat.h:1516
LLVM_ABI double convertToDouble() const
Converts this APFloat to host double value.
Definition APFloat.cpp:5949
void toString(SmallVectorImpl< char > &Str, unsigned FormatPrecision=0, unsigned FormatMaxPadding=3, bool TruncateZero=true) const
Definition APFloat.h:1545
const fltSemantics & getSemantics() const
Definition APFloat.h:1524
bool isNaN() const
Definition APFloat.h:1514
bool isSignaling() const
Definition APFloat.h:1518
APInt bitcastToAPInt() const
Definition APFloat.h:1408
bool isInfinity() const
Definition APFloat.h:1513
Class for arbitrary precision integers.
Definition APInt.h:78
LLVM_ABI APInt getLoBits(unsigned numBits) const
Compute an APInt containing numBits lowbits from this APInt.
Definition APInt.cpp:644
uint64_t getZExtValue() const
Get zero extended value.
Definition APInt.h:1555
LLVM_ABI APInt getHiBits(unsigned numBits) const
Compute an APInt containing numBits highbits from this APInt.
Definition APInt.cpp:639
Abstract interface of slot tracker storage.
const GlobalValueSummary & getAliasee() const
This class represents an incoming formal argument to a Function.
Definition Argument.h:32
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition ArrayRef.h:40
size_t size() const
size - Get the array size.
Definition ArrayRef.h:142
virtual void emitBasicBlockStartAnnot(const BasicBlock *, formatted_raw_ostream &)
emitBasicBlockStartAnnot - This may be implemented to emit a string right after the basic block label...
virtual void emitBasicBlockEndAnnot(const BasicBlock *, formatted_raw_ostream &)
emitBasicBlockEndAnnot - This may be implemented to emit a string right after the basic block.
virtual void emitFunctionAnnot(const Function *, formatted_raw_ostream &)
emitFunctionAnnot - This may be implemented to emit a string right before the start of a function.
virtual void emitInstructionAnnot(const Instruction *, formatted_raw_ostream &)
emitInstructionAnnot - This may be implemented to emit a string right before an instruction is emitte...
virtual void printInfoComment(const Value &, formatted_raw_ostream &)
printInfoComment - This may be implemented to emit a comment to the right of an instruction or global...
static LLVM_ABI StringRef getOperationName(BinOp Op)
This class holds the attributes for a particular argument, parameter, function, or return value.
Definition Attributes.h:407
bool hasAttributes() const
Return true if attributes exists in this set.
Definition Attributes.h:477
LLVM_ABI std::string getAsString(bool InAttrGrp=false) const
The Attribute is converted to a string of equivalent mnemonic.
LLVM_ABI Attribute::AttrKind getKindAsEnum() const
Return the attribute's kind as an enum (Attribute::AttrKind).
LLVM_ABI bool isTypeAttribute() const
Return true if the attribute is a type attribute.
LLVM_ABI Type * getValueAsType() const
Return the attribute's value as a Type.
LLVM Basic Block Representation.
Definition BasicBlock.h:62
const Function * getParent() const
Return the enclosing method, or null if none.
Definition BasicBlock.h:213
LLVM_ABI void print(raw_ostream &OS, AssemblyAnnotationWriter *AAW=nullptr, bool ShouldPreserveUseListOrder=false, bool IsForDebug=false) const
Print the basic block to an output stream with an optional AssemblyAnnotationWriter.
LLVM_ABI bool isEntryBlock() const
Return true if this is the entry block of the containing function.
LLVM_ABI const Module * getModule() const
Return the module owning the function this basic block belongs to, or nullptr if the function does no...
OperandBundleUse getOperandBundleAt(unsigned Index) const
Return the operand bundle at a specific index.
unsigned getNumOperandBundles() const
Return the number of operand bundles associated with this User.
AttributeList getAttributes() const
Return the attributes for this call.
bool hasOperandBundles() const
Return true if this User has any operand bundles.
LLVM_ABI void print(raw_ostream &OS, bool IsForDebug=false) const
LLVM_ABI void dump() const
@ Largest
The linker will choose the largest COMDAT.
Definition Comdat.h:39
@ SameSize
The data referenced by the COMDAT must be the same size.
Definition Comdat.h:41
@ Any
The linker may choose any COMDAT.
Definition Comdat.h:37
@ NoDeduplicate
No deduplication is performed.
Definition Comdat.h:40
@ ExactMatch
The data referenced by the COMDAT must be the same.
Definition Comdat.h:38
SelectionKind getSelectionKind() const
Definition Comdat.h:47
LLVM_ABI APInt getSignedMin() const
Return the smallest signed value contained in the ConstantRange.
LLVM_ABI APInt getSignedMax() const
Return the largest signed value contained in the ConstantRange.
This is an important base class in LLVM.
Definition Constant.h:43
LLVM_ABI Constant * getSplatValue(bool AllowPoison=false) const
If all elements of the vector constant have the same value, return that value.
LLVM_ABI Constant * getAggregateElement(unsigned Elt) const
For aggregates (struct/array/vector) return the constant that corresponds to the specified element if...
List of ValueAsMetadata, to be used as an argument to a dbg.value intrinsic.
Basic type, like 'int' or 'float'.
Debug common block.
static LLVM_ABI const char * nameTableKindString(DebugNameTableKind PK)
static LLVM_ABI const char * emissionKindString(DebugEmissionKind EK)
Enumeration value.
A lightweight wrapper around an expression operand.
DWARF expression.
static LLVM_ABI const char * fixedPointKindString(FixedPointKind)
A pair of DIGlobalVariable and DIExpression.
An imported module (C++ using directive or similar).
Debug lexical block.
Macro Info DWARF-like metadata node.
Represents a module in the programming language, for example, a Clang module, or a Fortran module.
Debug lexical block.
Tagged DWARF-like metadata node.
static LLVM_ABI DIFlags splitFlags(DIFlags Flags, SmallVectorImpl< DIFlags > &SplitFlags)
Split up a flags bitfield.
static LLVM_ABI StringRef getFlagString(DIFlags Flag)
DIFlags
Debug info flags.
Wrapper structure that holds a language name and its version.
uint32_t getVersion() const
Returns language version. Only valid for versioned language names.
uint16_t getName() const
Returns a versioned or unversioned language name.
String type, Fortran CHARACTER(n)
Subprogram description. Uses SubclassData1.
static LLVM_ABI DISPFlags splitFlags(DISPFlags Flags, SmallVectorImpl< DISPFlags > &SplitFlags)
Split up a flags bitfield for easier printing.
static LLVM_ABI StringRef getFlagString(DISPFlags Flag)
DISPFlags
Debug info subprogram flags.
Array subrange.
Type array for a subprogram.
LLVM_ABI void print(raw_ostream &O, bool IsForDebug=false) const
Per-instruction record of debug-info.
LLVM_ABI void dump() const
Instruction * MarkedInstr
Link back to the Instruction that owns this marker.
LLVM_ABI void print(raw_ostream &O, bool IsForDebug=false) const
Implement operator<< on DbgMarker.
LLVM_ABI const BasicBlock * getParent() const
simple_ilist< DbgRecord > StoredDbgRecords
List of DbgRecords, the non-instruction equivalent of llvm.dbg.
Base class for non-instruction debug metadata records that have positions within IR.
DebugLoc getDebugLoc() const
LLVM_ABI void dump() const
DbgMarker * Marker
Marker that this DbgRecord is linked into.
Record of a variable value-assignment, aka a non instruction representation of the dbg....
LLVM_ABI void print(raw_ostream &O, bool IsForDebug=false) const
Metadata * getRawLocation() const
Returns the metadata operand for the first location description.
MDNode * getAsMDNode() const
Return this as a bar MDNode.
Definition DebugLoc.h:290
DenseMapIterator< KeyT, ValueT, KeyInfoT, BucketT > iterator
Definition DenseMap.h:74
Intrinsic::ID getIntrinsicID() const LLVM_READONLY
getIntrinsicID - This method returns the ID number of the specified function, or Intrinsic::not_intri...
Definition Function.h:246
void print(raw_ostream &OS, AssemblyAnnotationWriter *AAW=nullptr, bool ShouldPreserveUseListOrder=false, bool IsForDebug=false) const
Print the function to an output stream with an optional AssemblyAnnotationWriter.
const Function & getFunction() const
Definition Function.h:166
const Argument * const_arg_iterator
Definition Function.h:74
LLVM_ABI Value * getBasePtr() const
LLVM_ABI Value * getDerivedPtr() const
Generic tagged DWARF-like metadata node.
const Constant * getAliasee() const
Definition GlobalAlias.h:87
const Constant * getResolver() const
Definition GlobalIFunc.h:73
StringRef getSection() const
Get the custom section of this global if it has one.
LLVM_ABI void getAllMetadata(SmallVectorImpl< std::pair< unsigned, MDNode * > > &MDs) const
Appends all metadata attached to this value to MDs, sorting by KindID.
const Comdat * getComdat() const
bool hasSection() const
Check if this global has a custom object file section.
SummaryKind
Sububclass discriminator (for dyn_cast<> et al.)
bool hasPartition() const
static LLVM_ABI GUID getGUIDAssumingExternalLinkage(StringRef GlobalName)
Return a 64-bit global unique ID constructed from the name of a global symbol.
Definition Globals.cpp:78
LLVM_ABI const SanitizerMetadata & getSanitizerMetadata() const
Definition Globals.cpp:246
bool hasExternalLinkage() const
bool isDSOLocal() const
VisibilityTypes getVisibility() const
bool isImplicitDSOLocal() const
LinkageTypes getLinkage() const
uint64_t GUID
Declare a type to represent a global unique identifier for a global value.
ThreadLocalMode getThreadLocalMode() const
DLLStorageClassTypes
Storage classes of global values for PE targets.
Definition GlobalValue.h:74
@ DLLExportStorageClass
Function to be accessible from DLL.
Definition GlobalValue.h:77
@ DLLImportStorageClass
Function to be imported from DLL.
Definition GlobalValue.h:76
bool hasSanitizerMetadata() const
LLVM_ABI StringRef getPartition() const
Definition Globals.cpp:223
Module * getParent()
Get the module that this global value is contained inside of...
PointerType * getType() const
Global values are always pointers.
VisibilityTypes
An enumeration for the kinds of visibility of global values.
Definition GlobalValue.h:67
@ DefaultVisibility
The GV is visible.
Definition GlobalValue.h:68
@ HiddenVisibility
The GV is hidden.
Definition GlobalValue.h:69
@ ProtectedVisibility
The GV is protected.
Definition GlobalValue.h:70
LLVM_ABI bool isMaterializable() const
If this function's Module is being lazily streamed in functions from disk or some other source,...
Definition Globals.cpp:45
UnnamedAddr getUnnamedAddr() const
LinkageTypes
An enumeration for the kinds of linkage for global values.
Definition GlobalValue.h:52
@ PrivateLinkage
Like Internal, but omit from symbol table.
Definition GlobalValue.h:61
@ CommonLinkage
Tentative definitions.
Definition GlobalValue.h:63
@ InternalLinkage
Rename collisions when linking (static functions).
Definition GlobalValue.h:60
@ LinkOnceAnyLinkage
Keep one copy of function when linking (inline)
Definition GlobalValue.h:55
@ WeakODRLinkage
Same, but only replaced by something equivalent.
Definition GlobalValue.h:58
@ ExternalLinkage
Externally visible function.
Definition GlobalValue.h:53
@ WeakAnyLinkage
Keep one copy of named function when linking (weak)
Definition GlobalValue.h:57
@ AppendingLinkage
Special purpose, only applies to global arrays.
Definition GlobalValue.h:59
@ AvailableExternallyLinkage
Available for inspection, not emission.
Definition GlobalValue.h:54
@ ExternalWeakLinkage
ExternalWeak linkage description.
Definition GlobalValue.h:62
@ LinkOnceODRLinkage
Same, but only replaced by something equivalent.
Definition GlobalValue.h:56
DLLStorageClassTypes getDLLStorageClass() const
Type * getValueType() const
const Constant * getInitializer() const
getInitializer - Return the initializer for this global variable.
bool isExternallyInitialized() const
bool hasInitializer() const
Definitions have initializers, declarations don't.
AttributeSet getAttributes() const
Return the attribute set for this global.
std::optional< CodeModel::Model > getCodeModel() const
Get the custom code model of this global if it has one.
MaybeAlign getAlign() const
Returns the alignment of the given variable.
bool isConstant() const
If the value is a global constant, its value is immutable throughout the runtime execution of the pro...
A helper class to return the specified delimiter string after the first invocation of operator String...
Metadata node.
Definition Metadata.h:1080
LLVM_ABI void printTree(raw_ostream &OS, const Module *M=nullptr) const
Print in tree shape.
LLVM_ABI void dumpTree() const
User-friendly dump in tree shape.
Tuple of metadata.
Definition Metadata.h:1500
This class implements a map that also provides access to all stored values in a deterministic order.
Definition MapVector.h:36
Root of the metadata hierarchy.
Definition Metadata.h:64
LLVM_ABI void print(raw_ostream &OS, const Module *M=nullptr, bool IsForDebug=false) const
Print.
LLVM_ABI void printAsOperand(raw_ostream &OS, const Module *M=nullptr) const
Print as operand.
LLVM_ABI void dump() const
User-friendly dump.
Manage lifetime of a slot tracker for printing IR.
const Module * getModule() const
ModuleSlotTracker(SlotTracker &Machine, const Module *M, const Function *F=nullptr)
Wrap a preinitialized SlotTracker.
virtual ~ModuleSlotTracker()
Destructor to clean up storage.
std::vector< std::pair< unsigned, const MDNode * > > MachineMDNodeListType
int getLocalSlot(const Value *V)
Return the slot number of the specified local value.
void collectMDNodes(MachineMDNodeListType &L, unsigned LB, unsigned UB) const
SlotTracker * getMachine()
Lazily creates a slot tracker.
void setProcessHook(std::function< void(AbstractSlotTrackerStorage *, const Module *, bool)>)
void incorporateFunction(const Function &F)
Incorporate the given function.
Class to hold module path string table and global value map, and encapsulate methods for operating on...
static constexpr const char * getRegularLTOModuleName()
LLVM_ABI void dump() const
Dump to stderr (for debugging).
LLVM_ABI void print(raw_ostream &OS, bool IsForDebug=false) const
Print to an output stream.
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
iterator_range< alias_iterator > aliases()
Definition Module.h:735
iterator_range< global_iterator > globals()
Definition Module.h:684
void print(raw_ostream &OS, AssemblyAnnotationWriter *AAW, bool ShouldPreserveUseListOrder=false, bool IsForDebug=false) const
Print the module to an output stream with an optional AssemblyAnnotationWriter.
void dump() const
Dump the module to stderr (for debugging).
LLVM_ABI void dump() const
LLVM_ABI StringRef getName() const
LLVM_ABI void print(raw_ostream &ROS, bool IsForDebug=false) const
iterator_range< op_iterator > operands()
Definition Metadata.h:1856
unsigned getAddressSpace() const
Return the address space of the Pointer type.
This class provides computation of slot numbers for LLVM Assembly writing.
DenseMap< const Value *, unsigned > ValueMap
ValueMap - A mapping of Values to slot numbers.
bool mdn_empty() const
int getMetadataSlot(const MDNode *N) override
getMetadataSlot - Get the slot number of a MDNode.
~SlotTracker() override=default
int getTypeIdCompatibleVtableSlot(StringRef Id)
int getModulePathSlot(StringRef Path)
bool as_empty() const
unsigned mdn_size() const
SlotTracker(const SlotTracker &)=delete
void purgeFunction()
After calling incorporateFunction, use this method to remove the most recently incorporated function ...
mdn_iterator mdn_end()
int getTypeIdSlot(StringRef Id)
void initializeIfNeeded()
These functions do the actual initialization.
int getGlobalSlot(const GlobalValue *V)
getGlobalSlot - Get the slot number of a global value.
as_iterator as_begin()
const Function * getFunction() const
unsigned getNextMetadataSlot() override
DenseMap< GlobalValue::GUID, unsigned >::iterator guid_iterator
GUID map iterators.
void incorporateFunction(const Function *F)
If you'd like to deal with a function instead of just a module, use this method to get its data into ...
int getLocalSlot(const Value *V)
Return the slot number of the specified value in it's type plane.
int getAttributeGroupSlot(AttributeSet AS)
SlotTracker(const Module *M, bool ShouldInitializeAllMetadata=false)
Construct from a module.
void createMetadataSlot(const MDNode *N) override
getMetadataSlot - Get the slot number of a MDNode.
void setProcessHook(std::function< void(AbstractSlotTrackerStorage *, const Module *, bool)>)
DenseMap< const MDNode *, unsigned >::iterator mdn_iterator
MDNode map iterators.
as_iterator as_end()
unsigned as_size() const
SlotTracker & operator=(const SlotTracker &)=delete
int getGUIDSlot(GlobalValue::GUID GUID)
mdn_iterator mdn_begin()
int initializeIndexIfNeeded()
DenseMap< AttributeSet, unsigned >::iterator as_iterator
AttributeSet map iterators.
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
SmallString - A SmallString is just a SmallVector with methods and accessors that make it work better...
Definition SmallString.h:26
reference emplace_back(ArgTypes &&... Args)
void resize(size_type N)
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
StringMap - This is an unconventional map that is specialized for handling keys that are "strings",...
Definition StringMap.h:133
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
constexpr bool empty() const
empty - Check if the string is empty.
Definition StringRef.h:140
ArrayRef< Type * > elements() const
bool isPacked() const
unsigned getNumElements() const
Random access to the elements.
bool isLiteral() const
Return true if this type is uniqued by structural equivalence, false if it is a struct definition.
bool isOpaque() const
Return true if this is a type with an identity that has no body specified yet.
LLVM_ABI StringRef getName() const
Return the name for this struct type if it has an identity.
Definition Type.cpp:766
ArrayRef< Type * > type_params() const
Return the type parameters for this particular target extension type.
ArrayRef< unsigned > int_params() const
Return the integer parameters for this particular target extension type.
TypeFinder - Walk over a module, identifying all of the types that are used by the module.
Definition TypeFinder.h:31
void run(const Module &M, bool onlyNamed)
iterator begin()
Definition TypeFinder.h:51
bool empty() const
Definition TypeFinder.h:57
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:46
LLVM_ABI unsigned getPointerAddressSpace() const
Get the address space of this pointer or pointer vector type.
LLVM_ABI StringRef getTargetExtName() const
Type(LLVMContext &C, TypeID tid)
Definition Type.h:95
LLVM_ABI void dump() const
LLVM_ABI void print(raw_ostream &O, bool IsForDebug=false, bool NoDetails=false) const
Print the current type.
LLVM_ABI unsigned getByteBitWidth() const
TypeID getTypeID() const
Return the type id for the type.
Definition Type.h:138
Type * getElementType() const
unsigned getAddressSpace() const
Return the address space of the Pointer type.
A Use represents the edge between a Value definition and its users.
Definition Use.h:35
LLVM Value Representation.
Definition Value.h:75
Type * getType() const
All values are typed, get the type of this value.
Definition Value.h:256
LLVM_ABI void print(raw_ostream &O, bool IsForDebug=false) const
Implement operator<< on Value.
LLVM_ABI void getAllMetadata(SmallVectorImpl< std::pair< unsigned, MDNode * > > &MDs) const
Appends all metadata attached to this value to MDs, sorting by KindID.
iterator_range< user_iterator > users()
Definition Value.h:427
LLVM_ABI void printAsOperand(raw_ostream &O, bool PrintType=true, const Module *M=nullptr) const
Print the name of this Value out to the specified raw_ostream.
iterator_range< use_iterator > uses()
Definition Value.h:381
bool hasName() const
Definition Value.h:262
LLVM_ABI StringRef getName() const
Return a constant reference to the value's name.
Definition Value.cpp:322
LLVM_ABI void dump() const
Support for debugging, callable in GDB: V->dump()
formatted_raw_ostream - A raw_ostream that wraps another one and keeps track of line and column posit...
formatted_raw_ostream & PadToColumn(unsigned NewCol)
PadToColumn - Align the output to some column number.
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition raw_ostream.h:53
raw_ostream & indent(unsigned NumSpaces)
indent - Insert 'NumSpaces' spaces.
CallInst * Call
LLVM_ABI StringRef SourceLanguageNameString(SourceLanguageName Lang)
Definition Dwarf.cpp:587
LLVM_ABI StringRef EnumKindString(unsigned EnumKind)
Definition Dwarf.cpp:393
LLVM_ABI StringRef LanguageString(unsigned Language)
Definition Dwarf.cpp:412
LLVM_ABI StringRef AttributeEncodingString(unsigned Encoding)
Definition Dwarf.cpp:263
LLVM_ABI StringRef ConventionString(unsigned Convention)
Definition Dwarf.cpp:621
LLVM_ABI StringRef MacinfoString(unsigned Encoding)
Definition Dwarf.cpp:685
LLVM_ABI StringRef OperationEncodingString(unsigned Encoding)
Definition Dwarf.cpp:138
LLVM_ABI StringRef TagString(unsigned Tag)
Definition Dwarf.cpp:21
This provides a very simple, boring adaptor for a begin and end iterator into a range type.
This file contains the declaration of the Comdat class, which represents a single COMDAT in LLVM.
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
constexpr char Attrs[]
Key for Kernel::Metadata::mAttrs.
@ Entry
Definition COFF.h:862
unsigned ID
LLVM IR allows to use arbitrary numbers as calling convention identifiers.
Definition CallingConv.h:24
@ AArch64_VectorCall
Used between AArch64 Advanced SIMD functions.
@ X86_64_SysV
The C convention as specified in the x86-64 supplement to the System V ABI, used on most non-Windows ...
@ RISCV_VectorCall
Calling convention used for RISC-V V-extension.
@ AMDGPU_CS
Used for Mesa/AMDPAL compute shaders.
@ AMDGPU_VS
Used for Mesa vertex shaders, or AMDPAL last shader stage before rasterization (vertex shader if tess...
@ AVR_SIGNAL
Used for AVR signal routines.
@ Swift
Calling convention for Swift.
Definition CallingConv.h:69
@ AMDGPU_KERNEL
Used for AMDGPU code object kernels.
@ AArch64_SVE_VectorCall
Used between AArch64 SVE functions.
@ ARM_APCS
ARM Procedure Calling Standard (obsolete, but still used on some targets).
@ CHERIoT_CompartmentCall
Calling convention used for CHERIoT when crossing a protection boundary.
@ CFGuard_Check
Special calling convention on Windows for calling the Control Guard Check ICall funtion.
Definition CallingConv.h:82
@ AVR_INTR
Used for AVR interrupt routines.
@ PreserveMost
Used for runtime calls that preserves most registers.
Definition CallingConv.h:63
@ AnyReg
OBSOLETED - Used for stack based JavaScript calls.
Definition CallingConv.h:60
@ AMDGPU_Gfx
Used for AMD graphics targets.
@ DUMMY_HHVM
Placeholders for HHVM calling conventions (deprecated, removed).
@ AMDGPU_CS_ChainPreserve
Used on AMDGPUs to give the middle-end more control over argument placement.
@ AMDGPU_HS
Used for Mesa/AMDPAL hull shaders (= tessellation control shaders).
@ ARM_AAPCS
ARM Architecture Procedure Calling Standard calling convention (aka EABI).
@ CHERIoT_CompartmentCallee
Calling convention used for the callee of CHERIoT_CompartmentCall.
@ AMDGPU_GS
Used for Mesa/AMDPAL geometry shaders.
@ AArch64_SME_ABI_Support_Routines_PreserveMost_From_X2
Preserve X2-X15, X19-X29, SP, Z0-Z31, P0-P15.
@ CHERIoT_LibraryCall
Calling convention used for CHERIoT for cross-library calls to a stateless compartment.
@ CXX_FAST_TLS
Used for access functions.
Definition CallingConv.h:72
@ X86_INTR
x86 hardware interrupt context.
@ AArch64_SME_ABI_Support_Routines_PreserveMost_From_X0
Preserve X0-X13, X19-X29, SP, Z0-Z31, P0-P15.
@ AMDGPU_CS_Chain
Used on AMDGPUs to give the middle-end more control over argument placement.
@ GHC
Used by the Glasgow Haskell Compiler (GHC).
Definition CallingConv.h:50
@ AMDGPU_PS
Used for Mesa/AMDPAL pixel shaders.
@ Cold
Attempts to make code in the caller as efficient as possible under the assumption that the call is no...
Definition CallingConv.h:47
@ AArch64_SME_ABI_Support_Routines_PreserveMost_From_X1
Preserve X1-X15, X19-X29, SP, Z0-Z31, P0-P15.
@ X86_ThisCall
Similar to X86_StdCall.
@ PTX_Device
Call to a PTX device function.
@ SPIR_KERNEL
Used for SPIR kernel functions.
@ PreserveAll
Used for runtime calls that preserves (almost) all registers.
Definition CallingConv.h:66
@ X86_StdCall
stdcall is mostly used by the Win32 API.
Definition CallingConv.h:99
@ SPIR_FUNC
Used for SPIR non-kernel device functions.
@ Fast
Attempts to make calls as fast as possible (e.g.
Definition CallingConv.h:41
@ MSP430_INTR
Used for MSP430 interrupt routines.
@ X86_VectorCall
MSVC calling convention that passes vectors and vector aggregates in SSE registers.
@ Intel_OCL_BI
Used for Intel OpenCL built-ins.
@ PreserveNone
Used for runtime calls that preserves none general registers.
Definition CallingConv.h:90
@ AMDGPU_ES
Used for AMDPAL shader stage before geometry shader if geometry is in use.
@ Tail
Attemps to make calls as fast as possible while guaranteeing that tail call optimization can always b...
Definition CallingConv.h:76
@ Win64
The C convention as implemented on Windows/x86-64 and AArch64.
@ PTX_Kernel
Call to a PTX kernel. Passes all arguments in parameter space.
@ SwiftTail
This follows the Swift calling convention in how arguments are passed but guarantees tail calls will ...
Definition CallingConv.h:87
@ GRAAL
Used by GraalVM. Two additional registers are reserved.
@ AMDGPU_LS
Used for AMDPAL vertex shader if tessellation is in use.
@ ARM_AAPCS_VFP
Same as ARM_AAPCS, but uses hard floating point ABI.
@ X86_RegCall
Register calling convention used for parameters transfer optimization.
@ M68k_RTD
Used for M68k rtd-based CC (similar to X86's stdcall).
@ C
The default llvm calling convention, compatible with C.
Definition CallingConv.h:34
@ X86_FastCall
'fast' analog of X86_StdCall.
LLVM_ABI void printImmArg(ID IID, unsigned ArgIdx, raw_ostream &OS, const Constant *ImmArgVal)
Print the argument info for the arguments with ArgInfo.
LLVM_ABI bool hasPrettyPrintedArgs(ID id)
Returns true if the intrinsic has pretty printed immediate arguments.
@ System
Synchronized with respect to all concurrently executing threads.
Definition LLVMContext.h:58
initializer< Ty > init(const Ty &Val)
SourceLanguageName
Definition Dwarf.h:223
@ DW_OP_LLVM_convert
Only used in LLVM metadata.
Definition Dwarf.h:145
bool empty() const
Definition BasicBlock.h:101
Context & getContext() const
Definition BasicBlock.h:99
This is an optimization pass for GlobalISel generic memory operations.
Definition Types.h:26
void dump(const SparseBitVector< ElementSize > &LHS, raw_ostream &out)
FunctionAddr VTableAddr Value
Definition InstrProf.h:137
bool all_of(R &&range, UnaryPredicate P)
Provide wrappers to std::all_of which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1739
Printable print(const GCNRegPressure &RP, const GCNSubtarget *ST=nullptr, unsigned DynamicVGPRBlockSize=0)
detail::zippy< detail::zip_first, T, U, Args... > zip_equal(T &&t, U &&u, Args &&...args)
zip iterator that assumes that all iteratees have the same length.
Definition STLExtras.h:841
InterleavedRange< Range > interleaved(const Range &R, StringRef Separator=", ", StringRef Prefix="", StringRef Suffix="")
Output range R as a sequence of interleaved elements.
const char * getHotnessName(CalleeInfo::HotnessType HT)
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
auto dyn_cast_if_present(const Y &Val)
dyn_cast_if_present<X> - Functionally identical to dyn_cast, except that a null (or none in the case ...
Definition Casting.h:732
iterator_range< T > make_range(T x, T y)
Convenience function for iterating over sub-ranges.
LLVM_ABI void printEscapedString(StringRef Name, raw_ostream &Out)
Print each character of the specified string, escaping it if it is not printable or if it is an escap...
constexpr auto equal_to(T &&Arg)
Functor variant of std::equal_to that can be used as a UnaryPredicate in functional algorithms like a...
Definition STLExtras.h:2173
const char * toIRString(AtomicOrdering ao)
String used by LLVM IR to represent atomic ordering.
auto dyn_cast_or_null(const Y &Val)
Definition Casting.h:753
void sort(IteratorTy Start, IteratorTy End)
Definition STLExtras.h:1636
LLVM_ABI raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
Definition Debug.cpp:207
char hexdigit(unsigned X, bool LowerCase=false)
hexdigit - Return the hexadecimal character for the given number X (which should be less than 16).
bool isDigit(char C)
Checks if character C is one of the 10 decimal digits.
FunctionAddr VTableAddr Count
Definition InstrProf.h:139
bool is_sorted(R &&Range, Compare C)
Wrapper function around std::is_sorted to check if elements in a range R are sorted with respect to a...
Definition STLExtras.h:1970
class LLVM_GSL_OWNER SmallVector
Forward declaration of SmallVector so that calculateSmallVectorDefaultInlinedElements can reference s...
FormattedNumber format_hex(uint64_t N, unsigned Width, bool Upper=false)
format_hex - Output N as a fixed width hexadecimal.
Definition Format.h:191
FormattedNumber format_hex_no_prefix(uint64_t N, unsigned Width, bool Upper=false)
format_hex_no_prefix - Output N as a fixed width hexadecimal.
Definition Format.h:204
bool isa(const From &Val)
isa<X> - Return true if the parameter to the template is an instance of one of the template type argu...
Definition Casting.h:547
constexpr int PoisonMaskElem
AtomicOrdering
Atomic ordering for LLVM's memory model.
@ Ref
The access may reference the value stored in memory.
Definition ModRef.h:32
DWARFExpression::Operation Op
ArrayRef(const T &OneElt) -> ArrayRef< T >
std::string toString(const APInt &I, unsigned Radix, bool Signed, bool formatAsCLiteral=false, bool UpperCase=true, bool InsertSeparators=false)
LLVM_ABI Printable printBasicBlock(const BasicBlock *BB)
Print BasicBlock BB as an operand or print "<nullptr>" if BB is a nullptr.
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
auto predecessors(const MachineBasicBlock *BB)
bool pred_empty(const BasicBlock *BB)
Definition CFG.h:119
std::vector< TypeIdOffsetVtableInfo > TypeIdCompatibleVtableInfo
List of vtable definitions decorated by a particular type identifier, and their corresponding offsets...
@ Default
The result values are uniform if and only if all operands are uniform.
Definition Uniformity.h:20
static auto filterDbgVars(iterator_range< simple_ilist< DbgRecord >::iterator > R)
Filter the DbgRecord range to DbgVariableRecord types only and downcast.
LLVM_ABI void printLLVMNameWithoutPrefix(raw_ostream &OS, StringRef Name)
Print out a name of an LLVM value without any prefixes.
#define N
#define NC
Definition regutils.h:42
A single checksum, represented by a Kind and a Value (a string).
T Value
The string value of the checksum.
StringRef getKindAsString() const
std::vector< ConstVCall > TypeCheckedLoadConstVCalls
std::vector< VFuncId > TypeCheckedLoadVCalls
std::vector< ConstVCall > TypeTestAssumeConstVCalls
List of virtual calls made by this function using (respectively) llvm.assume(llvm....
std::vector< GlobalValue::GUID > TypeTests
List of type identifiers used by this function in llvm.type.test intrinsics referenced by something o...
std::vector< VFuncId > TypeTestAssumeVCalls
List of virtual calls made by this function using (respectively) llvm.assume(llvm....
unsigned NoRenameOnPromotion
This field is written by the ThinLTO prelink stage to decide whether a particular static global value...
unsigned DSOLocal
Indicates that the linker resolved the symbol to a definition from within the same linkage unit.
unsigned CanAutoHide
In the per-module summary, indicates that the global value is linkonce_odr and global unnamed addr (s...
unsigned ImportType
This field is written by the ThinLTO indexing step to postlink combined summary.
unsigned NotEligibleToImport
Indicate if the global value cannot be imported (e.g.
unsigned Linkage
The linkage type of the associated global value.
unsigned Visibility
Indicates the visibility.
unsigned Live
In per-module summary, indicate that the global value must be considered a live root for index-based ...
StringRef getTagName() const
Return the tag of this operand bundle as a string.
ArrayRef< Use > Inputs
A utility class that uses RAII to save and restore the value of a variable.
std::map< uint64_t, WholeProgramDevirtResolution > WPDRes
Mapping from byte offset to whole-program devirt resolution for that (typeid, byte offset) pair.
TypeTestResolution TTRes
Kind
Specifies which kind of type check we should emit for this byte array.
@ Unknown
Unknown (analysis not performed, don't lower)
@ Single
Single element (last example in "Short Inline Bit Vectors")
@ Inline
Inlined bit vector ("Short Inline Bit Vectors")
@ Unsat
Unsatisfiable type (i.e. no global has this type metadata)
@ AllOnes
All-ones bit vector ("Eliminating Bit Vector Checks for All-Ones Bit Vectors")
@ ByteArray
Test a byte array (first example)
unsigned SizeM1BitWidth
Range of size-1 expressed as a bit width.
enum llvm::TypeTestResolution::Kind TheKind
@ UniformRetVal
Uniform return value optimization.
@ VirtualConstProp
Virtual constant propagation.
@ UniqueRetVal
Unique return value optimization.
@ Indir
Just do a regular virtual call.
enum llvm::WholeProgramDevirtResolution::Kind TheKind
std::map< std::vector< uint64_t >, ByArg > ResByArg
Resolutions for calls with all constant integer arguments (excluding the first argument,...
@ SingleImpl
Single implementation devirtualization.
@ Indir
Just do a regular virtual call.
@ BranchFunnel
When retpoline mitigation is enabled, use a branch funnel that is defined in the merged module.
Function object to check whether the second component of a container supported by std::get (like std:...
Definition STLExtras.h:1448