1 //===- LiveDebugVariables.cpp - Tracking debug info variables -------------===//
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
7 //===----------------------------------------------------------------------===//
9 // This file implements the LiveDebugVariables analysis.
11 // Remove all DBG_VALUE instructions referencing virtual registers and replace
12 // them with a data structure tracking where live user variables are kept - in a
13 // virtual register or in a stack slot.
15 // Allow the data structure to be updated during register allocation when values
16 // are moved between registers and stack slots. Finally emit new DBG_VALUE
17 // instructions after register allocation is complete.
19 //===----------------------------------------------------------------------===//
21 #include "LiveDebugVariables.h"
22 #include "llvm/ADT/ArrayRef.h"
23 #include "llvm/ADT/DenseMap.h"
24 #include "llvm/ADT/IntervalMap.h"
25 #include "llvm/ADT/MapVector.h"
26 #include "llvm/ADT/STLExtras.h"
27 #include "llvm/ADT/SmallSet.h"
28 #include "llvm/ADT/SmallVector.h"
29 #include "llvm/ADT/Statistic.h"
30 #include "llvm/ADT/StringRef.h"
31 #include "llvm/CodeGen/LexicalScopes.h"
32 #include "llvm/CodeGen/LiveInterval.h"
33 #include "llvm/CodeGen/LiveIntervals.h"
34 #include "llvm/CodeGen/MachineBasicBlock.h"
35 #include "llvm/CodeGen/MachineDominators.h"
36 #include "llvm/CodeGen/MachineFunction.h"
37 #include "llvm/CodeGen/MachineInstr.h"
38 #include "llvm/CodeGen/MachineInstrBuilder.h"
39 #include "llvm/CodeGen/MachineOperand.h"
40 #include "llvm/CodeGen/MachineRegisterInfo.h"
41 #include "llvm/CodeGen/SlotIndexes.h"
42 #include "llvm/CodeGen/TargetInstrInfo.h"
43 #include "llvm/CodeGen/TargetOpcodes.h"
44 #include "llvm/CodeGen/TargetRegisterInfo.h"
45 #include "llvm/CodeGen/TargetSubtargetInfo.h"
46 #include "llvm/CodeGen/VirtRegMap.h"
47 #include "llvm/Config/llvm-config.h"
48 #include "llvm/IR/DebugInfoMetadata.h"
49 #include "llvm/IR/DebugLoc.h"
50 #include "llvm/IR/Function.h"
51 #include "llvm/IR/Metadata.h"
52 #include "llvm/MC/MCRegisterInfo.h"
53 #include "llvm/Pass.h"
54 #include "llvm/Support/Casting.h"
55 #include "llvm/Support/CommandLine.h"
56 #include "llvm/Support/Compiler.h"
57 #include "llvm/Support/Debug.h"
58 #include "llvm/Support/raw_ostream.h"
67 #define DEBUG_TYPE "livedebugvars"
70 EnableLDV("live-debug-variables", cl::init(true),
71 cl::desc("Enable the live debug variables pass"), cl::Hidden
);
73 STATISTIC(NumInsertedDebugValues
, "Number of DBG_VALUEs inserted");
74 STATISTIC(NumInsertedDebugLabels
, "Number of DBG_LABELs inserted");
76 char LiveDebugVariables::ID
= 0;
78 INITIALIZE_PASS_BEGIN(LiveDebugVariables
, DEBUG_TYPE
,
79 "Debug Variable Analysis", false, false)
80 INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree
)
81 INITIALIZE_PASS_DEPENDENCY(LiveIntervals
)
82 INITIALIZE_PASS_END(LiveDebugVariables
, DEBUG_TYPE
,
83 "Debug Variable Analysis", false, false)
85 void LiveDebugVariables::getAnalysisUsage(AnalysisUsage
&AU
) const {
86 AU
.addRequired
<MachineDominatorTree
>();
87 AU
.addRequiredTransitive
<LiveIntervals
>();
89 MachineFunctionPass::getAnalysisUsage(AU
);
92 LiveDebugVariables::LiveDebugVariables() : MachineFunctionPass(ID
) {
93 initializeLiveDebugVariablesPass(*PassRegistry::getPassRegistry());
96 enum : unsigned { UndefLocNo
= ~0U };
98 /// Describes a location by number along with some flags about the original
99 /// usage of the location.
100 class DbgValueLocation
{
102 DbgValueLocation(unsigned LocNo
, bool WasIndirect
)
103 : LocNo(LocNo
), WasIndirect(WasIndirect
) {
104 static_assert(sizeof(*this) == sizeof(unsigned), "bad bitfield packing");
105 assert(locNo() == LocNo
&& "location truncation");
108 DbgValueLocation() : LocNo(0), WasIndirect(0) {}
110 unsigned locNo() const {
111 // Fix up the undef location number, which gets truncated.
112 return LocNo
== INT_MAX
? UndefLocNo
: LocNo
;
114 bool wasIndirect() const { return WasIndirect
; }
115 bool isUndef() const { return locNo() == UndefLocNo
; }
117 DbgValueLocation
changeLocNo(unsigned NewLocNo
) const {
118 return DbgValueLocation(NewLocNo
, WasIndirect
);
121 friend inline bool operator==(const DbgValueLocation
&LHS
,
122 const DbgValueLocation
&RHS
) {
123 return LHS
.LocNo
== RHS
.LocNo
&& LHS
.WasIndirect
== RHS
.WasIndirect
;
126 friend inline bool operator!=(const DbgValueLocation
&LHS
,
127 const DbgValueLocation
&RHS
) {
128 return !(LHS
== RHS
);
133 unsigned WasIndirect
: 1;
136 /// Map of where a user value is live, and its location.
137 using LocMap
= IntervalMap
<SlotIndex
, DbgValueLocation
, 4>;
139 /// Map of stack slot offsets for spilled locations.
140 /// Non-spilled locations are not added to the map.
141 using SpillOffsetMap
= DenseMap
<unsigned, unsigned>;
147 /// A user value is a part of a debug info user variable.
149 /// A DBG_VALUE instruction notes that (a sub-register of) a virtual register
150 /// holds part of a user variable. The part is identified by a byte offset.
152 /// UserValues are grouped into equivalence classes for easier searching. Two
153 /// user values are related if they refer to the same variable, or if they are
154 /// held by the same virtual register. The equivalence class is the transitive
155 /// closure of that relation.
157 const DILocalVariable
*Variable
; ///< The debug info variable we are part of.
158 const DIExpression
*Expression
; ///< Any complex address expression.
159 DebugLoc dl
; ///< The debug location for the variable. This is
160 ///< used by dwarf writer to find lexical scope.
161 UserValue
*leader
; ///< Equivalence class leader.
162 UserValue
*next
= nullptr; ///< Next value in equivalence class, or null.
164 /// Numbered locations referenced by locmap.
165 SmallVector
<MachineOperand
, 4> locations
;
167 /// Map of slot indices where this value is live.
170 /// Insert a DBG_VALUE into MBB at Idx for LocNo.
171 void insertDebugValue(MachineBasicBlock
*MBB
, SlotIndex StartIdx
,
172 SlotIndex StopIdx
, DbgValueLocation Loc
, bool Spilled
,
173 unsigned SpillOffset
, LiveIntervals
&LIS
,
174 const TargetInstrInfo
&TII
,
175 const TargetRegisterInfo
&TRI
);
177 /// Replace OldLocNo ranges with NewRegs ranges where NewRegs
178 /// is live. Returns true if any changes were made.
179 bool splitLocation(unsigned OldLocNo
, ArrayRef
<unsigned> NewRegs
,
183 /// Create a new UserValue.
184 UserValue(const DILocalVariable
*var
, const DIExpression
*expr
, DebugLoc L
,
185 LocMap::Allocator
&alloc
)
186 : Variable(var
), Expression(expr
), dl(std::move(L
)), leader(this),
189 /// Get the leader of this value's equivalence class.
190 UserValue
*getLeader() {
191 UserValue
*l
= leader
;
192 while (l
!= l
->leader
)
197 /// Return the next UserValue in the equivalence class.
198 UserValue
*getNext() const { return next
; }
200 /// Does this UserValue match the parameters?
201 bool match(const DILocalVariable
*Var
, const DIExpression
*Expr
,
202 const DILocation
*IA
) const {
203 // FIXME: The fragment should be part of the equivalence class, but not
204 // other things in the expression like stack values.
205 return Var
== Variable
&& Expr
== Expression
&& dl
->getInlinedAt() == IA
;
208 /// Merge equivalence classes.
209 static UserValue
*merge(UserValue
*L1
, UserValue
*L2
) {
210 L2
= L2
->getLeader();
213 L1
= L1
->getLeader();
216 // Splice L2 before L1's members.
223 End
->next
= L1
->next
;
228 /// Return the location number that matches Loc.
230 /// For undef values we always return location number UndefLocNo without
231 /// inserting anything in locations. Since locations is a vector and the
232 /// location number is the position in the vector and UndefLocNo is ~0,
233 /// we would need a very big vector to put the value at the right position.
234 unsigned getLocationNo(const MachineOperand
&LocMO
) {
236 if (LocMO
.getReg() == 0)
238 // For register locations we dont care about use/def and other flags.
239 for (unsigned i
= 0, e
= locations
.size(); i
!= e
; ++i
)
240 if (locations
[i
].isReg() &&
241 locations
[i
].getReg() == LocMO
.getReg() &&
242 locations
[i
].getSubReg() == LocMO
.getSubReg())
245 for (unsigned i
= 0, e
= locations
.size(); i
!= e
; ++i
)
246 if (LocMO
.isIdenticalTo(locations
[i
]))
248 locations
.push_back(LocMO
);
249 // We are storing a MachineOperand outside a MachineInstr.
250 locations
.back().clearParent();
251 // Don't store def operands.
252 if (locations
.back().isReg()) {
253 if (locations
.back().isDef())
254 locations
.back().setIsDead(false);
255 locations
.back().setIsUse();
257 return locations
.size() - 1;
260 /// Ensure that all virtual register locations are mapped.
261 void mapVirtRegs(LDVImpl
*LDV
);
263 /// Add a definition point to this value.
264 void addDef(SlotIndex Idx
, const MachineOperand
&LocMO
, bool IsIndirect
) {
265 DbgValueLocation
Loc(getLocationNo(LocMO
), IsIndirect
);
266 // Add a singular (Idx,Idx) -> Loc mapping.
267 LocMap::iterator I
= locInts
.find(Idx
);
268 if (!I
.valid() || I
.start() != Idx
)
269 I
.insert(Idx
, Idx
.getNextSlot(), Loc
);
271 // A later DBG_VALUE at the same SlotIndex overrides the old location.
275 /// Extend the current definition as far as possible down.
277 /// Stop when meeting an existing def or when leaving the live
278 /// range of VNI. End points where VNI is no longer live are added to Kills.
280 /// We only propagate DBG_VALUES locally here. LiveDebugValues performs a
281 /// data-flow analysis to propagate them beyond basic block boundaries.
283 /// \param Idx Starting point for the definition.
284 /// \param Loc Location number to propagate.
285 /// \param LR Restrict liveness to where LR has the value VNI. May be null.
286 /// \param VNI When LR is not null, this is the value to restrict to.
287 /// \param [out] Kills Append end points of VNI's live range to Kills.
288 /// \param LIS Live intervals analysis.
289 void extendDef(SlotIndex Idx
, DbgValueLocation Loc
,
290 LiveRange
*LR
, const VNInfo
*VNI
,
291 SmallVectorImpl
<SlotIndex
> *Kills
,
294 /// The value in LI/LocNo may be copies to other registers. Determine if
295 /// any of the copies are available at the kill points, and add defs if
298 /// \param LI Scan for copies of the value in LI->reg.
299 /// \param LocNo Location number of LI->reg.
300 /// \param WasIndirect Indicates if the original use of LI->reg was indirect
301 /// \param Kills Points where the range of LocNo could be extended.
302 /// \param [in,out] NewDefs Append (Idx, LocNo) of inserted defs here.
303 void addDefsFromCopies(
304 LiveInterval
*LI
, unsigned LocNo
, bool WasIndirect
,
305 const SmallVectorImpl
<SlotIndex
> &Kills
,
306 SmallVectorImpl
<std::pair
<SlotIndex
, DbgValueLocation
>> &NewDefs
,
307 MachineRegisterInfo
&MRI
, LiveIntervals
&LIS
);
309 /// Compute the live intervals of all locations after collecting all their
311 void computeIntervals(MachineRegisterInfo
&MRI
, const TargetRegisterInfo
&TRI
,
312 LiveIntervals
&LIS
, LexicalScopes
&LS
);
314 /// Replace OldReg ranges with NewRegs ranges where NewRegs is
315 /// live. Returns true if any changes were made.
316 bool splitRegister(unsigned OldReg
, ArrayRef
<unsigned> NewRegs
,
319 /// Rewrite virtual register locations according to the provided virtual
320 /// register map. Record the stack slot offsets for the locations that
322 void rewriteLocations(VirtRegMap
&VRM
, const MachineFunction
&MF
,
323 const TargetInstrInfo
&TII
,
324 const TargetRegisterInfo
&TRI
,
325 SpillOffsetMap
&SpillOffsets
);
327 /// Recreate DBG_VALUE instruction from data structures.
328 void emitDebugValues(VirtRegMap
*VRM
, LiveIntervals
&LIS
,
329 const TargetInstrInfo
&TII
,
330 const TargetRegisterInfo
&TRI
,
331 const SpillOffsetMap
&SpillOffsets
);
333 /// Return DebugLoc of this UserValue.
334 DebugLoc
getDebugLoc() { return dl
;}
336 void print(raw_ostream
&, const TargetRegisterInfo
*);
339 /// A user label is a part of a debug info user label.
341 const DILabel
*Label
; ///< The debug info label we are part of.
342 DebugLoc dl
; ///< The debug location for the label. This is
343 ///< used by dwarf writer to find lexical scope.
344 SlotIndex loc
; ///< Slot used by the debug label.
346 /// Insert a DBG_LABEL into MBB at Idx.
347 void insertDebugLabel(MachineBasicBlock
*MBB
, SlotIndex Idx
,
348 LiveIntervals
&LIS
, const TargetInstrInfo
&TII
);
351 /// Create a new UserLabel.
352 UserLabel(const DILabel
*label
, DebugLoc L
, SlotIndex Idx
)
353 : Label(label
), dl(std::move(L
)), loc(Idx
) {}
355 /// Does this UserLabel match the parameters?
356 bool match(const DILabel
*L
, const DILocation
*IA
,
357 const SlotIndex Index
) const {
358 return Label
== L
&& dl
->getInlinedAt() == IA
&& loc
== Index
;
361 /// Recreate DBG_LABEL instruction from data structures.
362 void emitDebugLabel(LiveIntervals
&LIS
, const TargetInstrInfo
&TII
);
364 /// Return DebugLoc of this UserLabel.
365 DebugLoc
getDebugLoc() { return dl
; }
367 void print(raw_ostream
&, const TargetRegisterInfo
*);
370 /// Implementation of the LiveDebugVariables pass.
372 LiveDebugVariables
&pass
;
373 LocMap::Allocator allocator
;
374 MachineFunction
*MF
= nullptr;
376 const TargetRegisterInfo
*TRI
;
378 /// Whether emitDebugValues is called.
379 bool EmitDone
= false;
381 /// Whether the machine function is modified during the pass.
382 bool ModifiedMF
= false;
384 /// All allocated UserValue instances.
385 SmallVector
<std::unique_ptr
<UserValue
>, 8> userValues
;
387 /// All allocated UserLabel instances.
388 SmallVector
<std::unique_ptr
<UserLabel
>, 2> userLabels
;
390 /// Map virtual register to eq class leader.
391 using VRMap
= DenseMap
<unsigned, UserValue
*>;
392 VRMap virtRegToEqClass
;
394 /// Map user variable to eq class leader.
395 using UVMap
= DenseMap
<const DILocalVariable
*, UserValue
*>;
398 /// Find or create a UserValue.
399 UserValue
*getUserValue(const DILocalVariable
*Var
, const DIExpression
*Expr
,
402 /// Find the EC leader for VirtReg or null.
403 UserValue
*lookupVirtReg(unsigned VirtReg
);
405 /// Add DBG_VALUE instruction to our maps.
407 /// \param MI DBG_VALUE instruction
408 /// \param Idx Last valid SLotIndex before instruction.
410 /// \returns True if the DBG_VALUE instruction should be deleted.
411 bool handleDebugValue(MachineInstr
&MI
, SlotIndex Idx
);
413 /// Add DBG_LABEL instruction to UserLabel.
415 /// \param MI DBG_LABEL instruction
416 /// \param Idx Last valid SlotIndex before instruction.
418 /// \returns True if the DBG_LABEL instruction should be deleted.
419 bool handleDebugLabel(MachineInstr
&MI
, SlotIndex Idx
);
421 /// Collect and erase all DBG_VALUE instructions, adding a UserValue def
422 /// for each instruction.
424 /// \param mf MachineFunction to be scanned.
426 /// \returns True if any debug values were found.
427 bool collectDebugValues(MachineFunction
&mf
);
429 /// Compute the live intervals of all user values after collecting all
430 /// their def points.
431 void computeIntervals();
434 LDVImpl(LiveDebugVariables
*ps
) : pass(*ps
) {}
436 bool runOnMachineFunction(MachineFunction
&mf
);
438 /// Release all memory.
443 virtRegToEqClass
.clear();
445 // Make sure we call emitDebugValues if the machine function was modified.
446 assert((!ModifiedMF
|| EmitDone
) &&
447 "Dbg values are not emitted in LDV");
452 /// Map virtual register to an equivalence class.
453 void mapVirtReg(unsigned VirtReg
, UserValue
*EC
);
455 /// Replace all references to OldReg with NewRegs.
456 void splitRegister(unsigned OldReg
, ArrayRef
<unsigned> NewRegs
);
458 /// Recreate DBG_VALUE instruction from data structures.
459 void emitDebugValues(VirtRegMap
*VRM
);
461 void print(raw_ostream
&);
464 } // end anonymous namespace
466 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
467 static void printDebugLoc(const DebugLoc
&DL
, raw_ostream
&CommentOS
,
468 const LLVMContext
&Ctx
) {
472 auto *Scope
= cast
<DIScope
>(DL
.getScope());
473 // Omit the directory, because it's likely to be long and uninteresting.
474 CommentOS
<< Scope
->getFilename();
475 CommentOS
<< ':' << DL
.getLine();
476 if (DL
.getCol() != 0)
477 CommentOS
<< ':' << DL
.getCol();
479 DebugLoc InlinedAtDL
= DL
.getInlinedAt();
484 printDebugLoc(InlinedAtDL
, CommentOS
, Ctx
);
488 static void printExtendedName(raw_ostream
&OS
, const DINode
*Node
,
489 const DILocation
*DL
) {
490 const LLVMContext
&Ctx
= Node
->getContext();
493 if (const auto *V
= dyn_cast
<const DILocalVariable
>(Node
)) {
496 } else if (const auto *L
= dyn_cast
<const DILabel
>(Node
)) {
502 OS
<< Res
<< "," << Line
;
503 auto *InlinedAt
= DL
? DL
->getInlinedAt() : nullptr;
505 if (DebugLoc InlinedAtDL
= InlinedAt
) {
507 printDebugLoc(InlinedAtDL
, OS
, Ctx
);
513 void UserValue::print(raw_ostream
&OS
, const TargetRegisterInfo
*TRI
) {
515 printExtendedName(OS
, Variable
, dl
);
518 for (LocMap::const_iterator I
= locInts
.begin(); I
.valid(); ++I
) {
519 OS
<< " [" << I
.start() << ';' << I
.stop() << "):";
520 if (I
.value().isUndef())
523 OS
<< I
.value().locNo();
524 if (I
.value().wasIndirect())
528 for (unsigned i
= 0, e
= locations
.size(); i
!= e
; ++i
) {
529 OS
<< " Loc" << i
<< '=';
530 locations
[i
].print(OS
, TRI
);
535 void UserLabel::print(raw_ostream
&OS
, const TargetRegisterInfo
*TRI
) {
537 printExtendedName(OS
, Label
, dl
);
544 void LDVImpl::print(raw_ostream
&OS
) {
545 OS
<< "********** DEBUG VARIABLES **********\n";
546 for (auto &userValue
: userValues
)
547 userValue
->print(OS
, TRI
);
548 OS
<< "********** DEBUG LABELS **********\n";
549 for (auto &userLabel
: userLabels
)
550 userLabel
->print(OS
, TRI
);
554 void UserValue::mapVirtRegs(LDVImpl
*LDV
) {
555 for (unsigned i
= 0, e
= locations
.size(); i
!= e
; ++i
)
556 if (locations
[i
].isReg() &&
557 Register::isVirtualRegister(locations
[i
].getReg()))
558 LDV
->mapVirtReg(locations
[i
].getReg(), this);
561 UserValue
*LDVImpl::getUserValue(const DILocalVariable
*Var
,
562 const DIExpression
*Expr
, const DebugLoc
&DL
) {
563 UserValue
*&Leader
= userVarMap
[Var
];
565 UserValue
*UV
= Leader
->getLeader();
567 for (; UV
; UV
= UV
->getNext())
568 if (UV
->match(Var
, Expr
, DL
->getInlinedAt()))
572 userValues
.push_back(
573 std::make_unique
<UserValue
>(Var
, Expr
, DL
, allocator
));
574 UserValue
*UV
= userValues
.back().get();
575 Leader
= UserValue::merge(Leader
, UV
);
579 void LDVImpl::mapVirtReg(unsigned VirtReg
, UserValue
*EC
) {
580 assert(Register::isVirtualRegister(VirtReg
) && "Only map VirtRegs");
581 UserValue
*&Leader
= virtRegToEqClass
[VirtReg
];
582 Leader
= UserValue::merge(Leader
, EC
);
585 UserValue
*LDVImpl::lookupVirtReg(unsigned VirtReg
) {
586 if (UserValue
*UV
= virtRegToEqClass
.lookup(VirtReg
))
587 return UV
->getLeader();
591 bool LDVImpl::handleDebugValue(MachineInstr
&MI
, SlotIndex Idx
) {
592 // DBG_VALUE loc, offset, variable
593 if (MI
.getNumOperands() != 4 ||
594 !(MI
.getOperand(1).isReg() || MI
.getOperand(1).isImm()) ||
595 !MI
.getOperand(2).isMetadata()) {
596 LLVM_DEBUG(dbgs() << "Can't handle " << MI
);
600 // Detect invalid DBG_VALUE instructions, with a debug-use of a virtual
601 // register that hasn't been defined yet. If we do not remove those here, then
602 // the re-insertion of the DBG_VALUE instruction after register allocation
603 // will be incorrect.
604 // TODO: If earlier passes are corrected to generate sane debug information
605 // (and if the machine verifier is improved to catch this), then these checks
606 // could be removed or replaced by asserts.
607 bool Discard
= false;
608 if (MI
.getOperand(0).isReg() &&
609 Register::isVirtualRegister(MI
.getOperand(0).getReg())) {
610 const Register Reg
= MI
.getOperand(0).getReg();
611 if (!LIS
->hasInterval(Reg
)) {
612 // The DBG_VALUE is described by a virtual register that does not have a
613 // live interval. Discard the DBG_VALUE.
615 LLVM_DEBUG(dbgs() << "Discarding debug info (no LIS interval): " << Idx
618 // The DBG_VALUE is only valid if either Reg is live out from Idx, or Reg
619 // is defined dead at Idx (where Idx is the slot index for the instruction
620 // preceding the DBG_VALUE).
621 const LiveInterval
&LI
= LIS
->getInterval(Reg
);
622 LiveQueryResult LRQ
= LI
.Query(Idx
);
623 if (!LRQ
.valueOutOrDead()) {
624 // We have found a DBG_VALUE with the value in a virtual register that
625 // is not live. Discard the DBG_VALUE.
627 LLVM_DEBUG(dbgs() << "Discarding debug info (reg not live): " << Idx
633 // Get or create the UserValue for (variable,offset) here.
634 bool IsIndirect
= MI
.getOperand(1).isImm();
636 assert(MI
.getOperand(1).getImm() == 0 && "DBG_VALUE with nonzero offset");
637 const DILocalVariable
*Var
= MI
.getDebugVariable();
638 const DIExpression
*Expr
= MI
.getDebugExpression();
640 getUserValue(Var
, Expr
, MI
.getDebugLoc());
642 UV
->addDef(Idx
, MI
.getOperand(0), IsIndirect
);
644 MachineOperand MO
= MachineOperand::CreateReg(0U, false);
646 UV
->addDef(Idx
, MO
, false);
651 bool LDVImpl::handleDebugLabel(MachineInstr
&MI
, SlotIndex Idx
) {
653 if (MI
.getNumOperands() != 1 || !MI
.getOperand(0).isMetadata()) {
654 LLVM_DEBUG(dbgs() << "Can't handle " << MI
);
658 // Get or create the UserLabel for label here.
659 const DILabel
*Label
= MI
.getDebugLabel();
660 const DebugLoc
&DL
= MI
.getDebugLoc();
662 for (auto const &L
: userLabels
) {
663 if (L
->match(Label
, DL
->getInlinedAt(), Idx
)) {
669 userLabels
.push_back(std::make_unique
<UserLabel
>(Label
, DL
, Idx
));
674 bool LDVImpl::collectDebugValues(MachineFunction
&mf
) {
675 bool Changed
= false;
676 for (MachineFunction::iterator MFI
= mf
.begin(), MFE
= mf
.end(); MFI
!= MFE
;
678 MachineBasicBlock
*MBB
= &*MFI
;
679 for (MachineBasicBlock::iterator MBBI
= MBB
->begin(), MBBE
= MBB
->end();
681 // Use the first debug instruction in the sequence to get a SlotIndex
682 // for following consecutive debug instructions.
683 if (!MBBI
->isDebugInstr()) {
687 // Debug instructions has no slot index. Use the previous
688 // non-debug instruction's SlotIndex as its SlotIndex.
691 ? LIS
->getMBBStartIdx(MBB
)
692 : LIS
->getInstructionIndex(*std::prev(MBBI
)).getRegSlot();
693 // Handle consecutive debug instructions with the same slot index.
695 // Only handle DBG_VALUE in handleDebugValue(). Skip all other
696 // kinds of debug instructions.
697 if ((MBBI
->isDebugValue() && handleDebugValue(*MBBI
, Idx
)) ||
698 (MBBI
->isDebugLabel() && handleDebugLabel(*MBBI
, Idx
))) {
699 MBBI
= MBB
->erase(MBBI
);
703 } while (MBBI
!= MBBE
&& MBBI
->isDebugInstr());
709 void UserValue::extendDef(SlotIndex Idx
, DbgValueLocation Loc
, LiveRange
*LR
,
710 const VNInfo
*VNI
, SmallVectorImpl
<SlotIndex
> *Kills
,
711 LiveIntervals
&LIS
) {
712 SlotIndex Start
= Idx
;
713 MachineBasicBlock
*MBB
= LIS
.getMBBFromIndex(Start
);
714 SlotIndex Stop
= LIS
.getMBBEndIdx(MBB
);
715 LocMap::iterator I
= locInts
.find(Start
);
717 // Limit to VNI's live range.
720 LiveInterval::Segment
*Segment
= LR
->getSegmentContaining(Start
);
721 if (!Segment
|| Segment
->valno
!= VNI
) {
723 Kills
->push_back(Start
);
726 if (Segment
->end
< Stop
) {
732 // There could already be a short def at Start.
733 if (I
.valid() && I
.start() <= Start
) {
734 // Stop when meeting a different location or an already extended interval.
735 Start
= Start
.getNextSlot();
736 if (I
.value() != Loc
|| I
.stop() != Start
)
738 // This is a one-slot placeholder. Just skip it.
742 // Limited by the next def.
743 if (I
.valid() && I
.start() < Stop
)
745 // Limited by VNI's live range.
746 else if (!ToEnd
&& Kills
)
747 Kills
->push_back(Stop
);
750 I
.insert(Start
, Stop
, Loc
);
753 void UserValue::addDefsFromCopies(
754 LiveInterval
*LI
, unsigned LocNo
, bool WasIndirect
,
755 const SmallVectorImpl
<SlotIndex
> &Kills
,
756 SmallVectorImpl
<std::pair
<SlotIndex
, DbgValueLocation
>> &NewDefs
,
757 MachineRegisterInfo
&MRI
, LiveIntervals
&LIS
) {
760 // Don't track copies from physregs, there are too many uses.
761 if (!Register::isVirtualRegister(LI
->reg
))
764 // Collect all the (vreg, valno) pairs that are copies of LI.
765 SmallVector
<std::pair
<LiveInterval
*, const VNInfo
*>, 8> CopyValues
;
766 for (MachineOperand
&MO
: MRI
.use_nodbg_operands(LI
->reg
)) {
767 MachineInstr
*MI
= MO
.getParent();
768 // Copies of the full value.
769 if (MO
.getSubReg() || !MI
->isCopy())
771 Register DstReg
= MI
->getOperand(0).getReg();
773 // Don't follow copies to physregs. These are usually setting up call
774 // arguments, and the argument registers are always call clobbered. We are
775 // better off in the source register which could be a callee-saved register,
776 // or it could be spilled.
777 if (!Register::isVirtualRegister(DstReg
))
780 // Is LocNo extended to reach this copy? If not, another def may be blocking
781 // it, or we are looking at a wrong value of LI.
782 SlotIndex Idx
= LIS
.getInstructionIndex(*MI
);
783 LocMap::iterator I
= locInts
.find(Idx
.getRegSlot(true));
784 if (!I
.valid() || I
.value().locNo() != LocNo
)
787 if (!LIS
.hasInterval(DstReg
))
789 LiveInterval
*DstLI
= &LIS
.getInterval(DstReg
);
790 const VNInfo
*DstVNI
= DstLI
->getVNInfoAt(Idx
.getRegSlot());
791 assert(DstVNI
&& DstVNI
->def
== Idx
.getRegSlot() && "Bad copy value");
792 CopyValues
.push_back(std::make_pair(DstLI
, DstVNI
));
795 if (CopyValues
.empty())
798 LLVM_DEBUG(dbgs() << "Got " << CopyValues
.size() << " copies of " << *LI
801 // Try to add defs of the copied values for each kill point.
802 for (unsigned i
= 0, e
= Kills
.size(); i
!= e
; ++i
) {
803 SlotIndex Idx
= Kills
[i
];
804 for (unsigned j
= 0, e
= CopyValues
.size(); j
!= e
; ++j
) {
805 LiveInterval
*DstLI
= CopyValues
[j
].first
;
806 const VNInfo
*DstVNI
= CopyValues
[j
].second
;
807 if (DstLI
->getVNInfoAt(Idx
) != DstVNI
)
809 // Check that there isn't already a def at Idx
810 LocMap::iterator I
= locInts
.find(Idx
);
811 if (I
.valid() && I
.start() <= Idx
)
813 LLVM_DEBUG(dbgs() << "Kill at " << Idx
<< " covered by valno #"
814 << DstVNI
->id
<< " in " << *DstLI
<< '\n');
815 MachineInstr
*CopyMI
= LIS
.getInstructionFromIndex(DstVNI
->def
);
816 assert(CopyMI
&& CopyMI
->isCopy() && "Bad copy value");
817 unsigned LocNo
= getLocationNo(CopyMI
->getOperand(0));
818 DbgValueLocation
NewLoc(LocNo
, WasIndirect
);
819 I
.insert(Idx
, Idx
.getNextSlot(), NewLoc
);
820 NewDefs
.push_back(std::make_pair(Idx
, NewLoc
));
826 void UserValue::computeIntervals(MachineRegisterInfo
&MRI
,
827 const TargetRegisterInfo
&TRI
,
828 LiveIntervals
&LIS
, LexicalScopes
&LS
) {
829 SmallVector
<std::pair
<SlotIndex
, DbgValueLocation
>, 16> Defs
;
831 // Collect all defs to be extended (Skipping undefs).
832 for (LocMap::const_iterator I
= locInts
.begin(); I
.valid(); ++I
)
833 if (!I
.value().isUndef())
834 Defs
.push_back(std::make_pair(I
.start(), I
.value()));
836 // Extend all defs, and possibly add new ones along the way.
837 for (unsigned i
= 0; i
!= Defs
.size(); ++i
) {
838 SlotIndex Idx
= Defs
[i
].first
;
839 DbgValueLocation Loc
= Defs
[i
].second
;
840 const MachineOperand
&LocMO
= locations
[Loc
.locNo()];
842 if (!LocMO
.isReg()) {
843 extendDef(Idx
, Loc
, nullptr, nullptr, nullptr, LIS
);
847 // Register locations are constrained to where the register value is live.
848 if (Register::isVirtualRegister(LocMO
.getReg())) {
849 LiveInterval
*LI
= nullptr;
850 const VNInfo
*VNI
= nullptr;
851 if (LIS
.hasInterval(LocMO
.getReg())) {
852 LI
= &LIS
.getInterval(LocMO
.getReg());
853 VNI
= LI
->getVNInfoAt(Idx
);
855 SmallVector
<SlotIndex
, 16> Kills
;
856 extendDef(Idx
, Loc
, LI
, VNI
, &Kills
, LIS
);
857 // FIXME: Handle sub-registers in addDefsFromCopies. The problem is that
858 // if the original location for example is %vreg0:sub_hi, and we find a
859 // full register copy in addDefsFromCopies (at the moment it only handles
860 // full register copies), then we must add the sub1 sub-register index to
861 // the new location. However, that is only possible if the new virtual
862 // register is of the same regclass (or if there is an equivalent
863 // sub-register in that regclass). For now, simply skip handling copies if
864 // a sub-register is involved.
865 if (LI
&& !LocMO
.getSubReg())
866 addDefsFromCopies(LI
, Loc
.locNo(), Loc
.wasIndirect(), Kills
, Defs
, MRI
,
871 // For physregs, we only mark the start slot idx. DwarfDebug will see it
872 // as if the DBG_VALUE is valid up until the end of the basic block, or
873 // the next def of the physical register. So we do not need to extend the
874 // range. It might actually happen that the DBG_VALUE is the last use of
875 // the physical register (e.g. if this is an unused input argument to a
879 // The computed intervals may extend beyond the range of the debug
880 // location's lexical scope. In this case, splitting of an interval
881 // can result in an interval outside of the scope being created,
882 // causing extra unnecessary DBG_VALUEs to be emitted. To prevent
883 // this, trim the intervals to the lexical scope.
885 LexicalScope
*Scope
= LS
.findLexicalScope(dl
);
890 LocMap::iterator I
= locInts
.begin();
892 // Iterate over the lexical scope ranges. Each time round the loop
893 // we check the intervals for overlap with the end of the previous
894 // range and the start of the next. The first range is handled as
895 // a special case where there is no PrevEnd.
896 for (const InsnRange
&Range
: Scope
->getRanges()) {
897 SlotIndex RStart
= LIS
.getInstructionIndex(*Range
.first
);
898 SlotIndex REnd
= LIS
.getInstructionIndex(*Range
.second
);
900 // At the start of each iteration I has been advanced so that
901 // I.stop() >= PrevEnd. Check for overlap.
902 if (PrevEnd
&& I
.start() < PrevEnd
) {
903 SlotIndex IStop
= I
.stop();
904 DbgValueLocation Loc
= I
.value();
906 // Stop overlaps previous end - trim the end of the interval to
908 I
.setStopUnchecked(PrevEnd
);
911 // If the interval also overlaps the start of the "next" (i.e.
912 // current) range create a new interval for the remainder
914 I
.insert(RStart
, IStop
, Loc
);
917 // Advance I so that I.stop() >= RStart, and check for overlap.
922 // The end of a lexical scope range is the last instruction in the
923 // range. To convert to an interval we need the index of the
924 // instruction after it.
925 REnd
= REnd
.getNextIndex();
927 // Advance I to first interval outside current range.
935 // Check for overlap with end of final range.
936 if (PrevEnd
&& I
.start() < PrevEnd
)
937 I
.setStopUnchecked(PrevEnd
);
940 void LDVImpl::computeIntervals() {
944 for (unsigned i
= 0, e
= userValues
.size(); i
!= e
; ++i
) {
945 userValues
[i
]->computeIntervals(MF
->getRegInfo(), *TRI
, *LIS
, LS
);
946 userValues
[i
]->mapVirtRegs(this);
950 bool LDVImpl::runOnMachineFunction(MachineFunction
&mf
) {
953 LIS
= &pass
.getAnalysis
<LiveIntervals
>();
954 TRI
= mf
.getSubtarget().getRegisterInfo();
955 LLVM_DEBUG(dbgs() << "********** COMPUTING LIVE DEBUG VARIABLES: "
956 << mf
.getName() << " **********\n");
958 bool Changed
= collectDebugValues(mf
);
960 LLVM_DEBUG(print(dbgs()));
961 ModifiedMF
= Changed
;
965 static void removeDebugValues(MachineFunction
&mf
) {
966 for (MachineBasicBlock
&MBB
: mf
) {
967 for (auto MBBI
= MBB
.begin(), MBBE
= MBB
.end(); MBBI
!= MBBE
; ) {
968 if (!MBBI
->isDebugValue()) {
972 MBBI
= MBB
.erase(MBBI
);
977 bool LiveDebugVariables::runOnMachineFunction(MachineFunction
&mf
) {
980 if (!mf
.getFunction().getSubprogram()) {
981 removeDebugValues(mf
);
985 pImpl
= new LDVImpl(this);
986 return static_cast<LDVImpl
*>(pImpl
)->runOnMachineFunction(mf
);
989 void LiveDebugVariables::releaseMemory() {
991 static_cast<LDVImpl
*>(pImpl
)->clear();
994 LiveDebugVariables::~LiveDebugVariables() {
996 delete static_cast<LDVImpl
*>(pImpl
);
999 //===----------------------------------------------------------------------===//
1000 // Live Range Splitting
1001 //===----------------------------------------------------------------------===//
1004 UserValue::splitLocation(unsigned OldLocNo
, ArrayRef
<unsigned> NewRegs
,
1005 LiveIntervals
& LIS
) {
1007 dbgs() << "Splitting Loc" << OldLocNo
<< '\t';
1008 print(dbgs(), nullptr);
1010 bool DidChange
= false;
1011 LocMap::iterator LocMapI
;
1012 LocMapI
.setMap(locInts
);
1013 for (unsigned i
= 0; i
!= NewRegs
.size(); ++i
) {
1014 LiveInterval
*LI
= &LIS
.getInterval(NewRegs
[i
]);
1018 // Don't allocate the new LocNo until it is needed.
1019 unsigned NewLocNo
= UndefLocNo
;
1021 // Iterate over the overlaps between locInts and LI.
1022 LocMapI
.find(LI
->beginIndex());
1023 if (!LocMapI
.valid())
1025 LiveInterval::iterator LII
= LI
->advanceTo(LI
->begin(), LocMapI
.start());
1026 LiveInterval::iterator LIE
= LI
->end();
1027 while (LocMapI
.valid() && LII
!= LIE
) {
1028 // At this point, we know that LocMapI.stop() > LII->start.
1029 LII
= LI
->advanceTo(LII
, LocMapI
.start());
1033 // Now LII->end > LocMapI.start(). Do we have an overlap?
1034 if (LocMapI
.value().locNo() == OldLocNo
&& LII
->start
< LocMapI
.stop()) {
1035 // Overlapping correct location. Allocate NewLocNo now.
1036 if (NewLocNo
== UndefLocNo
) {
1037 MachineOperand MO
= MachineOperand::CreateReg(LI
->reg
, false);
1038 MO
.setSubReg(locations
[OldLocNo
].getSubReg());
1039 NewLocNo
= getLocationNo(MO
);
1043 SlotIndex LStart
= LocMapI
.start();
1044 SlotIndex LStop
= LocMapI
.stop();
1045 DbgValueLocation OldLoc
= LocMapI
.value();
1047 // Trim LocMapI down to the LII overlap.
1048 if (LStart
< LII
->start
)
1049 LocMapI
.setStartUnchecked(LII
->start
);
1050 if (LStop
> LII
->end
)
1051 LocMapI
.setStopUnchecked(LII
->end
);
1053 // Change the value in the overlap. This may trigger coalescing.
1054 LocMapI
.setValue(OldLoc
.changeLocNo(NewLocNo
));
1056 // Re-insert any removed OldLocNo ranges.
1057 if (LStart
< LocMapI
.start()) {
1058 LocMapI
.insert(LStart
, LocMapI
.start(), OldLoc
);
1060 assert(LocMapI
.valid() && "Unexpected coalescing");
1062 if (LStop
> LocMapI
.stop()) {
1064 LocMapI
.insert(LII
->end
, LStop
, OldLoc
);
1069 // Advance to the next overlap.
1070 if (LII
->end
< LocMapI
.stop()) {
1073 LocMapI
.advanceTo(LII
->start
);
1076 if (!LocMapI
.valid())
1078 LII
= LI
->advanceTo(LII
, LocMapI
.start());
1083 // Finally, remove any remaining OldLocNo intervals and OldLocNo itself.
1084 locations
.erase(locations
.begin() + OldLocNo
);
1085 LocMapI
.goToBegin();
1086 while (LocMapI
.valid()) {
1087 DbgValueLocation v
= LocMapI
.value();
1088 if (v
.locNo() == OldLocNo
) {
1089 LLVM_DEBUG(dbgs() << "Erasing [" << LocMapI
.start() << ';'
1090 << LocMapI
.stop() << ")\n");
1093 // Undef values always have location number UndefLocNo, so don't change
1094 // locNo in that case. See getLocationNo().
1095 if (!v
.isUndef() && v
.locNo() > OldLocNo
)
1096 LocMapI
.setValueUnchecked(v
.changeLocNo(v
.locNo() - 1));
1102 dbgs() << "Split result: \t";
1103 print(dbgs(), nullptr);
1109 UserValue::splitRegister(unsigned OldReg
, ArrayRef
<unsigned> NewRegs
,
1110 LiveIntervals
&LIS
) {
1111 bool DidChange
= false;
1112 // Split locations referring to OldReg. Iterate backwards so splitLocation can
1113 // safely erase unused locations.
1114 for (unsigned i
= locations
.size(); i
; --i
) {
1115 unsigned LocNo
= i
-1;
1116 const MachineOperand
*Loc
= &locations
[LocNo
];
1117 if (!Loc
->isReg() || Loc
->getReg() != OldReg
)
1119 DidChange
|= splitLocation(LocNo
, NewRegs
, LIS
);
1124 void LDVImpl::splitRegister(unsigned OldReg
, ArrayRef
<unsigned> NewRegs
) {
1125 bool DidChange
= false;
1126 for (UserValue
*UV
= lookupVirtReg(OldReg
); UV
; UV
= UV
->getNext())
1127 DidChange
|= UV
->splitRegister(OldReg
, NewRegs
, *LIS
);
1132 // Map all of the new virtual registers.
1133 UserValue
*UV
= lookupVirtReg(OldReg
);
1134 for (unsigned i
= 0; i
!= NewRegs
.size(); ++i
)
1135 mapVirtReg(NewRegs
[i
], UV
);
1138 void LiveDebugVariables::
1139 splitRegister(unsigned OldReg
, ArrayRef
<unsigned> NewRegs
, LiveIntervals
&LIS
) {
1141 static_cast<LDVImpl
*>(pImpl
)->splitRegister(OldReg
, NewRegs
);
1144 void UserValue::rewriteLocations(VirtRegMap
&VRM
, const MachineFunction
&MF
,
1145 const TargetInstrInfo
&TII
,
1146 const TargetRegisterInfo
&TRI
,
1147 SpillOffsetMap
&SpillOffsets
) {
1148 // Build a set of new locations with new numbers so we can coalesce our
1149 // IntervalMap if two vreg intervals collapse to the same physical location.
1150 // Use MapVector instead of SetVector because MapVector::insert returns the
1151 // position of the previously or newly inserted element. The boolean value
1152 // tracks if the location was produced by a spill.
1153 // FIXME: This will be problematic if we ever support direct and indirect
1154 // frame index locations, i.e. expressing both variables in memory and
1155 // 'int x, *px = &x'. The "spilled" bit must become part of the location.
1156 MapVector
<MachineOperand
, std::pair
<bool, unsigned>> NewLocations
;
1157 SmallVector
<unsigned, 4> LocNoMap(locations
.size());
1158 for (unsigned I
= 0, E
= locations
.size(); I
!= E
; ++I
) {
1159 bool Spilled
= false;
1160 unsigned SpillOffset
= 0;
1161 MachineOperand Loc
= locations
[I
];
1162 // Only virtual registers are rewritten.
1163 if (Loc
.isReg() && Loc
.getReg() &&
1164 Register::isVirtualRegister(Loc
.getReg())) {
1165 Register VirtReg
= Loc
.getReg();
1166 if (VRM
.isAssignedReg(VirtReg
) &&
1167 Register::isPhysicalRegister(VRM
.getPhys(VirtReg
))) {
1168 // This can create a %noreg operand in rare cases when the sub-register
1169 // index is no longer available. That means the user value is in a
1170 // non-existent sub-register, and %noreg is exactly what we want.
1171 Loc
.substPhysReg(VRM
.getPhys(VirtReg
), TRI
);
1172 } else if (VRM
.getStackSlot(VirtReg
) != VirtRegMap::NO_STACK_SLOT
) {
1173 // Retrieve the stack slot offset.
1175 const MachineRegisterInfo
&MRI
= MF
.getRegInfo();
1176 const TargetRegisterClass
*TRC
= MRI
.getRegClass(VirtReg
);
1177 bool Success
= TII
.getStackSlotRange(TRC
, Loc
.getSubReg(), SpillSize
,
1180 // FIXME: Invalidate the location if the offset couldn't be calculated.
1183 Loc
= MachineOperand::CreateFI(VRM
.getStackSlot(VirtReg
));
1191 // Insert this location if it doesn't already exist and record a mapping
1192 // from the old number to the new number.
1193 auto InsertResult
= NewLocations
.insert({Loc
, {Spilled
, SpillOffset
}});
1194 unsigned NewLocNo
= std::distance(NewLocations
.begin(), InsertResult
.first
);
1195 LocNoMap
[I
] = NewLocNo
;
1198 // Rewrite the locations and record the stack slot offsets for spills.
1200 SpillOffsets
.clear();
1201 for (auto &Pair
: NewLocations
) {
1203 unsigned SpillOffset
;
1204 std::tie(Spilled
, SpillOffset
) = Pair
.second
;
1205 locations
.push_back(Pair
.first
);
1207 unsigned NewLocNo
= std::distance(&*NewLocations
.begin(), &Pair
);
1208 SpillOffsets
[NewLocNo
] = SpillOffset
;
1212 // Update the interval map, but only coalesce left, since intervals to the
1213 // right use the old location numbers. This should merge two contiguous
1214 // DBG_VALUE intervals with different vregs that were allocated to the same
1215 // physical register.
1216 for (LocMap::iterator I
= locInts
.begin(); I
.valid(); ++I
) {
1217 DbgValueLocation Loc
= I
.value();
1218 // Undef values don't exist in locations (and thus not in LocNoMap either)
1219 // so skip over them. See getLocationNo().
1222 unsigned NewLocNo
= LocNoMap
[Loc
.locNo()];
1223 I
.setValueUnchecked(Loc
.changeLocNo(NewLocNo
));
1224 I
.setStart(I
.start());
1228 /// Find an iterator for inserting a DBG_VALUE instruction.
1229 static MachineBasicBlock::iterator
1230 findInsertLocation(MachineBasicBlock
*MBB
, SlotIndex Idx
,
1231 LiveIntervals
&LIS
) {
1232 SlotIndex Start
= LIS
.getMBBStartIdx(MBB
);
1233 Idx
= Idx
.getBaseIndex();
1235 // Try to find an insert location by going backwards from Idx.
1237 while (!(MI
= LIS
.getInstructionFromIndex(Idx
))) {
1238 // We've reached the beginning of MBB.
1240 MachineBasicBlock::iterator I
= MBB
->SkipPHIsLabelsAndDebug(MBB
->begin());
1243 Idx
= Idx
.getPrevIndex();
1246 // Don't insert anything after the first terminator, though.
1247 return MI
->isTerminator() ? MBB
->getFirstTerminator() :
1248 std::next(MachineBasicBlock::iterator(MI
));
1251 /// Find an iterator for inserting the next DBG_VALUE instruction
1252 /// (or end if no more insert locations found).
1253 static MachineBasicBlock::iterator
1254 findNextInsertLocation(MachineBasicBlock
*MBB
,
1255 MachineBasicBlock::iterator I
,
1256 SlotIndex StopIdx
, MachineOperand
&LocMO
,
1258 const TargetRegisterInfo
&TRI
) {
1260 return MBB
->instr_end();
1261 Register Reg
= LocMO
.getReg();
1263 // Find the next instruction in the MBB that define the register Reg.
1264 while (I
!= MBB
->end() && !I
->isTerminator()) {
1265 if (!LIS
.isNotInMIMap(*I
) &&
1266 SlotIndex::isEarlierEqualInstr(StopIdx
, LIS
.getInstructionIndex(*I
)))
1268 if (I
->definesRegister(Reg
, &TRI
))
1269 // The insert location is directly after the instruction/bundle.
1270 return std::next(I
);
1276 void UserValue::insertDebugValue(MachineBasicBlock
*MBB
, SlotIndex StartIdx
,
1277 SlotIndex StopIdx
, DbgValueLocation Loc
,
1278 bool Spilled
, unsigned SpillOffset
,
1279 LiveIntervals
&LIS
, const TargetInstrInfo
&TII
,
1280 const TargetRegisterInfo
&TRI
) {
1281 SlotIndex MBBEndIdx
= LIS
.getMBBEndIdx(&*MBB
);
1282 // Only search within the current MBB.
1283 StopIdx
= (MBBEndIdx
< StopIdx
) ? MBBEndIdx
: StopIdx
;
1284 MachineBasicBlock::iterator I
= findInsertLocation(MBB
, StartIdx
, LIS
);
1285 // Undef values don't exist in locations so create new "noreg" register MOs
1286 // for them. See getLocationNo().
1287 MachineOperand MO
= !Loc
.isUndef() ?
1288 locations
[Loc
.locNo()] :
1289 MachineOperand::CreateReg(/* Reg */ 0, /* isDef */ false, /* isImp */ false,
1290 /* isKill */ false, /* isDead */ false,
1291 /* isUndef */ false, /* isEarlyClobber */ false,
1292 /* SubReg */ 0, /* isDebug */ true);
1294 ++NumInsertedDebugValues
;
1296 assert(cast
<DILocalVariable
>(Variable
)
1297 ->isValidLocationForIntrinsic(getDebugLoc()) &&
1298 "Expected inlined-at fields to agree");
1300 // If the location was spilled, the new DBG_VALUE will be indirect. If the
1301 // original DBG_VALUE was indirect, we need to add DW_OP_deref to indicate
1302 // that the original virtual register was a pointer. Also, add the stack slot
1303 // offset for the spilled register to the expression.
1304 const DIExpression
*Expr
= Expression
;
1305 uint8_t DIExprFlags
= DIExpression::ApplyOffset
;
1306 bool IsIndirect
= Loc
.wasIndirect();
1309 DIExprFlags
|= DIExpression::DerefAfter
;
1311 DIExpression::prepend(Expr
, DIExprFlags
, SpillOffset
);
1315 assert((!Spilled
|| MO
.isFI()) && "a spilled location must be a frame index");
1318 BuildMI(*MBB
, I
, getDebugLoc(), TII
.get(TargetOpcode::DBG_VALUE
),
1319 IsIndirect
, MO
, Variable
, Expr
);
1321 // Continue and insert DBG_VALUES after every redefinition of register
1322 // associated with the debug value within the range
1323 I
= findNextInsertLocation(MBB
, I
, StopIdx
, MO
, LIS
, TRI
);
1324 } while (I
!= MBB
->end());
1327 void UserLabel::insertDebugLabel(MachineBasicBlock
*MBB
, SlotIndex Idx
,
1329 const TargetInstrInfo
&TII
) {
1330 MachineBasicBlock::iterator I
= findInsertLocation(MBB
, Idx
, LIS
);
1331 ++NumInsertedDebugLabels
;
1332 BuildMI(*MBB
, I
, getDebugLoc(), TII
.get(TargetOpcode::DBG_LABEL
))
1333 .addMetadata(Label
);
1336 void UserValue::emitDebugValues(VirtRegMap
*VRM
, LiveIntervals
&LIS
,
1337 const TargetInstrInfo
&TII
,
1338 const TargetRegisterInfo
&TRI
,
1339 const SpillOffsetMap
&SpillOffsets
) {
1340 MachineFunction::iterator MFEnd
= VRM
->getMachineFunction().end();
1342 for (LocMap::const_iterator I
= locInts
.begin(); I
.valid();) {
1343 SlotIndex Start
= I
.start();
1344 SlotIndex Stop
= I
.stop();
1345 DbgValueLocation Loc
= I
.value();
1347 !Loc
.isUndef() ? SpillOffsets
.find(Loc
.locNo()) : SpillOffsets
.end();
1348 bool Spilled
= SpillIt
!= SpillOffsets
.end();
1349 unsigned SpillOffset
= Spilled
? SpillIt
->second
: 0;
1351 LLVM_DEBUG(dbgs() << "\t[" << Start
<< ';' << Stop
<< "):" << Loc
.locNo());
1352 MachineFunction::iterator MBB
= LIS
.getMBBFromIndex(Start
)->getIterator();
1353 SlotIndex MBBEnd
= LIS
.getMBBEndIdx(&*MBB
);
1355 LLVM_DEBUG(dbgs() << ' ' << printMBBReference(*MBB
) << '-' << MBBEnd
);
1356 insertDebugValue(&*MBB
, Start
, Stop
, Loc
, Spilled
, SpillOffset
, LIS
, TII
,
1358 // This interval may span multiple basic blocks.
1359 // Insert a DBG_VALUE into each one.
1360 while (Stop
> MBBEnd
) {
1361 // Move to the next block.
1365 MBBEnd
= LIS
.getMBBEndIdx(&*MBB
);
1366 LLVM_DEBUG(dbgs() << ' ' << printMBBReference(*MBB
) << '-' << MBBEnd
);
1367 insertDebugValue(&*MBB
, Start
, Stop
, Loc
, Spilled
, SpillOffset
, LIS
, TII
,
1370 LLVM_DEBUG(dbgs() << '\n');
1378 void UserLabel::emitDebugLabel(LiveIntervals
&LIS
, const TargetInstrInfo
&TII
) {
1379 LLVM_DEBUG(dbgs() << "\t" << loc
);
1380 MachineFunction::iterator MBB
= LIS
.getMBBFromIndex(loc
)->getIterator();
1382 LLVM_DEBUG(dbgs() << ' ' << printMBBReference(*MBB
));
1383 insertDebugLabel(&*MBB
, loc
, LIS
, TII
);
1385 LLVM_DEBUG(dbgs() << '\n');
1388 void LDVImpl::emitDebugValues(VirtRegMap
*VRM
) {
1389 LLVM_DEBUG(dbgs() << "********** EMITTING LIVE DEBUG VARIABLES **********\n");
1392 const TargetInstrInfo
*TII
= MF
->getSubtarget().getInstrInfo();
1393 SpillOffsetMap SpillOffsets
;
1394 for (auto &userValue
: userValues
) {
1395 LLVM_DEBUG(userValue
->print(dbgs(), TRI
));
1396 userValue
->rewriteLocations(*VRM
, *MF
, *TII
, *TRI
, SpillOffsets
);
1397 userValue
->emitDebugValues(VRM
, *LIS
, *TII
, *TRI
, SpillOffsets
);
1399 LLVM_DEBUG(dbgs() << "********** EMITTING LIVE DEBUG LABELS **********\n");
1400 for (auto &userLabel
: userLabels
) {
1401 LLVM_DEBUG(userLabel
->print(dbgs(), TRI
));
1402 userLabel
->emitDebugLabel(*LIS
, *TII
);
1407 void LiveDebugVariables::emitDebugValues(VirtRegMap
*VRM
) {
1409 static_cast<LDVImpl
*>(pImpl
)->emitDebugValues(VRM
);
1412 bool LiveDebugVariables::doInitialization(Module
&M
) {
1413 return Pass::doInitialization(M
);
1416 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
1417 LLVM_DUMP_METHOD
void LiveDebugVariables::dump() const {
1419 static_cast<LDVImpl
*>(pImpl
)->print(dbgs());