Thanks to visit codestin.com
Credit goes to llvm.org

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