LLVM 22.0.0git
MachineDebugify.cpp
Go to the documentation of this file.
1//===- MachineDebugify.cpp - Attach synthetic debug info to everything ----===//
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/// \file This pass attaches synthetic debug info to everything. It can be used
10/// to create targeted tests for debug info preservation, or test for CodeGen
11/// differences with vs. without debug info.
12///
13/// This isn't intended to have feature parity with Debugify.
14//===----------------------------------------------------------------------===//
15
16#include "llvm/ADT/DenseMap.h"
20#include "llvm/CodeGen/Passes.h"
26
27#define DEBUG_TYPE "mir-debugify"
28
29using namespace llvm;
30
31namespace {
32bool applyDebugifyMetadataToMachineFunction(MachineModuleInfo &MMI,
33 DIBuilder &DIB, Function &F) {
34 MachineFunction *MaybeMF = MMI.getMachineFunction(F);
35 if (!MaybeMF)
36 return false;
37 MachineFunction &MF = *MaybeMF;
39
40 DISubprogram *SP = F.getSubprogram();
41 assert(SP && "IR Debugify just created it?");
42
43 Module &M = *F.getParent();
44 LLVMContext &Ctx = M.getContext();
45
46 unsigned NextLine = SP->getLine();
47 for (MachineBasicBlock &MBB : MF) {
48 for (MachineInstr &MI : MBB) {
49 // This will likely emit line numbers beyond the end of the imagined
50 // source function and into subsequent ones. We don't do anything about
51 // that as it doesn't really matter to the compiler where the line is in
52 // the imaginary source code.
53 MI.setDebugLoc(DILocation::get(Ctx, NextLine++, 1, SP));
54 }
55 }
56
57 // Find local variables defined by debugify. No attempt is made to match up
58 // MIR-level regs to the 'correct' IR-level variables: there isn't a simple
59 // way to do that, and it isn't necessary to find interesting CodeGen bugs.
60 // Instead, simply keep track of one variable per line. Later, we can insert
61 // DBG_VALUE insts that point to these local variables. Emitting DBG_VALUEs
62 // which cover a wide range of lines can help stress the debug info passes:
63 // if we can't do that, fall back to using the local variable which precedes
64 // all the others.
65 DbgVariableRecord *EarliestDVR = nullptr;
67 DIExpression *Expr = nullptr;
68 for (BasicBlock &BB : F) {
69 for (Instruction &I : BB) {
70 for (DbgVariableRecord &DVR : filterDbgVars(I.getDbgRecordRange())) {
71 if (!DVR.isDbgValue())
72 continue;
73 unsigned Line = DVR.getDebugLoc().getLine();
74 assert(Line != 0 && "debugify should not insert line 0 locations");
75 Line2Var[Line] = DVR.getVariable();
76 if (!EarliestDVR || Line < EarliestDVR->getDebugLoc().getLine())
77 EarliestDVR = &DVR;
78 Expr = DVR.getExpression();
79 }
80 }
81 }
82 if (Line2Var.empty())
83 return true;
84
85 // Now, try to insert a DBG_VALUE instruction after each real instruction.
86 // Do this by introducing debug uses of each register definition. If that is
87 // not possible (e.g. we have a phi or a meta instruction), emit a constant.
88 uint64_t NextImm = 0;
90 const MCInstrDesc &DbgValDesc = TII.get(TargetOpcode::DBG_VALUE);
91 for (MachineBasicBlock &MBB : MF) {
92 MachineBasicBlock::iterator FirstNonPHIIt = MBB.getFirstNonPHI();
93 for (auto I = MBB.begin(), E = MBB.end(); I != E;) {
94 MachineInstr &MI = *I;
95 ++I;
96
97 // `I` may point to a DBG_VALUE created in the previous loop iteration.
98 if (MI.isDebugInstr())
99 continue;
100
101 // It's not allowed to insert DBG_VALUEs after a terminator.
102 if (MI.isTerminator())
103 continue;
104
105 // Find a suitable insertion point for the DBG_VALUE.
106 auto InsertBeforeIt = MI.isPHI() ? FirstNonPHIIt : I;
107
108 // Find a suitable local variable for the DBG_VALUE.
109 unsigned Line = MI.getDebugLoc().getLine();
110 auto It = Line2Var.find(Line);
111 if (It == Line2Var.end()) {
112 Line = EarliestDVR->getDebugLoc().getLine();
113 It = Line2Var.find(Line);
114 assert(It != Line2Var.end());
115 }
116 DILocalVariable *LocalVar = It->second;
117 assert(LocalVar && "No variable for current line?");
118 VarSet.insert(LocalVar);
119
120 // Emit DBG_VALUEs for register definitions.
122 for (MachineOperand &MO : MI.all_defs())
123 if (MO.getReg())
124 RegDefs.push_back(&MO);
125 for (MachineOperand *MO : RegDefs)
126 BuildMI(MBB, InsertBeforeIt, MI.getDebugLoc(), DbgValDesc,
127 /*IsIndirect=*/false, *MO, LocalVar, Expr);
128
129 // OK, failing that, emit a constant DBG_VALUE.
130 if (RegDefs.empty()) {
131 auto ImmOp = MachineOperand::CreateImm(NextImm++);
132 BuildMI(MBB, InsertBeforeIt, MI.getDebugLoc(), DbgValDesc,
133 /*IsIndirect=*/false, ImmOp, LocalVar, Expr);
134 }
135 }
136 }
137
138 // Here we save the number of lines and variables into "llvm.mir.debugify".
139 // It is useful for mir-check-debugify.
140 NamedMDNode *NMD = M.getNamedMetadata("llvm.mir.debugify");
142 if (!NMD) {
143 NMD = M.getOrInsertNamedMetadata("llvm.mir.debugify");
144 auto addDebugifyOperand = [&](unsigned N) {
146 Ctx, ValueAsMetadata::getConstant(ConstantInt::get(Int32Ty, N))));
147 };
148 // Add number of lines.
149 addDebugifyOperand(NextLine - 1);
150 // Add number of variables.
151 addDebugifyOperand(VarSet.size());
152 } else {
153 assert(NMD->getNumOperands() == 2 &&
154 "llvm.mir.debugify should have exactly 2 operands!");
155 auto setDebugifyOperand = [&](unsigned Idx, unsigned N) {
157 ConstantInt::get(Int32Ty, N))));
158 };
159 auto getDebugifyOperand = [&](unsigned Idx) {
161 ->getZExtValue();
162 };
163 // Set number of lines.
164 setDebugifyOperand(0, NextLine - 1);
165 // Set number of variables.
166 auto OldNumVars = getDebugifyOperand(1);
167 setDebugifyOperand(1, OldNumVars + VarSet.size());
168 }
169
170 return true;
171}
172
173/// ModulePass for attaching synthetic debug info to everything, used with the
174/// legacy module pass manager.
175struct DebugifyMachineModule : public ModulePass {
176 bool runOnModule(Module &M) override {
177 // We will insert new debugify metadata, so erasing the old one.
178 assert(!M.getNamedMetadata("llvm.mir.debugify") &&
179 "llvm.mir.debugify metadata already exists! Strip it first");
180 MachineModuleInfo &MMI =
181 getAnalysis<MachineModuleInfoWrapperPass>().getMMI();
183 M, M.functions(),
184 "ModuleDebugify: ", [&](DIBuilder &DIB, Function &F) -> bool {
185 return applyDebugifyMetadataToMachineFunction(MMI, DIB, F);
186 });
187 }
188
189 DebugifyMachineModule() : ModulePass(ID) {}
190
191 void getAnalysisUsage(AnalysisUsage &AU) const override {
194 AU.setPreservesCFG();
195 }
196
197 static char ID; // Pass identification.
198};
199char DebugifyMachineModule::ID = 0;
200
201} // end anonymous namespace
202
203INITIALIZE_PASS_BEGIN(DebugifyMachineModule, DEBUG_TYPE,
204 "Machine Debugify Module", false, false)
205INITIALIZE_PASS_END(DebugifyMachineModule, DEBUG_TYPE,
206 "Machine Debugify Module", false, false)
207
209 return new DebugifyMachineModule();
210}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock & MBB
static GCRegistry::Add< CoreCLRGC > E("coreclr", "CoreCLR-compatible GC")
This file defines the DenseMap class.
#define DEBUG_TYPE
const HexagonInstrInfo * TII
IRTranslator LLVM IR MI
#define F(x, y, z)
Definition MD5.cpp:55
#define I(x, y, z)
Definition MD5.cpp:58
static DebugLoc getDebugLoc(MachineBasicBlock::instr_iterator FirstMI, MachineBasicBlock::instr_iterator LastMI)
Return the first found DebugLoc that has a DILocation, given a range of instructions.
#define INITIALIZE_PASS_END(passName, arg, name, cfg, analysis)
Definition PassSupport.h:44
#define INITIALIZE_PASS_BEGIN(passName, arg, name, cfg, analysis)
Definition PassSupport.h:39
This file defines the SmallVector class.
Represent the analysis usage information of a pass.
AnalysisUsage & addRequired()
AnalysisUsage & addPreserved()
Add the specified Pass class to the set of analyses preserved by this pass.
LLVM_ABI void setPreservesCFG()
This function should be called by the pass, iff they do not:
Definition Pass.cpp:270
LLVM Basic Block Representation.
Definition BasicBlock.h:62
DWARF expression.
Subprogram description. Uses SubclassData1.
DebugLoc getDebugLoc() const
Record of a variable value-assignment, aka a non instruction representation of the dbg....
LLVM_ABI unsigned getLine() const
Definition DebugLoc.cpp:54
iterator find(const_arg_type_t< KeyT > Val)
Definition DenseMap.h:165
bool empty() const
Definition DenseMap.h:107
iterator end()
Definition DenseMap.h:81
Class to represent integer types.
This is an important class for using LLVM in a threaded context.
Definition LLVMContext.h:68
Describe properties that are true of each instruction in the target description file.
const MDOperand & getOperand(unsigned I) const
Definition Metadata.h:1445
static MDTuple * get(LLVMContext &Context, ArrayRef< Metadata * > MDs)
Definition Metadata.h:1565
MachineInstrBundleIterator< MachineInstr > iterator
const TargetSubtargetInfo & getSubtarget() const
getSubtarget - Return the subtarget for which this machine code is being compiled.
Representation of each machine instruction.
This class contains meta information specific to a module.
LLVM_ABI MachineFunction * getMachineFunction(const Function &F) const
Returns the MachineFunction associated to IR function F if there is one, otherwise nullptr.
MachineOperand class - Representation of each machine instruction operand.
static MachineOperand CreateImm(int64_t Val)
ModulePass class - This class is used to implement unstructured interprocedural optimizations and ana...
Definition Pass.h:255
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
A tuple of MDNodes.
Definition Metadata.h:1753
LLVM_ABI void setOperand(unsigned I, MDNode *New)
LLVM_ABI MDNode * getOperand(unsigned i) const
LLVM_ABI unsigned getNumOperands() const
LLVM_ABI void addOperand(MDNode *M)
size_type size() const
Definition SmallPtrSet.h:99
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements.
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
TargetInstrInfo - Interface to description of machine instruction set.
virtual const TargetInstrInfo * getInstrInfo() const
static LLVM_ABI IntegerType * getInt32Ty(LLVMContext &C)
Definition Type.cpp:297
static ConstantAsMetadata * getConstant(Value *C)
Definition Metadata.h:479
unsigned ID
LLVM IR allows to use arbitrary numbers as calling convention identifiers.
Definition CallingConv.h:24
std::enable_if_t< detail::IsValidPointer< X, Y >::value, X * > extract(Y &&MD)
Extract a Value from Metadata.
Definition Metadata.h:666
This is an optimization pass for GlobalISel generic memory operations.
MachineInstrBuilder BuildMI(MachineFunction &MF, const MIMetadata &MIMD, const MCInstrDesc &MCID)
Builder interface. Specify how to create the initial instruction itself.
FunctionAddr VTableAddr uintptr_t uintptr_t Int32Ty
Definition InstrProf.h:296
LLVM_ABI bool applyDebugifyMetadata(Module &M, iterator_range< Module::iterator > Functions, StringRef Banner, std::function< bool(DIBuilder &, Function &)> ApplyToMF)
Add synthesized debug information to a module.
LLVM_ABI ModulePass * createDebugifyMachineModulePass()
Creates MIR Debugify pass.
static auto filterDbgVars(iterator_range< simple_ilist< DbgRecord >::iterator > R)
Filter the DbgRecord range to DbgVariableRecord types only and downcast.
#define N