xref: /llvm-project/llvm/lib/CodeGen/LiveDebugVariables.cpp (revision 67819a72c6ba39267effe8edfc1befddc3f3f2f9)
1 //===- LiveDebugVariables.cpp - Tracking debug info variables -------------===//
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 file implements the LiveDebugVariables analysis.
10 //
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.
14 //
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.
18 //
19 //===----------------------------------------------------------------------===//
20 
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/BinaryFormat/Dwarf.h"
32 #include "llvm/CodeGen/LexicalScopes.h"
33 #include "llvm/CodeGen/LiveInterval.h"
34 #include "llvm/CodeGen/LiveIntervals.h"
35 #include "llvm/CodeGen/MachineBasicBlock.h"
36 #include "llvm/CodeGen/MachineDominators.h"
37 #include "llvm/CodeGen/MachineFunction.h"
38 #include "llvm/CodeGen/MachineInstr.h"
39 #include "llvm/CodeGen/MachineInstrBuilder.h"
40 #include "llvm/CodeGen/MachineOperand.h"
41 #include "llvm/CodeGen/MachineRegisterInfo.h"
42 #include "llvm/CodeGen/SlotIndexes.h"
43 #include "llvm/CodeGen/TargetInstrInfo.h"
44 #include "llvm/CodeGen/TargetOpcodes.h"
45 #include "llvm/CodeGen/TargetRegisterInfo.h"
46 #include "llvm/CodeGen/TargetSubtargetInfo.h"
47 #include "llvm/CodeGen/VirtRegMap.h"
48 #include "llvm/Config/llvm-config.h"
49 #include "llvm/IR/DebugInfoMetadata.h"
50 #include "llvm/IR/DebugLoc.h"
51 #include "llvm/IR/Function.h"
52 #include "llvm/InitializePasses.h"
53 #include "llvm/Pass.h"
54 #include "llvm/Support/Casting.h"
55 #include "llvm/Support/CommandLine.h"
56 #include "llvm/Support/Debug.h"
57 #include "llvm/Support/raw_ostream.h"
58 #include <algorithm>
59 #include <cassert>
60 #include <iterator>
61 #include <memory>
62 #include <optional>
63 #include <utility>
64 
65 using namespace llvm;
66 
67 #define DEBUG_TYPE "livedebugvars"
68 
69 static cl::opt<bool>
70 EnableLDV("live-debug-variables", cl::init(true),
71           cl::desc("Enable the live debug variables pass"), cl::Hidden);
72 
73 STATISTIC(NumInsertedDebugValues, "Number of DBG_VALUEs inserted");
74 STATISTIC(NumInsertedDebugLabels, "Number of DBG_LABELs inserted");
75 
76 char LiveDebugVariables::ID = 0;
77 
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)
84 
85 void LiveDebugVariables::getAnalysisUsage(AnalysisUsage &AU) const {
86   AU.addRequired<MachineDominatorTree>();
87   AU.addRequiredTransitive<LiveIntervals>();
88   AU.setPreservesAll();
89   MachineFunctionPass::getAnalysisUsage(AU);
90 }
91 
92 LiveDebugVariables::LiveDebugVariables() : MachineFunctionPass(ID) {
93   initializeLiveDebugVariablesPass(*PassRegistry::getPassRegistry());
94 }
95 
96 enum : unsigned { UndefLocNo = ~0U };
97 
98 namespace {
99 /// Describes a debug variable value by location number and expression along
100 /// with some flags about the original usage of the location.
101 class DbgVariableValue {
102 public:
103   DbgVariableValue(ArrayRef<unsigned> NewLocs, bool WasIndirect, bool WasList,
104                    const DIExpression &Expr)
105       : WasIndirect(WasIndirect), WasList(WasList), Expression(&Expr) {
106     assert(!(WasIndirect && WasList) &&
107            "DBG_VALUE_LISTs should not be indirect.");
108     SmallVector<unsigned> LocNoVec;
109     for (unsigned LocNo : NewLocs) {
110       auto It = find(LocNoVec, LocNo);
111       if (It == LocNoVec.end())
112         LocNoVec.push_back(LocNo);
113       else {
114         // Loc duplicates an element in LocNos; replace references to Op
115         // with references to the duplicating element.
116         unsigned OpIdx = LocNoVec.size();
117         unsigned DuplicatingIdx = std::distance(LocNoVec.begin(), It);
118         Expression =
119             DIExpression::replaceArg(Expression, OpIdx, DuplicatingIdx);
120       }
121     }
122     // FIXME: Debug values referencing 64+ unique machine locations are rare and
123     // currently unsupported for performance reasons. If we can verify that
124     // performance is acceptable for such debug values, we can increase the
125     // bit-width of LocNoCount to 14 to enable up to 16384 unique machine
126     // locations. We will also need to verify that this does not cause issues
127     // with LiveDebugVariables' use of IntervalMap.
128     if (LocNoVec.size() < 64) {
129       LocNoCount = LocNoVec.size();
130       if (LocNoCount > 0) {
131         LocNos = std::make_unique<unsigned[]>(LocNoCount);
132         std::copy(LocNoVec.begin(), LocNoVec.end(), loc_nos_begin());
133       }
134     } else {
135       LLVM_DEBUG(dbgs() << "Found debug value with 64+ unique machine "
136                            "locations, dropping...\n");
137       LocNoCount = 1;
138       // Turn this into an undef debug value list; right now, the simplest form
139       // of this is an expression with one arg, and an undef debug operand.
140       Expression =
141           DIExpression::get(Expr.getContext(), {dwarf::DW_OP_LLVM_arg, 0,
142                                                 dwarf::DW_OP_stack_value});
143       if (auto FragmentInfoOpt = Expr.getFragmentInfo())
144         Expression = *DIExpression::createFragmentExpression(
145             Expression, FragmentInfoOpt->OffsetInBits,
146             FragmentInfoOpt->SizeInBits);
147       LocNos = std::make_unique<unsigned[]>(LocNoCount);
148       LocNos[0] = UndefLocNo;
149     }
150   }
151 
152   DbgVariableValue() : LocNoCount(0), WasIndirect(false), WasList(false) {}
153   DbgVariableValue(const DbgVariableValue &Other)
154       : LocNoCount(Other.LocNoCount), WasIndirect(Other.getWasIndirect()),
155         WasList(Other.getWasList()), Expression(Other.getExpression()) {
156     if (Other.getLocNoCount()) {
157       LocNos.reset(new unsigned[Other.getLocNoCount()]);
158       std::copy(Other.loc_nos_begin(), Other.loc_nos_end(), loc_nos_begin());
159     }
160   }
161 
162   DbgVariableValue &operator=(const DbgVariableValue &Other) {
163     if (this == &Other)
164       return *this;
165     if (Other.getLocNoCount()) {
166       LocNos.reset(new unsigned[Other.getLocNoCount()]);
167       std::copy(Other.loc_nos_begin(), Other.loc_nos_end(), loc_nos_begin());
168     } else {
169       LocNos.release();
170     }
171     LocNoCount = Other.getLocNoCount();
172     WasIndirect = Other.getWasIndirect();
173     WasList = Other.getWasList();
174     Expression = Other.getExpression();
175     return *this;
176   }
177 
178   const DIExpression *getExpression() const { return Expression; }
179   uint8_t getLocNoCount() const { return LocNoCount; }
180   bool containsLocNo(unsigned LocNo) const {
181     return is_contained(loc_nos(), LocNo);
182   }
183   bool getWasIndirect() const { return WasIndirect; }
184   bool getWasList() const { return WasList; }
185   bool isUndef() const { return LocNoCount == 0 || containsLocNo(UndefLocNo); }
186 
187   DbgVariableValue decrementLocNosAfterPivot(unsigned Pivot) const {
188     SmallVector<unsigned, 4> NewLocNos;
189     for (unsigned LocNo : loc_nos())
190       NewLocNos.push_back(LocNo != UndefLocNo && LocNo > Pivot ? LocNo - 1
191                                                                : LocNo);
192     return DbgVariableValue(NewLocNos, WasIndirect, WasList, *Expression);
193   }
194 
195   DbgVariableValue remapLocNos(ArrayRef<unsigned> LocNoMap) const {
196     SmallVector<unsigned> NewLocNos;
197     for (unsigned LocNo : loc_nos())
198       // Undef values don't exist in locations (and thus not in LocNoMap
199       // either) so skip over them. See getLocationNo().
200       NewLocNos.push_back(LocNo == UndefLocNo ? UndefLocNo : LocNoMap[LocNo]);
201     return DbgVariableValue(NewLocNos, WasIndirect, WasList, *Expression);
202   }
203 
204   DbgVariableValue changeLocNo(unsigned OldLocNo, unsigned NewLocNo) const {
205     SmallVector<unsigned> NewLocNos;
206     NewLocNos.assign(loc_nos_begin(), loc_nos_end());
207     auto OldLocIt = find(NewLocNos, OldLocNo);
208     assert(OldLocIt != NewLocNos.end() && "Old location must be present.");
209     *OldLocIt = NewLocNo;
210     return DbgVariableValue(NewLocNos, WasIndirect, WasList, *Expression);
211   }
212 
213   bool hasLocNoGreaterThan(unsigned LocNo) const {
214     return any_of(loc_nos(),
215                   [LocNo](unsigned ThisLocNo) { return ThisLocNo > LocNo; });
216   }
217 
218   void printLocNos(llvm::raw_ostream &OS) const {
219     for (const unsigned &Loc : loc_nos())
220       OS << (&Loc == loc_nos_begin() ? " " : ", ") << Loc;
221   }
222 
223   friend inline bool operator==(const DbgVariableValue &LHS,
224                                 const DbgVariableValue &RHS) {
225     if (std::tie(LHS.LocNoCount, LHS.WasIndirect, LHS.WasList,
226                  LHS.Expression) !=
227         std::tie(RHS.LocNoCount, RHS.WasIndirect, RHS.WasList, RHS.Expression))
228       return false;
229     return std::equal(LHS.loc_nos_begin(), LHS.loc_nos_end(),
230                       RHS.loc_nos_begin());
231   }
232 
233   friend inline bool operator!=(const DbgVariableValue &LHS,
234                                 const DbgVariableValue &RHS) {
235     return !(LHS == RHS);
236   }
237 
238   unsigned *loc_nos_begin() { return LocNos.get(); }
239   const unsigned *loc_nos_begin() const { return LocNos.get(); }
240   unsigned *loc_nos_end() { return LocNos.get() + LocNoCount; }
241   const unsigned *loc_nos_end() const { return LocNos.get() + LocNoCount; }
242   ArrayRef<unsigned> loc_nos() const {
243     return ArrayRef<unsigned>(LocNos.get(), LocNoCount);
244   }
245 
246 private:
247   // IntervalMap requires the value object to be very small, to the extent
248   // that we do not have enough room for an std::vector. Using a C-style array
249   // (with a unique_ptr wrapper for convenience) allows us to optimize for this
250   // specific case by packing the array size into only 6 bits (it is highly
251   // unlikely that any debug value will need 64+ locations).
252   std::unique_ptr<unsigned[]> LocNos;
253   uint8_t LocNoCount : 6;
254   bool WasIndirect : 1;
255   bool WasList : 1;
256   const DIExpression *Expression = nullptr;
257 };
258 } // namespace
259 
260 /// Map of where a user value is live to that value.
261 using LocMap = IntervalMap<SlotIndex, DbgVariableValue, 4>;
262 
263 /// Map of stack slot offsets for spilled locations.
264 /// Non-spilled locations are not added to the map.
265 using SpillOffsetMap = DenseMap<unsigned, unsigned>;
266 
267 /// Cache to save the location where it can be used as the starting
268 /// position as input for calling MachineBasicBlock::SkipPHIsLabelsAndDebug.
269 /// This is to prevent MachineBasicBlock::SkipPHIsLabelsAndDebug from
270 /// repeatedly searching the same set of PHIs/Labels/Debug instructions
271 /// if it is called many times for the same block.
272 using BlockSkipInstsMap =
273     DenseMap<MachineBasicBlock *, MachineBasicBlock::iterator>;
274 
275 namespace {
276 
277 class LDVImpl;
278 
279 /// A user value is a part of a debug info user variable.
280 ///
281 /// A DBG_VALUE instruction notes that (a sub-register of) a virtual register
282 /// holds part of a user variable. The part is identified by a byte offset.
283 ///
284 /// UserValues are grouped into equivalence classes for easier searching. Two
285 /// user values are related if they are held by the same virtual register. The
286 /// equivalence class is the transitive closure of that relation.
287 class UserValue {
288   const DILocalVariable *Variable; ///< The debug info variable we are part of.
289   /// The part of the variable we describe.
290   const std::optional<DIExpression::FragmentInfo> Fragment;
291   DebugLoc dl;            ///< The debug location for the variable. This is
292                           ///< used by dwarf writer to find lexical scope.
293   UserValue *leader;      ///< Equivalence class leader.
294   UserValue *next = nullptr; ///< Next value in equivalence class, or null.
295 
296   /// Numbered locations referenced by locmap.
297   SmallVector<MachineOperand, 4> locations;
298 
299   /// Map of slot indices where this value is live.
300   LocMap locInts;
301 
302   /// Set of interval start indexes that have been trimmed to the
303   /// lexical scope.
304   SmallSet<SlotIndex, 2> trimmedDefs;
305 
306   /// Insert a DBG_VALUE into MBB at Idx for DbgValue.
307   void insertDebugValue(MachineBasicBlock *MBB, SlotIndex StartIdx,
308                         SlotIndex StopIdx, DbgVariableValue DbgValue,
309                         ArrayRef<bool> LocSpills,
310                         ArrayRef<unsigned> SpillOffsets, LiveIntervals &LIS,
311                         const TargetInstrInfo &TII,
312                         const TargetRegisterInfo &TRI,
313                         BlockSkipInstsMap &BBSkipInstsMap);
314 
315   /// Replace OldLocNo ranges with NewRegs ranges where NewRegs
316   /// is live. Returns true if any changes were made.
317   bool splitLocation(unsigned OldLocNo, ArrayRef<Register> NewRegs,
318                      LiveIntervals &LIS);
319 
320 public:
321   /// Create a new UserValue.
322   UserValue(const DILocalVariable *var,
323             std::optional<DIExpression::FragmentInfo> Fragment, DebugLoc L,
324             LocMap::Allocator &alloc)
325       : Variable(var), Fragment(Fragment), dl(std::move(L)), leader(this),
326         locInts(alloc) {}
327 
328   /// Get the leader of this value's equivalence class.
329   UserValue *getLeader() {
330     UserValue *l = leader;
331     while (l != l->leader)
332       l = l->leader;
333     return leader = l;
334   }
335 
336   /// Return the next UserValue in the equivalence class.
337   UserValue *getNext() const { return next; }
338 
339   /// Merge equivalence classes.
340   static UserValue *merge(UserValue *L1, UserValue *L2) {
341     L2 = L2->getLeader();
342     if (!L1)
343       return L2;
344     L1 = L1->getLeader();
345     if (L1 == L2)
346       return L1;
347     // Splice L2 before L1's members.
348     UserValue *End = L2;
349     while (End->next) {
350       End->leader = L1;
351       End = End->next;
352     }
353     End->leader = L1;
354     End->next = L1->next;
355     L1->next = L2;
356     return L1;
357   }
358 
359   /// Return the location number that matches Loc.
360   ///
361   /// For undef values we always return location number UndefLocNo without
362   /// inserting anything in locations. Since locations is a vector and the
363   /// location number is the position in the vector and UndefLocNo is ~0,
364   /// we would need a very big vector to put the value at the right position.
365   unsigned getLocationNo(const MachineOperand &LocMO) {
366     if (LocMO.isReg()) {
367       if (LocMO.getReg() == 0)
368         return UndefLocNo;
369       // For register locations we dont care about use/def and other flags.
370       for (unsigned i = 0, e = locations.size(); i != e; ++i)
371         if (locations[i].isReg() &&
372             locations[i].getReg() == LocMO.getReg() &&
373             locations[i].getSubReg() == LocMO.getSubReg())
374           return i;
375     } else
376       for (unsigned i = 0, e = locations.size(); i != e; ++i)
377         if (LocMO.isIdenticalTo(locations[i]))
378           return i;
379     locations.push_back(LocMO);
380     // We are storing a MachineOperand outside a MachineInstr.
381     locations.back().clearParent();
382     // Don't store def operands.
383     if (locations.back().isReg()) {
384       if (locations.back().isDef())
385         locations.back().setIsDead(false);
386       locations.back().setIsUse();
387     }
388     return locations.size() - 1;
389   }
390 
391   /// Remove (recycle) a location number. If \p LocNo still is used by the
392   /// locInts nothing is done.
393   void removeLocationIfUnused(unsigned LocNo) {
394     // Bail out if LocNo still is used.
395     for (LocMap::const_iterator I = locInts.begin(); I.valid(); ++I) {
396       const DbgVariableValue &DbgValue = I.value();
397       if (DbgValue.containsLocNo(LocNo))
398         return;
399     }
400     // Remove the entry in the locations vector, and adjust all references to
401     // location numbers above the removed entry.
402     locations.erase(locations.begin() + LocNo);
403     for (LocMap::iterator I = locInts.begin(); I.valid(); ++I) {
404       const DbgVariableValue &DbgValue = I.value();
405       if (DbgValue.hasLocNoGreaterThan(LocNo))
406         I.setValueUnchecked(DbgValue.decrementLocNosAfterPivot(LocNo));
407     }
408   }
409 
410   /// Ensure that all virtual register locations are mapped.
411   void mapVirtRegs(LDVImpl *LDV);
412 
413   /// Add a definition point to this user value.
414   void addDef(SlotIndex Idx, ArrayRef<MachineOperand> LocMOs, bool IsIndirect,
415               bool IsList, const DIExpression &Expr) {
416     SmallVector<unsigned> Locs;
417     for (const MachineOperand &Op : LocMOs)
418       Locs.push_back(getLocationNo(Op));
419     DbgVariableValue DbgValue(Locs, IsIndirect, IsList, Expr);
420     // Add a singular (Idx,Idx) -> value mapping.
421     LocMap::iterator I = locInts.find(Idx);
422     if (!I.valid() || I.start() != Idx)
423       I.insert(Idx, Idx.getNextSlot(), std::move(DbgValue));
424     else
425       // A later DBG_VALUE at the same SlotIndex overrides the old location.
426       I.setValue(std::move(DbgValue));
427   }
428 
429   /// Extend the current definition as far as possible down.
430   ///
431   /// Stop when meeting an existing def or when leaving the live
432   /// range of VNI. End points where VNI is no longer live are added to Kills.
433   ///
434   /// We only propagate DBG_VALUES locally here. LiveDebugValues performs a
435   /// data-flow analysis to propagate them beyond basic block boundaries.
436   ///
437   /// \param Idx Starting point for the definition.
438   /// \param DbgValue value to propagate.
439   /// \param LiveIntervalInfo For each location number key in this map,
440   /// restricts liveness to where the LiveRange has the value equal to the\
441   /// VNInfo.
442   /// \param [out] Kills Append end points of VNI's live range to Kills.
443   /// \param LIS Live intervals analysis.
444   void
445   extendDef(SlotIndex Idx, DbgVariableValue DbgValue,
446             SmallDenseMap<unsigned, std::pair<LiveRange *, const VNInfo *>>
447                 &LiveIntervalInfo,
448             std::optional<std::pair<SlotIndex, SmallVector<unsigned>>> &Kills,
449             LiveIntervals &LIS);
450 
451   /// The value in LI may be copies to other registers. Determine if
452   /// any of the copies are available at the kill points, and add defs if
453   /// possible.
454   ///
455   /// \param DbgValue Location number of LI->reg, and DIExpression.
456   /// \param LocIntervals Scan for copies of the value for each location in the
457   /// corresponding LiveInterval->reg.
458   /// \param KilledAt The point where the range of DbgValue could be extended.
459   /// \param [in,out] NewDefs Append (Idx, DbgValue) of inserted defs here.
460   void addDefsFromCopies(
461       DbgVariableValue DbgValue,
462       SmallVectorImpl<std::pair<unsigned, LiveInterval *>> &LocIntervals,
463       SlotIndex KilledAt,
464       SmallVectorImpl<std::pair<SlotIndex, DbgVariableValue>> &NewDefs,
465       MachineRegisterInfo &MRI, LiveIntervals &LIS);
466 
467   /// Compute the live intervals of all locations after collecting all their
468   /// def points.
469   void computeIntervals(MachineRegisterInfo &MRI, const TargetRegisterInfo &TRI,
470                         LiveIntervals &LIS, LexicalScopes &LS);
471 
472   /// Replace OldReg ranges with NewRegs ranges where NewRegs is
473   /// live. Returns true if any changes were made.
474   bool splitRegister(Register OldReg, ArrayRef<Register> NewRegs,
475                      LiveIntervals &LIS);
476 
477   /// Rewrite virtual register locations according to the provided virtual
478   /// register map. Record the stack slot offsets for the locations that
479   /// were spilled.
480   void rewriteLocations(VirtRegMap &VRM, const MachineFunction &MF,
481                         const TargetInstrInfo &TII,
482                         const TargetRegisterInfo &TRI,
483                         SpillOffsetMap &SpillOffsets);
484 
485   /// Recreate DBG_VALUE instruction from data structures.
486   void emitDebugValues(VirtRegMap *VRM, LiveIntervals &LIS,
487                        const TargetInstrInfo &TII,
488                        const TargetRegisterInfo &TRI,
489                        const SpillOffsetMap &SpillOffsets,
490                        BlockSkipInstsMap &BBSkipInstsMap);
491 
492   /// Return DebugLoc of this UserValue.
493   const DebugLoc &getDebugLoc() { return dl; }
494 
495   void print(raw_ostream &, const TargetRegisterInfo *);
496 };
497 
498 /// A user label is a part of a debug info user label.
499 class UserLabel {
500   const DILabel *Label; ///< The debug info label we are part of.
501   DebugLoc dl;          ///< The debug location for the label. This is
502                         ///< used by dwarf writer to find lexical scope.
503   SlotIndex loc;        ///< Slot used by the debug label.
504 
505   /// Insert a DBG_LABEL into MBB at Idx.
506   void insertDebugLabel(MachineBasicBlock *MBB, SlotIndex Idx,
507                         LiveIntervals &LIS, const TargetInstrInfo &TII,
508                         BlockSkipInstsMap &BBSkipInstsMap);
509 
510 public:
511   /// Create a new UserLabel.
512   UserLabel(const DILabel *label, DebugLoc L, SlotIndex Idx)
513       : Label(label), dl(std::move(L)), loc(Idx) {}
514 
515   /// Does this UserLabel match the parameters?
516   bool matches(const DILabel *L, const DILocation *IA,
517              const SlotIndex Index) const {
518     return Label == L && dl->getInlinedAt() == IA && loc == Index;
519   }
520 
521   /// Recreate DBG_LABEL instruction from data structures.
522   void emitDebugLabel(LiveIntervals &LIS, const TargetInstrInfo &TII,
523                       BlockSkipInstsMap &BBSkipInstsMap);
524 
525   /// Return DebugLoc of this UserLabel.
526   const DebugLoc &getDebugLoc() { return dl; }
527 
528   void print(raw_ostream &, const TargetRegisterInfo *);
529 };
530 
531 /// Implementation of the LiveDebugVariables pass.
532 class LDVImpl {
533   LiveDebugVariables &pass;
534   LocMap::Allocator allocator;
535   MachineFunction *MF = nullptr;
536   LiveIntervals *LIS;
537   const TargetRegisterInfo *TRI;
538 
539   /// Position and VReg of a PHI instruction during register allocation.
540   struct PHIValPos {
541     SlotIndex SI;    /// Slot where this PHI occurs.
542     Register Reg;    /// VReg this PHI occurs in.
543     unsigned SubReg; /// Qualifiying subregister for Reg.
544   };
545 
546   /// Map from debug instruction number to PHI position during allocation.
547   std::map<unsigned, PHIValPos> PHIValToPos;
548   /// Index of, for each VReg, which debug instruction numbers and corresponding
549   /// PHIs are sensitive to splitting. Each VReg may have multiple PHI defs,
550   /// at different positions.
551   DenseMap<Register, std::vector<unsigned>> RegToPHIIdx;
552 
553   /// Record for any debug instructions unlinked from their blocks during
554   /// regalloc. Stores the instr and it's location, so that they can be
555   /// re-inserted after regalloc is over.
556   struct InstrPos {
557     MachineInstr *MI;       ///< Debug instruction, unlinked from it's block.
558     SlotIndex Idx;          ///< Slot position where MI should be re-inserted.
559     MachineBasicBlock *MBB; ///< Block that MI was in.
560   };
561 
562   /// Collection of stored debug instructions, preserved until after regalloc.
563   SmallVector<InstrPos, 32> StashedDebugInstrs;
564 
565   /// Whether emitDebugValues is called.
566   bool EmitDone = false;
567 
568   /// Whether the machine function is modified during the pass.
569   bool ModifiedMF = false;
570 
571   /// All allocated UserValue instances.
572   SmallVector<std::unique_ptr<UserValue>, 8> userValues;
573 
574   /// All allocated UserLabel instances.
575   SmallVector<std::unique_ptr<UserLabel>, 2> userLabels;
576 
577   /// Map virtual register to eq class leader.
578   using VRMap = DenseMap<unsigned, UserValue *>;
579   VRMap virtRegToEqClass;
580 
581   /// Map to find existing UserValue instances.
582   using UVMap = DenseMap<DebugVariable, UserValue *>;
583   UVMap userVarMap;
584 
585   /// Find or create a UserValue.
586   UserValue *getUserValue(const DILocalVariable *Var,
587                           std::optional<DIExpression::FragmentInfo> Fragment,
588                           const DebugLoc &DL);
589 
590   /// Find the EC leader for VirtReg or null.
591   UserValue *lookupVirtReg(Register VirtReg);
592 
593   /// Add DBG_VALUE instruction to our maps.
594   ///
595   /// \param MI DBG_VALUE instruction
596   /// \param Idx Last valid SLotIndex before instruction.
597   ///
598   /// \returns True if the DBG_VALUE instruction should be deleted.
599   bool handleDebugValue(MachineInstr &MI, SlotIndex Idx);
600 
601   /// Track variable location debug instructions while using the instruction
602   /// referencing implementation. Such debug instructions do not need to be
603   /// updated during regalloc because they identify instructions rather than
604   /// register locations. However, they needs to be removed from the
605   /// MachineFunction during regalloc, then re-inserted later, to avoid
606   /// disrupting the allocator.
607   ///
608   /// \param MI Any DBG_VALUE / DBG_INSTR_REF / DBG_PHI instruction
609   /// \param Idx Last valid SlotIndex before instruction
610   ///
611   /// \returns Iterator to continue processing from after unlinking.
612   MachineBasicBlock::iterator handleDebugInstr(MachineInstr &MI, SlotIndex Idx);
613 
614   /// Add DBG_LABEL instruction to UserLabel.
615   ///
616   /// \param MI DBG_LABEL instruction
617   /// \param Idx Last valid SlotIndex before instruction.
618   ///
619   /// \returns True if the DBG_LABEL instruction should be deleted.
620   bool handleDebugLabel(MachineInstr &MI, SlotIndex Idx);
621 
622   /// Collect and erase all DBG_VALUE instructions, adding a UserValue def
623   /// for each instruction.
624   ///
625   /// \param mf MachineFunction to be scanned.
626   /// \param InstrRef Whether to operate in instruction referencing mode. If
627   ///        true, most of LiveDebugVariables doesn't run.
628   ///
629   /// \returns True if any debug values were found.
630   bool collectDebugValues(MachineFunction &mf, bool InstrRef);
631 
632   /// Compute the live intervals of all user values after collecting all
633   /// their def points.
634   void computeIntervals();
635 
636 public:
637   LDVImpl(LiveDebugVariables *ps) : pass(*ps) {}
638 
639   bool runOnMachineFunction(MachineFunction &mf, bool InstrRef);
640 
641   /// Release all memory.
642   void clear() {
643     MF = nullptr;
644     PHIValToPos.clear();
645     RegToPHIIdx.clear();
646     StashedDebugInstrs.clear();
647     userValues.clear();
648     userLabels.clear();
649     virtRegToEqClass.clear();
650     userVarMap.clear();
651     // Make sure we call emitDebugValues if the machine function was modified.
652     assert((!ModifiedMF || EmitDone) &&
653            "Dbg values are not emitted in LDV");
654     EmitDone = false;
655     ModifiedMF = false;
656   }
657 
658   /// Map virtual register to an equivalence class.
659   void mapVirtReg(Register VirtReg, UserValue *EC);
660 
661   /// Replace any PHI referring to OldReg with its corresponding NewReg, if
662   /// present.
663   void splitPHIRegister(Register OldReg, ArrayRef<Register> NewRegs);
664 
665   /// Replace all references to OldReg with NewRegs.
666   void splitRegister(Register OldReg, ArrayRef<Register> NewRegs);
667 
668   /// Recreate DBG_VALUE instruction from data structures.
669   void emitDebugValues(VirtRegMap *VRM);
670 
671   void print(raw_ostream&);
672 };
673 
674 } // end anonymous namespace
675 
676 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
677 static void printDebugLoc(const DebugLoc &DL, raw_ostream &CommentOS,
678                           const LLVMContext &Ctx) {
679   if (!DL)
680     return;
681 
682   auto *Scope = cast<DIScope>(DL.getScope());
683   // Omit the directory, because it's likely to be long and uninteresting.
684   CommentOS << Scope->getFilename();
685   CommentOS << ':' << DL.getLine();
686   if (DL.getCol() != 0)
687     CommentOS << ':' << DL.getCol();
688 
689   DebugLoc InlinedAtDL = DL.getInlinedAt();
690   if (!InlinedAtDL)
691     return;
692 
693   CommentOS << " @[ ";
694   printDebugLoc(InlinedAtDL, CommentOS, Ctx);
695   CommentOS << " ]";
696 }
697 
698 static void printExtendedName(raw_ostream &OS, const DINode *Node,
699                               const DILocation *DL) {
700   const LLVMContext &Ctx = Node->getContext();
701   StringRef Res;
702   unsigned Line = 0;
703   if (const auto *V = dyn_cast<const DILocalVariable>(Node)) {
704     Res = V->getName();
705     Line = V->getLine();
706   } else if (const auto *L = dyn_cast<const DILabel>(Node)) {
707     Res = L->getName();
708     Line = L->getLine();
709   }
710 
711   if (!Res.empty())
712     OS << Res << "," << Line;
713   auto *InlinedAt = DL ? DL->getInlinedAt() : nullptr;
714   if (InlinedAt) {
715     if (DebugLoc InlinedAtDL = InlinedAt) {
716       OS << " @[";
717       printDebugLoc(InlinedAtDL, OS, Ctx);
718       OS << "]";
719     }
720   }
721 }
722 
723 void UserValue::print(raw_ostream &OS, const TargetRegisterInfo *TRI) {
724   OS << "!\"";
725   printExtendedName(OS, Variable, dl);
726 
727   OS << "\"\t";
728   for (LocMap::const_iterator I = locInts.begin(); I.valid(); ++I) {
729     OS << " [" << I.start() << ';' << I.stop() << "):";
730     if (I.value().isUndef())
731       OS << " undef";
732     else {
733       I.value().printLocNos(OS);
734       if (I.value().getWasIndirect())
735         OS << " ind";
736       else if (I.value().getWasList())
737         OS << " list";
738     }
739   }
740   for (unsigned i = 0, e = locations.size(); i != e; ++i) {
741     OS << " Loc" << i << '=';
742     locations[i].print(OS, TRI);
743   }
744   OS << '\n';
745 }
746 
747 void UserLabel::print(raw_ostream &OS, const TargetRegisterInfo *TRI) {
748   OS << "!\"";
749   printExtendedName(OS, Label, dl);
750 
751   OS << "\"\t";
752   OS << loc;
753   OS << '\n';
754 }
755 
756 void LDVImpl::print(raw_ostream &OS) {
757   OS << "********** DEBUG VARIABLES **********\n";
758   for (auto &userValue : userValues)
759     userValue->print(OS, TRI);
760   OS << "********** DEBUG LABELS **********\n";
761   for (auto &userLabel : userLabels)
762     userLabel->print(OS, TRI);
763 }
764 #endif
765 
766 void UserValue::mapVirtRegs(LDVImpl *LDV) {
767   for (unsigned i = 0, e = locations.size(); i != e; ++i)
768     if (locations[i].isReg() &&
769         Register::isVirtualRegister(locations[i].getReg()))
770       LDV->mapVirtReg(locations[i].getReg(), this);
771 }
772 
773 UserValue *
774 LDVImpl::getUserValue(const DILocalVariable *Var,
775                       std::optional<DIExpression::FragmentInfo> Fragment,
776                       const DebugLoc &DL) {
777   // FIXME: Handle partially overlapping fragments. See
778   // https://reviews.llvm.org/D70121#1849741.
779   DebugVariable ID(Var, Fragment, DL->getInlinedAt());
780   UserValue *&UV = userVarMap[ID];
781   if (!UV) {
782     userValues.push_back(
783         std::make_unique<UserValue>(Var, Fragment, DL, allocator));
784     UV = userValues.back().get();
785   }
786   return UV;
787 }
788 
789 void LDVImpl::mapVirtReg(Register VirtReg, UserValue *EC) {
790   assert(Register::isVirtualRegister(VirtReg) && "Only map VirtRegs");
791   UserValue *&Leader = virtRegToEqClass[VirtReg];
792   Leader = UserValue::merge(Leader, EC);
793 }
794 
795 UserValue *LDVImpl::lookupVirtReg(Register VirtReg) {
796   if (UserValue *UV = virtRegToEqClass.lookup(VirtReg))
797     return UV->getLeader();
798   return nullptr;
799 }
800 
801 bool LDVImpl::handleDebugValue(MachineInstr &MI, SlotIndex Idx) {
802   // DBG_VALUE loc, offset, variable, expr
803   // DBG_VALUE_LIST variable, expr, locs...
804   if (!MI.isDebugValue()) {
805     LLVM_DEBUG(dbgs() << "Can't handle non-DBG_VALUE*: " << MI);
806     return false;
807   }
808   if (!MI.getDebugVariableOp().isMetadata()) {
809     LLVM_DEBUG(dbgs() << "Can't handle DBG_VALUE* with invalid variable: "
810                       << MI);
811     return false;
812   }
813   if (MI.isNonListDebugValue() &&
814       (MI.getNumOperands() != 4 ||
815        !(MI.getDebugOffset().isImm() || MI.getDebugOffset().isReg()))) {
816     LLVM_DEBUG(dbgs() << "Can't handle malformed DBG_VALUE: " << MI);
817     return false;
818   }
819 
820   // Detect invalid DBG_VALUE instructions, with a debug-use of a virtual
821   // register that hasn't been defined yet. If we do not remove those here, then
822   // the re-insertion of the DBG_VALUE instruction after register allocation
823   // will be incorrect.
824   bool Discard = false;
825   for (const MachineOperand &Op : MI.debug_operands()) {
826     if (Op.isReg() && Register::isVirtualRegister(Op.getReg())) {
827       const Register Reg = Op.getReg();
828       if (!LIS->hasInterval(Reg)) {
829         // The DBG_VALUE is described by a virtual register that does not have a
830         // live interval. Discard the DBG_VALUE.
831         Discard = true;
832         LLVM_DEBUG(dbgs() << "Discarding debug info (no LIS interval): " << Idx
833                           << " " << MI);
834       } else {
835         // The DBG_VALUE is only valid if either Reg is live out from Idx, or
836         // Reg is defined dead at Idx (where Idx is the slot index for the
837         // instruction preceding the DBG_VALUE).
838         const LiveInterval &LI = LIS->getInterval(Reg);
839         LiveQueryResult LRQ = LI.Query(Idx);
840         if (!LRQ.valueOutOrDead()) {
841           // We have found a DBG_VALUE with the value in a virtual register that
842           // is not live. Discard the DBG_VALUE.
843           Discard = true;
844           LLVM_DEBUG(dbgs() << "Discarding debug info (reg not live): " << Idx
845                             << " " << MI);
846         }
847       }
848     }
849   }
850 
851   // Get or create the UserValue for (variable,offset) here.
852   bool IsIndirect = MI.isDebugOffsetImm();
853   if (IsIndirect)
854     assert(MI.getDebugOffset().getImm() == 0 &&
855            "DBG_VALUE with nonzero offset");
856   bool IsList = MI.isDebugValueList();
857   const DILocalVariable *Var = MI.getDebugVariable();
858   const DIExpression *Expr = MI.getDebugExpression();
859   UserValue *UV = getUserValue(Var, Expr->getFragmentInfo(), MI.getDebugLoc());
860   if (!Discard)
861     UV->addDef(Idx,
862                ArrayRef<MachineOperand>(MI.debug_operands().begin(),
863                                         MI.debug_operands().end()),
864                IsIndirect, IsList, *Expr);
865   else {
866     MachineOperand MO = MachineOperand::CreateReg(0U, false);
867     MO.setIsDebug();
868     // We should still pass a list the same size as MI.debug_operands() even if
869     // all MOs are undef, so that DbgVariableValue can correctly adjust the
870     // expression while removing the duplicated undefs.
871     SmallVector<MachineOperand, 4> UndefMOs(MI.getNumDebugOperands(), MO);
872     UV->addDef(Idx, UndefMOs, false, IsList, *Expr);
873   }
874   return true;
875 }
876 
877 MachineBasicBlock::iterator LDVImpl::handleDebugInstr(MachineInstr &MI,
878                                                       SlotIndex Idx) {
879   assert(MI.isDebugValue() || MI.isDebugRef() || MI.isDebugPHI());
880 
881   // In instruction referencing mode, there should be no DBG_VALUE instructions
882   // that refer to virtual registers. They might still refer to constants.
883   if (MI.isDebugValue())
884     assert(!MI.getOperand(0).isReg() || !MI.getOperand(0).getReg().isVirtual());
885 
886   // Unlink the instruction, store it in the debug instructions collection.
887   auto NextInst = std::next(MI.getIterator());
888   auto *MBB = MI.getParent();
889   MI.removeFromParent();
890   StashedDebugInstrs.push_back({&MI, Idx, MBB});
891   return NextInst;
892 }
893 
894 bool LDVImpl::handleDebugLabel(MachineInstr &MI, SlotIndex Idx) {
895   // DBG_LABEL label
896   if (MI.getNumOperands() != 1 || !MI.getOperand(0).isMetadata()) {
897     LLVM_DEBUG(dbgs() << "Can't handle " << MI);
898     return false;
899   }
900 
901   // Get or create the UserLabel for label here.
902   const DILabel *Label = MI.getDebugLabel();
903   const DebugLoc &DL = MI.getDebugLoc();
904   bool Found = false;
905   for (auto const &L : userLabels) {
906     if (L->matches(Label, DL->getInlinedAt(), Idx)) {
907       Found = true;
908       break;
909     }
910   }
911   if (!Found)
912     userLabels.push_back(std::make_unique<UserLabel>(Label, DL, Idx));
913 
914   return true;
915 }
916 
917 bool LDVImpl::collectDebugValues(MachineFunction &mf, bool InstrRef) {
918   bool Changed = false;
919   for (MachineBasicBlock &MBB : mf) {
920     for (MachineBasicBlock::iterator MBBI = MBB.begin(), MBBE = MBB.end();
921          MBBI != MBBE;) {
922       // Use the first debug instruction in the sequence to get a SlotIndex
923       // for following consecutive debug instructions.
924       if (!MBBI->isDebugOrPseudoInstr()) {
925         ++MBBI;
926         continue;
927       }
928       // Debug instructions has no slot index. Use the previous
929       // non-debug instruction's SlotIndex as its SlotIndex.
930       SlotIndex Idx =
931           MBBI == MBB.begin()
932               ? LIS->getMBBStartIdx(&MBB)
933               : LIS->getInstructionIndex(*std::prev(MBBI)).getRegSlot();
934       // Handle consecutive debug instructions with the same slot index.
935       do {
936         // In instruction referencing mode, pass each instr to handleDebugInstr
937         // to be unlinked. Ignore DBG_VALUE_LISTs -- they refer to vregs, and
938         // need to go through the normal live interval splitting process.
939         if (InstrRef && (MBBI->isNonListDebugValue() || MBBI->isDebugPHI() ||
940                          MBBI->isDebugRef())) {
941           MBBI = handleDebugInstr(*MBBI, Idx);
942           Changed = true;
943         // In normal debug mode, use the dedicated DBG_VALUE / DBG_LABEL handler
944         // to track things through register allocation, and erase the instr.
945         } else if ((MBBI->isDebugValue() && handleDebugValue(*MBBI, Idx)) ||
946                    (MBBI->isDebugLabel() && handleDebugLabel(*MBBI, Idx))) {
947           MBBI = MBB.erase(MBBI);
948           Changed = true;
949         } else
950           ++MBBI;
951       } while (MBBI != MBBE && MBBI->isDebugOrPseudoInstr());
952     }
953   }
954   return Changed;
955 }
956 
957 void UserValue::extendDef(
958     SlotIndex Idx, DbgVariableValue DbgValue,
959     SmallDenseMap<unsigned, std::pair<LiveRange *, const VNInfo *>>
960         &LiveIntervalInfo,
961     std::optional<std::pair<SlotIndex, SmallVector<unsigned>>> &Kills,
962     LiveIntervals &LIS) {
963   SlotIndex Start = Idx;
964   MachineBasicBlock *MBB = LIS.getMBBFromIndex(Start);
965   SlotIndex Stop = LIS.getMBBEndIdx(MBB);
966   LocMap::iterator I = locInts.find(Start);
967 
968   // Limit to the intersection of the VNIs' live ranges.
969   for (auto &LII : LiveIntervalInfo) {
970     LiveRange *LR = LII.second.first;
971     assert(LR && LII.second.second && "Missing range info for Idx.");
972     LiveInterval::Segment *Segment = LR->getSegmentContaining(Start);
973     assert(Segment && Segment->valno == LII.second.second &&
974            "Invalid VNInfo for Idx given?");
975     if (Segment->end < Stop) {
976       Stop = Segment->end;
977       Kills = {Stop, {LII.first}};
978     } else if (Segment->end == Stop && Kills) {
979       // If multiple locations end at the same place, track all of them in
980       // Kills.
981       Kills->second.push_back(LII.first);
982     }
983   }
984 
985   // There could already be a short def at Start.
986   if (I.valid() && I.start() <= Start) {
987     // Stop when meeting a different location or an already extended interval.
988     Start = Start.getNextSlot();
989     if (I.value() != DbgValue || I.stop() != Start) {
990       // Clear `Kills`, as we have a new def available.
991       Kills = std::nullopt;
992       return;
993     }
994     // This is a one-slot placeholder. Just skip it.
995     ++I;
996   }
997 
998   // Limited by the next def.
999   if (I.valid() && I.start() < Stop) {
1000     Stop = I.start();
1001     // Clear `Kills`, as we have a new def available.
1002     Kills = std::nullopt;
1003   }
1004 
1005   if (Start < Stop) {
1006     DbgVariableValue ExtDbgValue(DbgValue);
1007     I.insert(Start, Stop, std::move(ExtDbgValue));
1008   }
1009 }
1010 
1011 void UserValue::addDefsFromCopies(
1012     DbgVariableValue DbgValue,
1013     SmallVectorImpl<std::pair<unsigned, LiveInterval *>> &LocIntervals,
1014     SlotIndex KilledAt,
1015     SmallVectorImpl<std::pair<SlotIndex, DbgVariableValue>> &NewDefs,
1016     MachineRegisterInfo &MRI, LiveIntervals &LIS) {
1017   // Don't track copies from physregs, there are too many uses.
1018   if (any_of(LocIntervals, [](auto LocI) {
1019         return !Register::isVirtualRegister(LocI.second->reg());
1020       }))
1021     return;
1022 
1023   // Collect all the (vreg, valno) pairs that are copies of LI.
1024   SmallDenseMap<unsigned,
1025                 SmallVector<std::pair<LiveInterval *, const VNInfo *>, 4>>
1026       CopyValues;
1027   for (auto &LocInterval : LocIntervals) {
1028     unsigned LocNo = LocInterval.first;
1029     LiveInterval *LI = LocInterval.second;
1030     for (MachineOperand &MO : MRI.use_nodbg_operands(LI->reg())) {
1031       MachineInstr *MI = MO.getParent();
1032       // Copies of the full value.
1033       if (MO.getSubReg() || !MI->isCopy())
1034         continue;
1035       Register DstReg = MI->getOperand(0).getReg();
1036 
1037       // Don't follow copies to physregs. These are usually setting up call
1038       // arguments, and the argument registers are always call clobbered. We are
1039       // better off in the source register which could be a callee-saved
1040       // register, or it could be spilled.
1041       if (!Register::isVirtualRegister(DstReg))
1042         continue;
1043 
1044       // Is the value extended to reach this copy? If not, another def may be
1045       // blocking it, or we are looking at a wrong value of LI.
1046       SlotIndex Idx = LIS.getInstructionIndex(*MI);
1047       LocMap::iterator I = locInts.find(Idx.getRegSlot(true));
1048       if (!I.valid() || I.value() != DbgValue)
1049         continue;
1050 
1051       if (!LIS.hasInterval(DstReg))
1052         continue;
1053       LiveInterval *DstLI = &LIS.getInterval(DstReg);
1054       const VNInfo *DstVNI = DstLI->getVNInfoAt(Idx.getRegSlot());
1055       assert(DstVNI && DstVNI->def == Idx.getRegSlot() && "Bad copy value");
1056       CopyValues[LocNo].push_back(std::make_pair(DstLI, DstVNI));
1057     }
1058   }
1059 
1060   if (CopyValues.empty())
1061     return;
1062 
1063 #if !defined(NDEBUG)
1064   for (auto &LocInterval : LocIntervals)
1065     LLVM_DEBUG(dbgs() << "Got " << CopyValues[LocInterval.first].size()
1066                       << " copies of " << *LocInterval.second << '\n');
1067 #endif
1068 
1069   // Try to add defs of the copied values for the kill point. Check that there
1070   // isn't already a def at Idx.
1071   LocMap::iterator I = locInts.find(KilledAt);
1072   if (I.valid() && I.start() <= KilledAt)
1073     return;
1074   DbgVariableValue NewValue(DbgValue);
1075   for (auto &LocInterval : LocIntervals) {
1076     unsigned LocNo = LocInterval.first;
1077     bool FoundCopy = false;
1078     for (auto &LIAndVNI : CopyValues[LocNo]) {
1079       LiveInterval *DstLI = LIAndVNI.first;
1080       const VNInfo *DstVNI = LIAndVNI.second;
1081       if (DstLI->getVNInfoAt(KilledAt) != DstVNI)
1082         continue;
1083       LLVM_DEBUG(dbgs() << "Kill at " << KilledAt << " covered by valno #"
1084                         << DstVNI->id << " in " << *DstLI << '\n');
1085       MachineInstr *CopyMI = LIS.getInstructionFromIndex(DstVNI->def);
1086       assert(CopyMI && CopyMI->isCopy() && "Bad copy value");
1087       unsigned NewLocNo = getLocationNo(CopyMI->getOperand(0));
1088       NewValue = NewValue.changeLocNo(LocNo, NewLocNo);
1089       FoundCopy = true;
1090       break;
1091     }
1092     // If there are any killed locations we can't find a copy for, we can't
1093     // extend the variable value.
1094     if (!FoundCopy)
1095       return;
1096   }
1097   I.insert(KilledAt, KilledAt.getNextSlot(), NewValue);
1098   NewDefs.push_back(std::make_pair(KilledAt, NewValue));
1099 }
1100 
1101 void UserValue::computeIntervals(MachineRegisterInfo &MRI,
1102                                  const TargetRegisterInfo &TRI,
1103                                  LiveIntervals &LIS, LexicalScopes &LS) {
1104   SmallVector<std::pair<SlotIndex, DbgVariableValue>, 16> Defs;
1105 
1106   // Collect all defs to be extended (Skipping undefs).
1107   for (LocMap::const_iterator I = locInts.begin(); I.valid(); ++I)
1108     if (!I.value().isUndef())
1109       Defs.push_back(std::make_pair(I.start(), I.value()));
1110 
1111   // Extend all defs, and possibly add new ones along the way.
1112   for (unsigned i = 0; i != Defs.size(); ++i) {
1113     SlotIndex Idx = Defs[i].first;
1114     DbgVariableValue DbgValue = Defs[i].second;
1115     SmallDenseMap<unsigned, std::pair<LiveRange *, const VNInfo *>> LIs;
1116     SmallVector<const VNInfo *, 4> VNIs;
1117     bool ShouldExtendDef = false;
1118     for (unsigned LocNo : DbgValue.loc_nos()) {
1119       const MachineOperand &LocMO = locations[LocNo];
1120       if (!LocMO.isReg() || !Register::isVirtualRegister(LocMO.getReg())) {
1121         ShouldExtendDef |= !LocMO.isReg();
1122         continue;
1123       }
1124       ShouldExtendDef = true;
1125       LiveInterval *LI = nullptr;
1126       const VNInfo *VNI = nullptr;
1127       if (LIS.hasInterval(LocMO.getReg())) {
1128         LI = &LIS.getInterval(LocMO.getReg());
1129         VNI = LI->getVNInfoAt(Idx);
1130       }
1131       if (LI && VNI)
1132         LIs[LocNo] = {LI, VNI};
1133     }
1134     if (ShouldExtendDef) {
1135       std::optional<std::pair<SlotIndex, SmallVector<unsigned>>> Kills;
1136       extendDef(Idx, DbgValue, LIs, Kills, LIS);
1137 
1138       if (Kills) {
1139         SmallVector<std::pair<unsigned, LiveInterval *>, 2> KilledLocIntervals;
1140         bool AnySubreg = false;
1141         for (unsigned LocNo : Kills->second) {
1142           const MachineOperand &LocMO = this->locations[LocNo];
1143           if (LocMO.getSubReg()) {
1144             AnySubreg = true;
1145             break;
1146           }
1147           LiveInterval *LI = &LIS.getInterval(LocMO.getReg());
1148           KilledLocIntervals.push_back({LocNo, LI});
1149         }
1150 
1151         // FIXME: Handle sub-registers in addDefsFromCopies. The problem is that
1152         // if the original location for example is %vreg0:sub_hi, and we find a
1153         // full register copy in addDefsFromCopies (at the moment it only
1154         // handles full register copies), then we must add the sub1 sub-register
1155         // index to the new location. However, that is only possible if the new
1156         // virtual register is of the same regclass (or if there is an
1157         // equivalent sub-register in that regclass). For now, simply skip
1158         // handling copies if a sub-register is involved.
1159         if (!AnySubreg)
1160           addDefsFromCopies(DbgValue, KilledLocIntervals, Kills->first, Defs,
1161                             MRI, LIS);
1162       }
1163     }
1164 
1165     // For physregs, we only mark the start slot idx. DwarfDebug will see it
1166     // as if the DBG_VALUE is valid up until the end of the basic block, or
1167     // the next def of the physical register. So we do not need to extend the
1168     // range. It might actually happen that the DBG_VALUE is the last use of
1169     // the physical register (e.g. if this is an unused input argument to a
1170     // function).
1171   }
1172 
1173   // The computed intervals may extend beyond the range of the debug
1174   // location's lexical scope. In this case, splitting of an interval
1175   // can result in an interval outside of the scope being created,
1176   // causing extra unnecessary DBG_VALUEs to be emitted. To prevent
1177   // this, trim the intervals to the lexical scope in the case of inlined
1178   // variables, since heavy inlining may cause production of dramatically big
1179   // number of DBG_VALUEs to be generated.
1180   if (!dl.getInlinedAt())
1181     return;
1182 
1183   LexicalScope *Scope = LS.findLexicalScope(dl);
1184   if (!Scope)
1185     return;
1186 
1187   SlotIndex PrevEnd;
1188   LocMap::iterator I = locInts.begin();
1189 
1190   // Iterate over the lexical scope ranges. Each time round the loop
1191   // we check the intervals for overlap with the end of the previous
1192   // range and the start of the next. The first range is handled as
1193   // a special case where there is no PrevEnd.
1194   for (const InsnRange &Range : Scope->getRanges()) {
1195     SlotIndex RStart = LIS.getInstructionIndex(*Range.first);
1196     SlotIndex REnd = LIS.getInstructionIndex(*Range.second);
1197 
1198     // Variable locations at the first instruction of a block should be
1199     // based on the block's SlotIndex, not the first instruction's index.
1200     if (Range.first == Range.first->getParent()->begin())
1201       RStart = LIS.getSlotIndexes()->getIndexBefore(*Range.first);
1202 
1203     // At the start of each iteration I has been advanced so that
1204     // I.stop() >= PrevEnd. Check for overlap.
1205     if (PrevEnd && I.start() < PrevEnd) {
1206       SlotIndex IStop = I.stop();
1207       DbgVariableValue DbgValue = I.value();
1208 
1209       // Stop overlaps previous end - trim the end of the interval to
1210       // the scope range.
1211       I.setStopUnchecked(PrevEnd);
1212       ++I;
1213 
1214       // If the interval also overlaps the start of the "next" (i.e.
1215       // current) range create a new interval for the remainder (which
1216       // may be further trimmed).
1217       if (RStart < IStop)
1218         I.insert(RStart, IStop, DbgValue);
1219     }
1220 
1221     // Advance I so that I.stop() >= RStart, and check for overlap.
1222     I.advanceTo(RStart);
1223     if (!I.valid())
1224       return;
1225 
1226     if (I.start() < RStart) {
1227       // Interval start overlaps range - trim to the scope range.
1228       I.setStartUnchecked(RStart);
1229       // Remember that this interval was trimmed.
1230       trimmedDefs.insert(RStart);
1231     }
1232 
1233     // The end of a lexical scope range is the last instruction in the
1234     // range. To convert to an interval we need the index of the
1235     // instruction after it.
1236     REnd = REnd.getNextIndex();
1237 
1238     // Advance I to first interval outside current range.
1239     I.advanceTo(REnd);
1240     if (!I.valid())
1241       return;
1242 
1243     PrevEnd = REnd;
1244   }
1245 
1246   // Check for overlap with end of final range.
1247   if (PrevEnd && I.start() < PrevEnd)
1248     I.setStopUnchecked(PrevEnd);
1249 }
1250 
1251 void LDVImpl::computeIntervals() {
1252   LexicalScopes LS;
1253   LS.initialize(*MF);
1254 
1255   for (unsigned i = 0, e = userValues.size(); i != e; ++i) {
1256     userValues[i]->computeIntervals(MF->getRegInfo(), *TRI, *LIS, LS);
1257     userValues[i]->mapVirtRegs(this);
1258   }
1259 }
1260 
1261 bool LDVImpl::runOnMachineFunction(MachineFunction &mf, bool InstrRef) {
1262   clear();
1263   MF = &mf;
1264   LIS = &pass.getAnalysis<LiveIntervals>();
1265   TRI = mf.getSubtarget().getRegisterInfo();
1266   LLVM_DEBUG(dbgs() << "********** COMPUTING LIVE DEBUG VARIABLES: "
1267                     << mf.getName() << " **********\n");
1268 
1269   bool Changed = collectDebugValues(mf, InstrRef);
1270   computeIntervals();
1271   LLVM_DEBUG(print(dbgs()));
1272 
1273   // Collect the set of VReg / SlotIndexs where PHIs occur; index the sensitive
1274   // VRegs too, for when we're notified of a range split.
1275   SlotIndexes *Slots = LIS->getSlotIndexes();
1276   for (const auto &PHIIt : MF->DebugPHIPositions) {
1277     const MachineFunction::DebugPHIRegallocPos &Position = PHIIt.second;
1278     MachineBasicBlock *MBB = Position.MBB;
1279     Register Reg = Position.Reg;
1280     unsigned SubReg = Position.SubReg;
1281     SlotIndex SI = Slots->getMBBStartIdx(MBB);
1282     PHIValPos VP = {SI, Reg, SubReg};
1283     PHIValToPos.insert(std::make_pair(PHIIt.first, VP));
1284     RegToPHIIdx[Reg].push_back(PHIIt.first);
1285   }
1286 
1287   ModifiedMF = Changed;
1288   return Changed;
1289 }
1290 
1291 static void removeDebugInstrs(MachineFunction &mf) {
1292   for (MachineBasicBlock &MBB : mf) {
1293     for (MachineInstr &MI : llvm::make_early_inc_range(MBB))
1294       if (MI.isDebugInstr())
1295         MBB.erase(&MI);
1296   }
1297 }
1298 
1299 bool LiveDebugVariables::runOnMachineFunction(MachineFunction &mf) {
1300   if (!EnableLDV)
1301     return false;
1302   if (!mf.getFunction().getSubprogram()) {
1303     removeDebugInstrs(mf);
1304     return false;
1305   }
1306 
1307   // Have we been asked to track variable locations using instruction
1308   // referencing?
1309   bool InstrRef = mf.useDebugInstrRef();
1310 
1311   if (!pImpl)
1312     pImpl = new LDVImpl(this);
1313   return static_cast<LDVImpl *>(pImpl)->runOnMachineFunction(mf, InstrRef);
1314 }
1315 
1316 void LiveDebugVariables::releaseMemory() {
1317   if (pImpl)
1318     static_cast<LDVImpl*>(pImpl)->clear();
1319 }
1320 
1321 LiveDebugVariables::~LiveDebugVariables() {
1322   if (pImpl)
1323     delete static_cast<LDVImpl*>(pImpl);
1324 }
1325 
1326 //===----------------------------------------------------------------------===//
1327 //                           Live Range Splitting
1328 //===----------------------------------------------------------------------===//
1329 
1330 bool
1331 UserValue::splitLocation(unsigned OldLocNo, ArrayRef<Register> NewRegs,
1332                          LiveIntervals& LIS) {
1333   LLVM_DEBUG({
1334     dbgs() << "Splitting Loc" << OldLocNo << '\t';
1335     print(dbgs(), nullptr);
1336   });
1337   bool DidChange = false;
1338   LocMap::iterator LocMapI;
1339   LocMapI.setMap(locInts);
1340   for (Register NewReg : NewRegs) {
1341     LiveInterval *LI = &LIS.getInterval(NewReg);
1342     if (LI->empty())
1343       continue;
1344 
1345     // Don't allocate the new LocNo until it is needed.
1346     unsigned NewLocNo = UndefLocNo;
1347 
1348     // Iterate over the overlaps between locInts and LI.
1349     LocMapI.find(LI->beginIndex());
1350     if (!LocMapI.valid())
1351       continue;
1352     LiveInterval::iterator LII = LI->advanceTo(LI->begin(), LocMapI.start());
1353     LiveInterval::iterator LIE = LI->end();
1354     while (LocMapI.valid() && LII != LIE) {
1355       // At this point, we know that LocMapI.stop() > LII->start.
1356       LII = LI->advanceTo(LII, LocMapI.start());
1357       if (LII == LIE)
1358         break;
1359 
1360       // Now LII->end > LocMapI.start(). Do we have an overlap?
1361       if (LocMapI.value().containsLocNo(OldLocNo) &&
1362           LII->start < LocMapI.stop()) {
1363         // Overlapping correct location. Allocate NewLocNo now.
1364         if (NewLocNo == UndefLocNo) {
1365           MachineOperand MO = MachineOperand::CreateReg(LI->reg(), false);
1366           MO.setSubReg(locations[OldLocNo].getSubReg());
1367           NewLocNo = getLocationNo(MO);
1368           DidChange = true;
1369         }
1370 
1371         SlotIndex LStart = LocMapI.start();
1372         SlotIndex LStop = LocMapI.stop();
1373         DbgVariableValue OldDbgValue = LocMapI.value();
1374 
1375         // Trim LocMapI down to the LII overlap.
1376         if (LStart < LII->start)
1377           LocMapI.setStartUnchecked(LII->start);
1378         if (LStop > LII->end)
1379           LocMapI.setStopUnchecked(LII->end);
1380 
1381         // Change the value in the overlap. This may trigger coalescing.
1382         LocMapI.setValue(OldDbgValue.changeLocNo(OldLocNo, NewLocNo));
1383 
1384         // Re-insert any removed OldDbgValue ranges.
1385         if (LStart < LocMapI.start()) {
1386           LocMapI.insert(LStart, LocMapI.start(), OldDbgValue);
1387           ++LocMapI;
1388           assert(LocMapI.valid() && "Unexpected coalescing");
1389         }
1390         if (LStop > LocMapI.stop()) {
1391           ++LocMapI;
1392           LocMapI.insert(LII->end, LStop, OldDbgValue);
1393           --LocMapI;
1394         }
1395       }
1396 
1397       // Advance to the next overlap.
1398       if (LII->end < LocMapI.stop()) {
1399         if (++LII == LIE)
1400           break;
1401         LocMapI.advanceTo(LII->start);
1402       } else {
1403         ++LocMapI;
1404         if (!LocMapI.valid())
1405           break;
1406         LII = LI->advanceTo(LII, LocMapI.start());
1407       }
1408     }
1409   }
1410 
1411   // Finally, remove OldLocNo unless it is still used by some interval in the
1412   // locInts map. One case when OldLocNo still is in use is when the register
1413   // has been spilled. In such situations the spilled register is kept as a
1414   // location until rewriteLocations is called (VirtRegMap is mapping the old
1415   // register to the spill slot). So for a while we can have locations that map
1416   // to virtual registers that have been removed from both the MachineFunction
1417   // and from LiveIntervals.
1418   //
1419   // We may also just be using the location for a value with a different
1420   // expression.
1421   removeLocationIfUnused(OldLocNo);
1422 
1423   LLVM_DEBUG({
1424     dbgs() << "Split result: \t";
1425     print(dbgs(), nullptr);
1426   });
1427   return DidChange;
1428 }
1429 
1430 bool
1431 UserValue::splitRegister(Register OldReg, ArrayRef<Register> NewRegs,
1432                          LiveIntervals &LIS) {
1433   bool DidChange = false;
1434   // Split locations referring to OldReg. Iterate backwards so splitLocation can
1435   // safely erase unused locations.
1436   for (unsigned i = locations.size(); i ; --i) {
1437     unsigned LocNo = i-1;
1438     const MachineOperand *Loc = &locations[LocNo];
1439     if (!Loc->isReg() || Loc->getReg() != OldReg)
1440       continue;
1441     DidChange |= splitLocation(LocNo, NewRegs, LIS);
1442   }
1443   return DidChange;
1444 }
1445 
1446 void LDVImpl::splitPHIRegister(Register OldReg, ArrayRef<Register> NewRegs) {
1447   auto RegIt = RegToPHIIdx.find(OldReg);
1448   if (RegIt == RegToPHIIdx.end())
1449     return;
1450 
1451   std::vector<std::pair<Register, unsigned>> NewRegIdxes;
1452   // Iterate over all the debug instruction numbers affected by this split.
1453   for (unsigned InstrID : RegIt->second) {
1454     auto PHIIt = PHIValToPos.find(InstrID);
1455     assert(PHIIt != PHIValToPos.end());
1456     const SlotIndex &Slot = PHIIt->second.SI;
1457     assert(OldReg == PHIIt->second.Reg);
1458 
1459     // Find the new register that covers this position.
1460     for (auto NewReg : NewRegs) {
1461       const LiveInterval &LI = LIS->getInterval(NewReg);
1462       auto LII = LI.find(Slot);
1463       if (LII != LI.end() && LII->start <= Slot) {
1464         // This new register covers this PHI position, record this for indexing.
1465         NewRegIdxes.push_back(std::make_pair(NewReg, InstrID));
1466         // Record that this value lives in a different VReg now.
1467         PHIIt->second.Reg = NewReg;
1468         break;
1469       }
1470     }
1471 
1472     // If we do not find a new register covering this PHI, then register
1473     // allocation has dropped its location, for example because it's not live.
1474     // The old VReg will not be mapped to a physreg, and the instruction
1475     // number will have been optimized out.
1476   }
1477 
1478   // Re-create register index using the new register numbers.
1479   RegToPHIIdx.erase(RegIt);
1480   for (auto &RegAndInstr : NewRegIdxes)
1481     RegToPHIIdx[RegAndInstr.first].push_back(RegAndInstr.second);
1482 }
1483 
1484 void LDVImpl::splitRegister(Register OldReg, ArrayRef<Register> NewRegs) {
1485   // Consider whether this split range affects any PHI locations.
1486   splitPHIRegister(OldReg, NewRegs);
1487 
1488   // Check whether any intervals mapped by a DBG_VALUE were split and need
1489   // updating.
1490   bool DidChange = false;
1491   for (UserValue *UV = lookupVirtReg(OldReg); UV; UV = UV->getNext())
1492     DidChange |= UV->splitRegister(OldReg, NewRegs, *LIS);
1493 
1494   if (!DidChange)
1495     return;
1496 
1497   // Map all of the new virtual registers.
1498   UserValue *UV = lookupVirtReg(OldReg);
1499   for (Register NewReg : NewRegs)
1500     mapVirtReg(NewReg, UV);
1501 }
1502 
1503 void LiveDebugVariables::
1504 splitRegister(Register OldReg, ArrayRef<Register> NewRegs, LiveIntervals &LIS) {
1505   if (pImpl)
1506     static_cast<LDVImpl*>(pImpl)->splitRegister(OldReg, NewRegs);
1507 }
1508 
1509 void UserValue::rewriteLocations(VirtRegMap &VRM, const MachineFunction &MF,
1510                                  const TargetInstrInfo &TII,
1511                                  const TargetRegisterInfo &TRI,
1512                                  SpillOffsetMap &SpillOffsets) {
1513   // Build a set of new locations with new numbers so we can coalesce our
1514   // IntervalMap if two vreg intervals collapse to the same physical location.
1515   // Use MapVector instead of SetVector because MapVector::insert returns the
1516   // position of the previously or newly inserted element. The boolean value
1517   // tracks if the location was produced by a spill.
1518   // FIXME: This will be problematic if we ever support direct and indirect
1519   // frame index locations, i.e. expressing both variables in memory and
1520   // 'int x, *px = &x'. The "spilled" bit must become part of the location.
1521   MapVector<MachineOperand, std::pair<bool, unsigned>> NewLocations;
1522   SmallVector<unsigned, 4> LocNoMap(locations.size());
1523   for (unsigned I = 0, E = locations.size(); I != E; ++I) {
1524     bool Spilled = false;
1525     unsigned SpillOffset = 0;
1526     MachineOperand Loc = locations[I];
1527     // Only virtual registers are rewritten.
1528     if (Loc.isReg() && Loc.getReg() &&
1529         Register::isVirtualRegister(Loc.getReg())) {
1530       Register VirtReg = Loc.getReg();
1531       if (VRM.isAssignedReg(VirtReg) &&
1532           Register::isPhysicalRegister(VRM.getPhys(VirtReg))) {
1533         // This can create a %noreg operand in rare cases when the sub-register
1534         // index is no longer available. That means the user value is in a
1535         // non-existent sub-register, and %noreg is exactly what we want.
1536         Loc.substPhysReg(VRM.getPhys(VirtReg), TRI);
1537       } else if (VRM.getStackSlot(VirtReg) != VirtRegMap::NO_STACK_SLOT) {
1538         // Retrieve the stack slot offset.
1539         unsigned SpillSize;
1540         const MachineRegisterInfo &MRI = MF.getRegInfo();
1541         const TargetRegisterClass *TRC = MRI.getRegClass(VirtReg);
1542         bool Success = TII.getStackSlotRange(TRC, Loc.getSubReg(), SpillSize,
1543                                              SpillOffset, MF);
1544 
1545         // FIXME: Invalidate the location if the offset couldn't be calculated.
1546         (void)Success;
1547 
1548         Loc = MachineOperand::CreateFI(VRM.getStackSlot(VirtReg));
1549         Spilled = true;
1550       } else {
1551         Loc.setReg(0);
1552         Loc.setSubReg(0);
1553       }
1554     }
1555 
1556     // Insert this location if it doesn't already exist and record a mapping
1557     // from the old number to the new number.
1558     auto InsertResult = NewLocations.insert({Loc, {Spilled, SpillOffset}});
1559     unsigned NewLocNo = std::distance(NewLocations.begin(), InsertResult.first);
1560     LocNoMap[I] = NewLocNo;
1561   }
1562 
1563   // Rewrite the locations and record the stack slot offsets for spills.
1564   locations.clear();
1565   SpillOffsets.clear();
1566   for (auto &Pair : NewLocations) {
1567     bool Spilled;
1568     unsigned SpillOffset;
1569     std::tie(Spilled, SpillOffset) = Pair.second;
1570     locations.push_back(Pair.first);
1571     if (Spilled) {
1572       unsigned NewLocNo = std::distance(&*NewLocations.begin(), &Pair);
1573       SpillOffsets[NewLocNo] = SpillOffset;
1574     }
1575   }
1576 
1577   // Update the interval map, but only coalesce left, since intervals to the
1578   // right use the old location numbers. This should merge two contiguous
1579   // DBG_VALUE intervals with different vregs that were allocated to the same
1580   // physical register.
1581   for (LocMap::iterator I = locInts.begin(); I.valid(); ++I) {
1582     I.setValueUnchecked(I.value().remapLocNos(LocNoMap));
1583     I.setStart(I.start());
1584   }
1585 }
1586 
1587 /// Find an iterator for inserting a DBG_VALUE instruction.
1588 static MachineBasicBlock::iterator
1589 findInsertLocation(MachineBasicBlock *MBB, SlotIndex Idx, LiveIntervals &LIS,
1590                    BlockSkipInstsMap &BBSkipInstsMap) {
1591   SlotIndex Start = LIS.getMBBStartIdx(MBB);
1592   Idx = Idx.getBaseIndex();
1593 
1594   // Try to find an insert location by going backwards from Idx.
1595   MachineInstr *MI;
1596   while (!(MI = LIS.getInstructionFromIndex(Idx))) {
1597     // We've reached the beginning of MBB.
1598     if (Idx == Start) {
1599       // Retrieve the last PHI/Label/Debug location found when calling
1600       // SkipPHIsLabelsAndDebug last time. Start searching from there.
1601       //
1602       // Note the iterator kept in BBSkipInstsMap is one step back based
1603       // on the iterator returned by SkipPHIsLabelsAndDebug last time.
1604       // One exception is when SkipPHIsLabelsAndDebug returns MBB->begin(),
1605       // BBSkipInstsMap won't save it. This is to consider the case that
1606       // new instructions may be inserted at the beginning of MBB after
1607       // last call of SkipPHIsLabelsAndDebug. If we save MBB->begin() in
1608       // BBSkipInstsMap, after new non-phi/non-label/non-debug instructions
1609       // are inserted at the beginning of the MBB, the iterator in
1610       // BBSkipInstsMap won't point to the beginning of the MBB anymore.
1611       // Therefore The next search in SkipPHIsLabelsAndDebug will skip those
1612       // newly added instructions and that is unwanted.
1613       MachineBasicBlock::iterator BeginIt;
1614       auto MapIt = BBSkipInstsMap.find(MBB);
1615       if (MapIt == BBSkipInstsMap.end())
1616         BeginIt = MBB->begin();
1617       else
1618         BeginIt = std::next(MapIt->second);
1619       auto I = MBB->SkipPHIsLabelsAndDebug(BeginIt);
1620       if (I != BeginIt)
1621         BBSkipInstsMap[MBB] = std::prev(I);
1622       return I;
1623     }
1624     Idx = Idx.getPrevIndex();
1625   }
1626 
1627   // Don't insert anything after the first terminator, though.
1628   return MI->isTerminator() ? MBB->getFirstTerminator() :
1629                               std::next(MachineBasicBlock::iterator(MI));
1630 }
1631 
1632 /// Find an iterator for inserting the next DBG_VALUE instruction
1633 /// (or end if no more insert locations found).
1634 static MachineBasicBlock::iterator
1635 findNextInsertLocation(MachineBasicBlock *MBB, MachineBasicBlock::iterator I,
1636                        SlotIndex StopIdx, ArrayRef<MachineOperand> LocMOs,
1637                        LiveIntervals &LIS, const TargetRegisterInfo &TRI) {
1638   SmallVector<Register, 4> Regs;
1639   for (const MachineOperand &LocMO : LocMOs)
1640     if (LocMO.isReg())
1641       Regs.push_back(LocMO.getReg());
1642   if (Regs.empty())
1643     return MBB->instr_end();
1644 
1645   // Find the next instruction in the MBB that define the register Reg.
1646   while (I != MBB->end() && !I->isTerminator()) {
1647     if (!LIS.isNotInMIMap(*I) &&
1648         SlotIndex::isEarlierEqualInstr(StopIdx, LIS.getInstructionIndex(*I)))
1649       break;
1650     if (any_of(Regs, [&I, &TRI](Register &Reg) {
1651           return I->definesRegister(Reg, &TRI);
1652         }))
1653       // The insert location is directly after the instruction/bundle.
1654       return std::next(I);
1655     ++I;
1656   }
1657   return MBB->end();
1658 }
1659 
1660 void UserValue::insertDebugValue(MachineBasicBlock *MBB, SlotIndex StartIdx,
1661                                  SlotIndex StopIdx, DbgVariableValue DbgValue,
1662                                  ArrayRef<bool> LocSpills,
1663                                  ArrayRef<unsigned> SpillOffsets,
1664                                  LiveIntervals &LIS, const TargetInstrInfo &TII,
1665                                  const TargetRegisterInfo &TRI,
1666                                  BlockSkipInstsMap &BBSkipInstsMap) {
1667   SlotIndex MBBEndIdx = LIS.getMBBEndIdx(&*MBB);
1668   // Only search within the current MBB.
1669   StopIdx = (MBBEndIdx < StopIdx) ? MBBEndIdx : StopIdx;
1670   MachineBasicBlock::iterator I =
1671       findInsertLocation(MBB, StartIdx, LIS, BBSkipInstsMap);
1672   // Undef values don't exist in locations so create new "noreg" register MOs
1673   // for them. See getLocationNo().
1674   SmallVector<MachineOperand, 8> MOs;
1675   if (DbgValue.isUndef()) {
1676     MOs.assign(DbgValue.loc_nos().size(),
1677                MachineOperand::CreateReg(
1678                    /* Reg */ 0, /* isDef */ false, /* isImp */ false,
1679                    /* isKill */ false, /* isDead */ false,
1680                    /* isUndef */ false, /* isEarlyClobber */ false,
1681                    /* SubReg */ 0, /* isDebug */ true));
1682   } else {
1683     for (unsigned LocNo : DbgValue.loc_nos())
1684       MOs.push_back(locations[LocNo]);
1685   }
1686 
1687   ++NumInsertedDebugValues;
1688 
1689   assert(cast<DILocalVariable>(Variable)
1690              ->isValidLocationForIntrinsic(getDebugLoc()) &&
1691          "Expected inlined-at fields to agree");
1692 
1693   // If the location was spilled, the new DBG_VALUE will be indirect. If the
1694   // original DBG_VALUE was indirect, we need to add DW_OP_deref to indicate
1695   // that the original virtual register was a pointer. Also, add the stack slot
1696   // offset for the spilled register to the expression.
1697   const DIExpression *Expr = DbgValue.getExpression();
1698   bool IsIndirect = DbgValue.getWasIndirect();
1699   bool IsList = DbgValue.getWasList();
1700   for (unsigned I = 0, E = LocSpills.size(); I != E; ++I) {
1701     if (LocSpills[I]) {
1702       if (!IsList) {
1703         uint8_t DIExprFlags = DIExpression::ApplyOffset;
1704         if (IsIndirect)
1705           DIExprFlags |= DIExpression::DerefAfter;
1706         Expr = DIExpression::prepend(Expr, DIExprFlags, SpillOffsets[I]);
1707         IsIndirect = true;
1708       } else {
1709         SmallVector<uint64_t, 4> Ops;
1710         DIExpression::appendOffset(Ops, SpillOffsets[I]);
1711         Ops.push_back(dwarf::DW_OP_deref);
1712         Expr = DIExpression::appendOpsToArg(Expr, Ops, I);
1713       }
1714     }
1715 
1716     assert((!LocSpills[I] || MOs[I].isFI()) &&
1717            "a spilled location must be a frame index");
1718   }
1719 
1720   unsigned DbgValueOpcode =
1721       IsList ? TargetOpcode::DBG_VALUE_LIST : TargetOpcode::DBG_VALUE;
1722   do {
1723     BuildMI(*MBB, I, getDebugLoc(), TII.get(DbgValueOpcode), IsIndirect, MOs,
1724             Variable, Expr);
1725 
1726     // Continue and insert DBG_VALUES after every redefinition of a register
1727     // associated with the debug value within the range
1728     I = findNextInsertLocation(MBB, I, StopIdx, MOs, LIS, TRI);
1729   } while (I != MBB->end());
1730 }
1731 
1732 void UserLabel::insertDebugLabel(MachineBasicBlock *MBB, SlotIndex Idx,
1733                                  LiveIntervals &LIS, const TargetInstrInfo &TII,
1734                                  BlockSkipInstsMap &BBSkipInstsMap) {
1735   MachineBasicBlock::iterator I =
1736       findInsertLocation(MBB, Idx, LIS, BBSkipInstsMap);
1737   ++NumInsertedDebugLabels;
1738   BuildMI(*MBB, I, getDebugLoc(), TII.get(TargetOpcode::DBG_LABEL))
1739       .addMetadata(Label);
1740 }
1741 
1742 void UserValue::emitDebugValues(VirtRegMap *VRM, LiveIntervals &LIS,
1743                                 const TargetInstrInfo &TII,
1744                                 const TargetRegisterInfo &TRI,
1745                                 const SpillOffsetMap &SpillOffsets,
1746                                 BlockSkipInstsMap &BBSkipInstsMap) {
1747   MachineFunction::iterator MFEnd = VRM->getMachineFunction().end();
1748 
1749   for (LocMap::const_iterator I = locInts.begin(); I.valid();) {
1750     SlotIndex Start = I.start();
1751     SlotIndex Stop = I.stop();
1752     DbgVariableValue DbgValue = I.value();
1753 
1754     SmallVector<bool> SpilledLocs;
1755     SmallVector<unsigned> LocSpillOffsets;
1756     for (unsigned LocNo : DbgValue.loc_nos()) {
1757       auto SpillIt =
1758           !DbgValue.isUndef() ? SpillOffsets.find(LocNo) : SpillOffsets.end();
1759       bool Spilled = SpillIt != SpillOffsets.end();
1760       SpilledLocs.push_back(Spilled);
1761       LocSpillOffsets.push_back(Spilled ? SpillIt->second : 0);
1762     }
1763 
1764     // If the interval start was trimmed to the lexical scope insert the
1765     // DBG_VALUE at the previous index (otherwise it appears after the
1766     // first instruction in the range).
1767     if (trimmedDefs.count(Start))
1768       Start = Start.getPrevIndex();
1769 
1770     LLVM_DEBUG(auto &dbg = dbgs(); dbg << "\t[" << Start << ';' << Stop << "):";
1771                DbgValue.printLocNos(dbg));
1772     MachineFunction::iterator MBB = LIS.getMBBFromIndex(Start)->getIterator();
1773     SlotIndex MBBEnd = LIS.getMBBEndIdx(&*MBB);
1774 
1775     LLVM_DEBUG(dbgs() << ' ' << printMBBReference(*MBB) << '-' << MBBEnd);
1776     insertDebugValue(&*MBB, Start, Stop, DbgValue, SpilledLocs, LocSpillOffsets,
1777                      LIS, TII, TRI, BBSkipInstsMap);
1778     // This interval may span multiple basic blocks.
1779     // Insert a DBG_VALUE into each one.
1780     while (Stop > MBBEnd) {
1781       // Move to the next block.
1782       Start = MBBEnd;
1783       if (++MBB == MFEnd)
1784         break;
1785       MBBEnd = LIS.getMBBEndIdx(&*MBB);
1786       LLVM_DEBUG(dbgs() << ' ' << printMBBReference(*MBB) << '-' << MBBEnd);
1787       insertDebugValue(&*MBB, Start, Stop, DbgValue, SpilledLocs,
1788                        LocSpillOffsets, LIS, TII, TRI, BBSkipInstsMap);
1789     }
1790     LLVM_DEBUG(dbgs() << '\n');
1791     if (MBB == MFEnd)
1792       break;
1793 
1794     ++I;
1795   }
1796 }
1797 
1798 void UserLabel::emitDebugLabel(LiveIntervals &LIS, const TargetInstrInfo &TII,
1799                                BlockSkipInstsMap &BBSkipInstsMap) {
1800   LLVM_DEBUG(dbgs() << "\t" << loc);
1801   MachineFunction::iterator MBB = LIS.getMBBFromIndex(loc)->getIterator();
1802 
1803   LLVM_DEBUG(dbgs() << ' ' << printMBBReference(*MBB));
1804   insertDebugLabel(&*MBB, loc, LIS, TII, BBSkipInstsMap);
1805 
1806   LLVM_DEBUG(dbgs() << '\n');
1807 }
1808 
1809 void LDVImpl::emitDebugValues(VirtRegMap *VRM) {
1810   LLVM_DEBUG(dbgs() << "********** EMITTING LIVE DEBUG VARIABLES **********\n");
1811   if (!MF)
1812     return;
1813 
1814   BlockSkipInstsMap BBSkipInstsMap;
1815   const TargetInstrInfo *TII = MF->getSubtarget().getInstrInfo();
1816   SpillOffsetMap SpillOffsets;
1817   for (auto &userValue : userValues) {
1818     LLVM_DEBUG(userValue->print(dbgs(), TRI));
1819     userValue->rewriteLocations(*VRM, *MF, *TII, *TRI, SpillOffsets);
1820     userValue->emitDebugValues(VRM, *LIS, *TII, *TRI, SpillOffsets,
1821                                BBSkipInstsMap);
1822   }
1823   LLVM_DEBUG(dbgs() << "********** EMITTING LIVE DEBUG LABELS **********\n");
1824   for (auto &userLabel : userLabels) {
1825     LLVM_DEBUG(userLabel->print(dbgs(), TRI));
1826     userLabel->emitDebugLabel(*LIS, *TII, BBSkipInstsMap);
1827   }
1828 
1829   LLVM_DEBUG(dbgs() << "********** EMITTING DEBUG PHIS **********\n");
1830 
1831   auto Slots = LIS->getSlotIndexes();
1832   for (auto &It : PHIValToPos) {
1833     // For each ex-PHI, identify its physreg location or stack slot, and emit
1834     // a DBG_PHI for it.
1835     unsigned InstNum = It.first;
1836     auto Slot = It.second.SI;
1837     Register Reg = It.second.Reg;
1838     unsigned SubReg = It.second.SubReg;
1839 
1840     MachineBasicBlock *OrigMBB = Slots->getMBBFromIndex(Slot);
1841     if (VRM->isAssignedReg(Reg) &&
1842         Register::isPhysicalRegister(VRM->getPhys(Reg))) {
1843       unsigned PhysReg = VRM->getPhys(Reg);
1844       if (SubReg != 0)
1845         PhysReg = TRI->getSubReg(PhysReg, SubReg);
1846 
1847       auto Builder = BuildMI(*OrigMBB, OrigMBB->begin(), DebugLoc(),
1848                              TII->get(TargetOpcode::DBG_PHI));
1849       Builder.addReg(PhysReg);
1850       Builder.addImm(InstNum);
1851     } else if (VRM->getStackSlot(Reg) != VirtRegMap::NO_STACK_SLOT) {
1852       const MachineRegisterInfo &MRI = MF->getRegInfo();
1853       const TargetRegisterClass *TRC = MRI.getRegClass(Reg);
1854       unsigned SpillSize, SpillOffset;
1855 
1856       unsigned regSizeInBits = TRI->getRegSizeInBits(*TRC);
1857       if (SubReg)
1858         regSizeInBits = TRI->getSubRegIdxSize(SubReg);
1859 
1860       // Test whether this location is legal with the given subreg. If the
1861       // subregister has a nonzero offset, drop this location, it's too complex
1862       // to describe. (TODO: future work).
1863       bool Success =
1864           TII->getStackSlotRange(TRC, SubReg, SpillSize, SpillOffset, *MF);
1865 
1866       if (Success && SpillOffset == 0) {
1867         auto Builder = BuildMI(*OrigMBB, OrigMBB->begin(), DebugLoc(),
1868                                TII->get(TargetOpcode::DBG_PHI));
1869         Builder.addFrameIndex(VRM->getStackSlot(Reg));
1870         Builder.addImm(InstNum);
1871         // Record how large the original value is. The stack slot might be
1872         // merged and altered during optimisation, but we will want to know how
1873         // large the value is, at this DBG_PHI.
1874         Builder.addImm(regSizeInBits);
1875       }
1876 
1877       LLVM_DEBUG(
1878       if (SpillOffset != 0) {
1879         dbgs() << "DBG_PHI for Vreg " << Reg << " subreg " << SubReg <<
1880                   " has nonzero offset\n";
1881       }
1882       );
1883     }
1884     // If there was no mapping for a value ID, it's optimized out. Create no
1885     // DBG_PHI, and any variables using this value will become optimized out.
1886   }
1887   MF->DebugPHIPositions.clear();
1888 
1889   LLVM_DEBUG(dbgs() << "********** EMITTING INSTR REFERENCES **********\n");
1890 
1891   // Re-insert any debug instrs back in the position they were. We must
1892   // re-insert in the same order to ensure that debug instructions don't swap,
1893   // which could re-order assignments. Do so in a batch -- once we find the
1894   // insert position, insert all instructions at the same SlotIdx. They are
1895   // guaranteed to appear in-sequence in StashedDebugInstrs because we insert
1896   // them in order.
1897   for (auto *StashIt = StashedDebugInstrs.begin();
1898        StashIt != StashedDebugInstrs.end(); ++StashIt) {
1899     SlotIndex Idx = StashIt->Idx;
1900     MachineBasicBlock *MBB = StashIt->MBB;
1901     MachineInstr *MI = StashIt->MI;
1902 
1903     auto EmitInstsHere = [this, &StashIt, MBB, Idx,
1904                           MI](MachineBasicBlock::iterator InsertPos) {
1905       // Insert this debug instruction.
1906       MBB->insert(InsertPos, MI);
1907 
1908       // Look at subsequent stashed debug instructions: if they're at the same
1909       // index, insert those too.
1910       auto NextItem = std::next(StashIt);
1911       while (NextItem != StashedDebugInstrs.end() && NextItem->Idx == Idx) {
1912         assert(NextItem->MBB == MBB && "Instrs with same slot index should be"
1913                "in the same block");
1914         MBB->insert(InsertPos, NextItem->MI);
1915         StashIt = NextItem;
1916         NextItem = std::next(StashIt);
1917       };
1918     };
1919 
1920     // Start block index: find the first non-debug instr in the block, and
1921     // insert before it.
1922     if (Idx == Slots->getMBBStartIdx(MBB)) {
1923       MachineBasicBlock::iterator InsertPos =
1924           findInsertLocation(MBB, Idx, *LIS, BBSkipInstsMap);
1925       EmitInstsHere(InsertPos);
1926       continue;
1927     }
1928 
1929     if (MachineInstr *Pos = Slots->getInstructionFromIndex(Idx)) {
1930       // Insert at the end of any debug instructions.
1931       auto PostDebug = std::next(Pos->getIterator());
1932       PostDebug = skipDebugInstructionsForward(PostDebug, MBB->instr_end());
1933       EmitInstsHere(PostDebug);
1934     } else {
1935       // Insert position disappeared; walk forwards through slots until we
1936       // find a new one.
1937       SlotIndex End = Slots->getMBBEndIdx(MBB);
1938       for (; Idx < End; Idx = Slots->getNextNonNullIndex(Idx)) {
1939         Pos = Slots->getInstructionFromIndex(Idx);
1940         if (Pos) {
1941           EmitInstsHere(Pos->getIterator());
1942           break;
1943         }
1944       }
1945 
1946       // We have reached the end of the block and didn't find anywhere to
1947       // insert! It's not safe to discard any debug instructions; place them
1948       // in front of the first terminator, or in front of end().
1949       if (Idx >= End) {
1950         auto TermIt = MBB->getFirstTerminator();
1951         EmitInstsHere(TermIt);
1952       }
1953     }
1954   }
1955 
1956   EmitDone = true;
1957   BBSkipInstsMap.clear();
1958 }
1959 
1960 void LiveDebugVariables::emitDebugValues(VirtRegMap *VRM) {
1961   if (pImpl)
1962     static_cast<LDVImpl*>(pImpl)->emitDebugValues(VRM);
1963 }
1964 
1965 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
1966 LLVM_DUMP_METHOD void LiveDebugVariables::dump() const {
1967   if (pImpl)
1968     static_cast<LDVImpl*>(pImpl)->print(dbgs());
1969 }
1970 #endif
1971