xref: /llvm-project/llvm/include/llvm/Support/GenericLoopInfo.h (revision d77a36e01b8fed496b29c3b2c12526f8dc380766)
1 //===- GenericLoopInfo - Generic Loop Info for graphs -----------*- C++ -*-===//
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 defines the LoopInfoBase class that is used to identify natural
10 // loops and determine the loop depth of various nodes in a generic graph of
11 // blocks.  A natural loop has exactly one entry-point, which is called the
12 // header. Note that natural loops may actually be several loops that share the
13 // same header node.
14 //
15 // This analysis calculates the nesting structure of loops in a function.  For
16 // each natural loop identified, this analysis identifies natural loops
17 // contained entirely within the loop and the basic blocks that make up the
18 // loop.
19 //
20 // It can calculate on the fly various bits of information, for example:
21 //
22 //  * whether there is a preheader for the loop
23 //  * the number of back edges to the header
24 //  * whether or not a particular block branches out of the loop
25 //  * the successor blocks of the loop
26 //  * the loop depth
27 //  * etc...
28 //
29 // Note that this analysis specifically identifies *Loops* not cycles or SCCs
30 // in the graph.  There can be strongly connected components in the graph which
31 // this analysis will not recognize and that will not be represented by a Loop
32 // instance.  In particular, a Loop might be inside such a non-loop SCC, or a
33 // non-loop SCC might contain a sub-SCC which is a Loop.
34 //
35 // For an overview of terminology used in this API (and thus all of our loop
36 // analyses or transforms), see docs/LoopTerminology.rst.
37 //
38 //===----------------------------------------------------------------------===//
39 
40 #ifndef LLVM_SUPPORT_GENERICLOOPINFO_H
41 #define LLVM_SUPPORT_GENERICLOOPINFO_H
42 
43 #include "llvm/ADT/DenseSet.h"
44 #include "llvm/ADT/PostOrderIterator.h"
45 #include "llvm/ADT/STLExtras.h"
46 #include "llvm/ADT/SetOperations.h"
47 #include "llvm/Support/Allocator.h"
48 #include "llvm/Support/GenericDomTree.h"
49 
50 namespace llvm {
51 
52 template <class N, class M> class LoopInfoBase;
53 template <class N, class M> class LoopBase;
54 
55 //===----------------------------------------------------------------------===//
56 /// Instances of this class are used to represent loops that are detected in the
57 /// flow graph.
58 ///
59 template <class BlockT, class LoopT> class LoopBase {
60   LoopT *ParentLoop;
61   // Loops contained entirely within this one.
62   std::vector<LoopT *> SubLoops;
63 
64   // The list of blocks in this loop. First entry is the header node.
65   std::vector<BlockT *> Blocks;
66 
67   SmallPtrSet<const BlockT *, 8> DenseBlockSet;
68 
69 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
70   /// Indicator that this loop is no longer a valid loop.
71   bool IsInvalid = false;
72 #endif
73 
74   LoopBase(const LoopBase<BlockT, LoopT> &) = delete;
75   const LoopBase<BlockT, LoopT> &
76   operator=(const LoopBase<BlockT, LoopT> &) = delete;
77 
78 public:
79   /// Return the nesting level of this loop.  An outer-most loop has depth 1,
80   /// for consistency with loop depth values used for basic blocks, where depth
81   /// 0 is used for blocks not inside any loops.
82   unsigned getLoopDepth() const {
83     assert(!isInvalid() && "Loop not in a valid state!");
84     unsigned D = 1;
85     for (const LoopT *CurLoop = ParentLoop; CurLoop;
86          CurLoop = CurLoop->ParentLoop)
87       ++D;
88     return D;
89   }
90   BlockT *getHeader() const { return getBlocks().front(); }
91   /// Return the parent loop if it exists or nullptr for top
92   /// level loops.
93 
94   /// A loop is either top-level in a function (that is, it is not
95   /// contained in any other loop) or it is entirely enclosed in
96   /// some other loop.
97   /// If a loop is top-level, it has no parent, otherwise its
98   /// parent is the innermost loop in which it is enclosed.
99   LoopT *getParentLoop() const { return ParentLoop; }
100 
101   /// Get the outermost loop in which this loop is contained.
102   /// This may be the loop itself, if it already is the outermost loop.
103   const LoopT *getOutermostLoop() const {
104     const LoopT *L = static_cast<const LoopT *>(this);
105     while (L->ParentLoop)
106       L = L->ParentLoop;
107     return L;
108   }
109 
110   LoopT *getOutermostLoop() {
111     LoopT *L = static_cast<LoopT *>(this);
112     while (L->ParentLoop)
113       L = L->ParentLoop;
114     return L;
115   }
116 
117   /// This is a raw interface for bypassing addChildLoop.
118   void setParentLoop(LoopT *L) {
119     assert(!isInvalid() && "Loop not in a valid state!");
120     ParentLoop = L;
121   }
122 
123   /// Return true if the specified loop is contained within in this loop.
124   bool contains(const LoopT *L) const {
125     assert(!isInvalid() && "Loop not in a valid state!");
126     if (L == this)
127       return true;
128     if (!L)
129       return false;
130     return contains(L->getParentLoop());
131   }
132 
133   /// Return true if the specified basic block is in this loop.
134   bool contains(const BlockT *BB) const {
135     assert(!isInvalid() && "Loop not in a valid state!");
136     return DenseBlockSet.count(BB);
137   }
138 
139   /// Return true if the specified instruction is in this loop.
140   template <class InstT> bool contains(const InstT *Inst) const {
141     return contains(Inst->getParent());
142   }
143 
144   /// Return the loops contained entirely within this loop.
145   const std::vector<LoopT *> &getSubLoops() const {
146     assert(!isInvalid() && "Loop not in a valid state!");
147     return SubLoops;
148   }
149   std::vector<LoopT *> &getSubLoopsVector() {
150     assert(!isInvalid() && "Loop not in a valid state!");
151     return SubLoops;
152   }
153   typedef typename std::vector<LoopT *>::const_iterator iterator;
154   typedef
155       typename std::vector<LoopT *>::const_reverse_iterator reverse_iterator;
156   iterator begin() const { return getSubLoops().begin(); }
157   iterator end() const { return getSubLoops().end(); }
158   reverse_iterator rbegin() const { return getSubLoops().rbegin(); }
159   reverse_iterator rend() const { return getSubLoops().rend(); }
160 
161   // LoopInfo does not detect irreducible control flow, just natural
162   // loops. That is, it is possible that there is cyclic control
163   // flow within the "innermost loop" or around the "outermost
164   // loop".
165 
166   /// Return true if the loop does not contain any (natural) loops.
167   bool isInnermost() const { return getSubLoops().empty(); }
168   /// Return true if the loop does not have a parent (natural) loop
169   // (i.e. it is outermost, which is the same as top-level).
170   bool isOutermost() const { return getParentLoop() == nullptr; }
171 
172   /// Get a list of the basic blocks which make up this loop.
173   ArrayRef<BlockT *> getBlocks() const {
174     assert(!isInvalid() && "Loop not in a valid state!");
175     return Blocks;
176   }
177   typedef typename ArrayRef<BlockT *>::const_iterator block_iterator;
178   block_iterator block_begin() const { return getBlocks().begin(); }
179   block_iterator block_end() const { return getBlocks().end(); }
180   inline iterator_range<block_iterator> blocks() const {
181     assert(!isInvalid() && "Loop not in a valid state!");
182     return make_range(block_begin(), block_end());
183   }
184 
185   /// Get the number of blocks in this loop in constant time.
186   /// Invalidate the loop, indicating that it is no longer a loop.
187   unsigned getNumBlocks() const {
188     assert(!isInvalid() && "Loop not in a valid state!");
189     return Blocks.size();
190   }
191 
192   /// Return a direct, mutable handle to the blocks vector so that we can
193   /// mutate it efficiently with techniques like `std::remove`.
194   std::vector<BlockT *> &getBlocksVector() {
195     assert(!isInvalid() && "Loop not in a valid state!");
196     return Blocks;
197   }
198   /// Return a direct, mutable handle to the blocks set so that we can
199   /// mutate it efficiently.
200   SmallPtrSetImpl<const BlockT *> &getBlocksSet() {
201     assert(!isInvalid() && "Loop not in a valid state!");
202     return DenseBlockSet;
203   }
204 
205   /// Return a direct, immutable handle to the blocks set.
206   const SmallPtrSetImpl<const BlockT *> &getBlocksSet() const {
207     assert(!isInvalid() && "Loop not in a valid state!");
208     return DenseBlockSet;
209   }
210 
211   /// Return true if this loop is no longer valid.  The only valid use of this
212   /// helper is "assert(L.isInvalid())" or equivalent, since IsInvalid is set to
213   /// true by the destructor.  In other words, if this accessor returns true,
214   /// the caller has already triggered UB by calling this accessor; and so it
215   /// can only be called in a context where a return value of true indicates a
216   /// programmer error.
217   bool isInvalid() const {
218 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
219     return IsInvalid;
220 #else
221     return false;
222 #endif
223   }
224 
225   /// True if terminator in the block can branch to another block that is
226   /// outside of the current loop. \p BB must be inside the loop.
227   bool isLoopExiting(const BlockT *BB) const {
228     assert(!isInvalid() && "Loop not in a valid state!");
229     assert(contains(BB) && "Exiting block must be part of the loop");
230     for (const auto *Succ : children<const BlockT *>(BB)) {
231       if (!contains(Succ))
232         return true;
233     }
234     return false;
235   }
236 
237   /// Returns true if \p BB is a loop-latch.
238   /// A latch block is a block that contains a branch back to the header.
239   /// This function is useful when there are multiple latches in a loop
240   /// because \fn getLoopLatch will return nullptr in that case.
241   bool isLoopLatch(const BlockT *BB) const {
242     assert(!isInvalid() && "Loop not in a valid state!");
243     assert(contains(BB) && "block does not belong to the loop");
244     return llvm::is_contained(inverse_children<BlockT *>(getHeader()), BB);
245   }
246 
247   /// Calculate the number of back edges to the loop header.
248   unsigned getNumBackEdges() const {
249     assert(!isInvalid() && "Loop not in a valid state!");
250     return llvm::count_if(inverse_children<BlockT *>(getHeader()),
251                           [&](BlockT *Pred) { return contains(Pred); });
252   }
253 
254   //===--------------------------------------------------------------------===//
255   // APIs for simple analysis of the loop.
256   //
257   // Note that all of these methods can fail on general loops (ie, there may not
258   // be a preheader, etc).  For best success, the loop simplification and
259   // induction variable canonicalization pass should be used to normalize loops
260   // for easy analysis.  These methods assume canonical loops.
261 
262   /// Return all blocks inside the loop that have successors outside of the
263   /// loop. These are the blocks _inside of the current loop_ which branch out.
264   /// The returned list is always unique.
265   void getExitingBlocks(SmallVectorImpl<BlockT *> &ExitingBlocks) const;
266 
267   /// If getExitingBlocks would return exactly one block, return that block.
268   /// Otherwise return null.
269   BlockT *getExitingBlock() const;
270 
271   /// Return all of the successor blocks of this loop. These are the blocks
272   /// _outside of the current loop_ which are branched to.
273   void getExitBlocks(SmallVectorImpl<BlockT *> &ExitBlocks) const;
274 
275   /// If getExitBlocks would return exactly one block, return that block.
276   /// Otherwise return null.
277   BlockT *getExitBlock() const;
278 
279   /// Return true if no exit block for the loop has a predecessor that is
280   /// outside the loop.
281   bool hasDedicatedExits() const;
282 
283   /// Return all unique successor blocks of this loop.
284   /// These are the blocks _outside of the current loop_ which are branched to.
285   void getUniqueExitBlocks(SmallVectorImpl<BlockT *> &ExitBlocks) const;
286 
287   /// Return all unique successor blocks of this loop except successors from
288   /// Latch block are not considered. If the exit comes from Latch has also
289   /// non Latch predecessor in a loop it will be added to ExitBlocks.
290   /// These are the blocks _outside of the current loop_ which are branched to.
291   void getUniqueNonLatchExitBlocks(SmallVectorImpl<BlockT *> &ExitBlocks) const;
292 
293   /// If getUniqueExitBlocks would return exactly one block, return that block.
294   /// Otherwise return null.
295   BlockT *getUniqueExitBlock() const;
296 
297   /// Return the unique exit block for the latch, or null if there are multiple
298   /// different exit blocks or the latch is not exiting.
299   BlockT *getUniqueLatchExitBlock() const;
300 
301   /// Return true if this loop does not have any exit blocks.
302   bool hasNoExitBlocks() const;
303 
304   /// Edge type.
305   typedef std::pair<BlockT *, BlockT *> Edge;
306 
307   /// Return all pairs of (_inside_block_,_outside_block_).
308   void getExitEdges(SmallVectorImpl<Edge> &ExitEdges) const;
309 
310   /// If there is a preheader for this loop, return it. A loop has a preheader
311   /// if there is only one edge to the header of the loop from outside of the
312   /// loop. If this is the case, the block branching to the header of the loop
313   /// is the preheader node.
314   ///
315   /// This method returns null if there is no preheader for the loop.
316   BlockT *getLoopPreheader() const;
317 
318   /// If the given loop's header has exactly one unique predecessor outside the
319   /// loop, return it. Otherwise return null.
320   ///  This is less strict that the loop "preheader" concept, which requires
321   /// the predecessor to have exactly one successor.
322   BlockT *getLoopPredecessor() const;
323 
324   /// If there is a single latch block for this loop, return it.
325   /// A latch block is a block that contains a branch back to the header.
326   BlockT *getLoopLatch() const;
327 
328   /// Return all loop latch blocks of this loop. A latch block is a block that
329   /// contains a branch back to the header.
330   void getLoopLatches(SmallVectorImpl<BlockT *> &LoopLatches) const {
331     assert(!isInvalid() && "Loop not in a valid state!");
332     BlockT *H = getHeader();
333     for (const auto Pred : inverse_children<BlockT *>(H))
334       if (contains(Pred))
335         LoopLatches.push_back(Pred);
336   }
337 
338   /// Return all inner loops in the loop nest rooted by the loop in preorder,
339   /// with siblings in forward program order.
340   template <class Type>
341   static void getInnerLoopsInPreorder(const LoopT &L,
342                                       SmallVectorImpl<Type> &PreOrderLoops) {
343     SmallVector<LoopT *, 4> PreOrderWorklist;
344     PreOrderWorklist.append(L.rbegin(), L.rend());
345 
346     while (!PreOrderWorklist.empty()) {
347       LoopT *L = PreOrderWorklist.pop_back_val();
348       // Sub-loops are stored in forward program order, but will process the
349       // worklist backwards so append them in reverse order.
350       PreOrderWorklist.append(L->rbegin(), L->rend());
351       PreOrderLoops.push_back(L);
352     }
353   }
354 
355   /// Return all loops in the loop nest rooted by the loop in preorder, with
356   /// siblings in forward program order.
357   SmallVector<const LoopT *, 4> getLoopsInPreorder() const {
358     SmallVector<const LoopT *, 4> PreOrderLoops;
359     const LoopT *CurLoop = static_cast<const LoopT *>(this);
360     PreOrderLoops.push_back(CurLoop);
361     getInnerLoopsInPreorder(*CurLoop, PreOrderLoops);
362     return PreOrderLoops;
363   }
364   SmallVector<LoopT *, 4> getLoopsInPreorder() {
365     SmallVector<LoopT *, 4> PreOrderLoops;
366     LoopT *CurLoop = static_cast<LoopT *>(this);
367     PreOrderLoops.push_back(CurLoop);
368     getInnerLoopsInPreorder(*CurLoop, PreOrderLoops);
369     return PreOrderLoops;
370   }
371 
372   //===--------------------------------------------------------------------===//
373   // APIs for updating loop information after changing the CFG
374   //
375 
376   /// This method is used by other analyses to update loop information.
377   /// NewBB is set to be a new member of the current loop.
378   /// Because of this, it is added as a member of all parent loops, and is added
379   /// to the specified LoopInfo object as being in the current basic block.  It
380   /// is not valid to replace the loop header with this method.
381   void addBasicBlockToLoop(BlockT *NewBB, LoopInfoBase<BlockT, LoopT> &LI);
382 
383   /// This is used when splitting loops up. It replaces the OldChild entry in
384   /// our children list with NewChild, and updates the parent pointer of
385   /// OldChild to be null and the NewChild to be this loop.
386   /// This updates the loop depth of the new child.
387   void replaceChildLoopWith(LoopT *OldChild, LoopT *NewChild);
388 
389   /// Add the specified loop to be a child of this loop.
390   /// This updates the loop depth of the new child.
391   void addChildLoop(LoopT *NewChild) {
392     assert(!isInvalid() && "Loop not in a valid state!");
393     assert(!NewChild->ParentLoop && "NewChild already has a parent!");
394     NewChild->ParentLoop = static_cast<LoopT *>(this);
395     SubLoops.push_back(NewChild);
396   }
397 
398   /// This removes the specified child from being a subloop of this loop. The
399   /// loop is not deleted, as it will presumably be inserted into another loop.
400   LoopT *removeChildLoop(iterator I) {
401     assert(!isInvalid() && "Loop not in a valid state!");
402     assert(I != SubLoops.end() && "Cannot remove end iterator!");
403     LoopT *Child = *I;
404     assert(Child->ParentLoop == this && "Child is not a child of this loop!");
405     SubLoops.erase(SubLoops.begin() + (I - begin()));
406     Child->ParentLoop = nullptr;
407     return Child;
408   }
409 
410   /// This removes the specified child from being a subloop of this loop. The
411   /// loop is not deleted, as it will presumably be inserted into another loop.
412   LoopT *removeChildLoop(LoopT *Child) {
413     return removeChildLoop(llvm::find(*this, Child));
414   }
415 
416   /// This adds a basic block directly to the basic block list.
417   /// This should only be used by transformations that create new loops.  Other
418   /// transformations should use addBasicBlockToLoop.
419   void addBlockEntry(BlockT *BB) {
420     assert(!isInvalid() && "Loop not in a valid state!");
421     Blocks.push_back(BB);
422     DenseBlockSet.insert(BB);
423   }
424 
425   /// interface to reverse Blocks[from, end of loop] in this loop
426   void reverseBlock(unsigned from) {
427     assert(!isInvalid() && "Loop not in a valid state!");
428     std::reverse(Blocks.begin() + from, Blocks.end());
429   }
430 
431   /// interface to do reserve() for Blocks
432   void reserveBlocks(unsigned size) {
433     assert(!isInvalid() && "Loop not in a valid state!");
434     Blocks.reserve(size);
435   }
436 
437   /// This method is used to move BB (which must be part of this loop) to be the
438   /// loop header of the loop (the block that dominates all others).
439   void moveToHeader(BlockT *BB) {
440     assert(!isInvalid() && "Loop not in a valid state!");
441     if (Blocks[0] == BB)
442       return;
443     for (unsigned i = 0;; ++i) {
444       assert(i != Blocks.size() && "Loop does not contain BB!");
445       if (Blocks[i] == BB) {
446         Blocks[i] = Blocks[0];
447         Blocks[0] = BB;
448         return;
449       }
450     }
451   }
452 
453   /// This removes the specified basic block from the current loop, updating the
454   /// Blocks as appropriate. This does not update the mapping in the LoopInfo
455   /// class.
456   void removeBlockFromLoop(BlockT *BB) {
457     assert(!isInvalid() && "Loop not in a valid state!");
458     auto I = find(Blocks, BB);
459     assert(I != Blocks.end() && "N is not in this list!");
460     Blocks.erase(I);
461 
462     DenseBlockSet.erase(BB);
463   }
464 
465   /// Verify loop structure
466   void verifyLoop() const;
467 
468   /// Verify loop structure of this loop and all nested loops.
469   void verifyLoopNest(DenseSet<const LoopT *> *Loops) const;
470 
471   /// Returns true if the loop is annotated parallel.
472   ///
473   /// Derived classes can override this method using static template
474   /// polymorphism.
475   bool isAnnotatedParallel() const { return false; }
476 
477   /// Print loop with all the BBs inside it.
478   void print(raw_ostream &OS, bool Verbose = false, bool PrintNested = true,
479              unsigned Depth = 0) const;
480 
481 protected:
482   friend class LoopInfoBase<BlockT, LoopT>;
483 
484   /// This creates an empty loop.
485   LoopBase() : ParentLoop(nullptr) {}
486 
487   explicit LoopBase(BlockT *BB) : ParentLoop(nullptr) {
488     Blocks.push_back(BB);
489     DenseBlockSet.insert(BB);
490   }
491 
492   // Since loop passes like SCEV are allowed to key analysis results off of
493   // `Loop` pointers, we cannot re-use pointers within a loop pass manager.
494   // This means loop passes should not be `delete` ing `Loop` objects directly
495   // (and risk a later `Loop` allocation re-using the address of a previous one)
496   // but should be using LoopInfo::markAsRemoved, which keeps around the `Loop`
497   // pointer till the end of the lifetime of the `LoopInfo` object.
498   //
499   // To make it easier to follow this rule, we mark the destructor as
500   // non-public.
501   ~LoopBase() {
502     for (auto *SubLoop : SubLoops)
503       SubLoop->~LoopT();
504 
505 #if LLVM_ENABLE_ABI_BREAKING_CHECKS
506     IsInvalid = true;
507 #endif
508     SubLoops.clear();
509     Blocks.clear();
510     DenseBlockSet.clear();
511     ParentLoop = nullptr;
512   }
513 };
514 
515 template <class BlockT, class LoopT>
516 raw_ostream &operator<<(raw_ostream &OS, const LoopBase<BlockT, LoopT> &Loop) {
517   Loop.print(OS);
518   return OS;
519 }
520 
521 //===----------------------------------------------------------------------===//
522 /// This class builds and contains all of the top-level loop
523 /// structures in the specified function.
524 ///
525 
526 template <class BlockT, class LoopT> class LoopInfoBase {
527   // BBMap - Mapping of basic blocks to the inner most loop they occur in
528   DenseMap<const BlockT *, LoopT *> BBMap;
529   std::vector<LoopT *> TopLevelLoops;
530   BumpPtrAllocator LoopAllocator;
531 
532   friend class LoopBase<BlockT, LoopT>;
533   friend class LoopInfo;
534 
535   void operator=(const LoopInfoBase &) = delete;
536   LoopInfoBase(const LoopInfoBase &) = delete;
537 
538 public:
539   LoopInfoBase() = default;
540   ~LoopInfoBase() { releaseMemory(); }
541 
542   LoopInfoBase(LoopInfoBase &&Arg)
543       : BBMap(std::move(Arg.BBMap)),
544         TopLevelLoops(std::move(Arg.TopLevelLoops)),
545         LoopAllocator(std::move(Arg.LoopAllocator)) {
546     // We have to clear the arguments top level loops as we've taken ownership.
547     Arg.TopLevelLoops.clear();
548   }
549   LoopInfoBase &operator=(LoopInfoBase &&RHS) {
550     BBMap = std::move(RHS.BBMap);
551 
552     for (auto *L : TopLevelLoops)
553       L->~LoopT();
554 
555     TopLevelLoops = std::move(RHS.TopLevelLoops);
556     LoopAllocator = std::move(RHS.LoopAllocator);
557     RHS.TopLevelLoops.clear();
558     return *this;
559   }
560 
561   void releaseMemory() {
562     BBMap.clear();
563 
564     for (auto *L : TopLevelLoops)
565       L->~LoopT();
566     TopLevelLoops.clear();
567     LoopAllocator.Reset();
568   }
569 
570   template <typename... ArgsTy> LoopT *AllocateLoop(ArgsTy &&...Args) {
571     LoopT *Storage = LoopAllocator.Allocate<LoopT>();
572     return new (Storage) LoopT(std::forward<ArgsTy>(Args)...);
573   }
574 
575   /// iterator/begin/end - The interface to the top-level loops in the current
576   /// function.
577   ///
578   typedef typename std::vector<LoopT *>::const_iterator iterator;
579   typedef
580       typename std::vector<LoopT *>::const_reverse_iterator reverse_iterator;
581   iterator begin() const { return TopLevelLoops.begin(); }
582   iterator end() const { return TopLevelLoops.end(); }
583   reverse_iterator rbegin() const { return TopLevelLoops.rbegin(); }
584   reverse_iterator rend() const { return TopLevelLoops.rend(); }
585   bool empty() const { return TopLevelLoops.empty(); }
586 
587   /// Return all of the loops in the function in preorder across the loop
588   /// nests, with siblings in forward program order.
589   ///
590   /// Note that because loops form a forest of trees, preorder is equivalent to
591   /// reverse postorder.
592   SmallVector<LoopT *, 4> getLoopsInPreorder() const;
593 
594   /// Return all of the loops in the function in preorder across the loop
595   /// nests, with siblings in *reverse* program order.
596   ///
597   /// Note that because loops form a forest of trees, preorder is equivalent to
598   /// reverse postorder.
599   ///
600   /// Also note that this is *not* a reverse preorder. Only the siblings are in
601   /// reverse program order.
602   SmallVector<LoopT *, 4> getLoopsInReverseSiblingPreorder() const;
603 
604   /// Return the inner most loop that BB lives in. If a basic block is in no
605   /// loop (for example the entry node), null is returned.
606   LoopT *getLoopFor(const BlockT *BB) const { return BBMap.lookup(BB); }
607 
608   /// Same as getLoopFor.
609   const LoopT *operator[](const BlockT *BB) const { return getLoopFor(BB); }
610 
611   /// Return the loop nesting level of the specified block. A depth of 0 means
612   /// the block is not inside any loop.
613   unsigned getLoopDepth(const BlockT *BB) const {
614     const LoopT *L = getLoopFor(BB);
615     return L ? L->getLoopDepth() : 0;
616   }
617 
618   // True if the block is a loop header node
619   bool isLoopHeader(const BlockT *BB) const {
620     const LoopT *L = getLoopFor(BB);
621     return L && L->getHeader() == BB;
622   }
623 
624   /// Return the top-level loops.
625   const std::vector<LoopT *> &getTopLevelLoops() const { return TopLevelLoops; }
626 
627   /// Return the top-level loops.
628   std::vector<LoopT *> &getTopLevelLoopsVector() { return TopLevelLoops; }
629 
630   /// This removes the specified top-level loop from this loop info object.
631   /// The loop is not deleted, as it will presumably be inserted into
632   /// another loop.
633   LoopT *removeLoop(iterator I) {
634     assert(I != end() && "Cannot remove end iterator!");
635     LoopT *L = *I;
636     assert(L->isOutermost() && "Not a top-level loop!");
637     TopLevelLoops.erase(TopLevelLoops.begin() + (I - begin()));
638     return L;
639   }
640 
641   /// Change the top-level loop that contains BB to the specified loop.
642   /// This should be used by transformations that restructure the loop hierarchy
643   /// tree.
644   void changeLoopFor(BlockT *BB, LoopT *L) {
645     if (!L) {
646       BBMap.erase(BB);
647       return;
648     }
649     BBMap[BB] = L;
650   }
651 
652   /// Replace the specified loop in the top-level loops list with the indicated
653   /// loop.
654   void changeTopLevelLoop(LoopT *OldLoop, LoopT *NewLoop) {
655     auto I = find(TopLevelLoops, OldLoop);
656     assert(I != TopLevelLoops.end() && "Old loop not at top level!");
657     *I = NewLoop;
658     assert(!NewLoop->ParentLoop && !OldLoop->ParentLoop &&
659            "Loops already embedded into a subloop!");
660   }
661 
662   /// This adds the specified loop to the collection of top-level loops.
663   void addTopLevelLoop(LoopT *New) {
664     assert(New->isOutermost() && "Loop already in subloop!");
665     TopLevelLoops.push_back(New);
666   }
667 
668   /// This method completely removes BB from all data structures,
669   /// including all of the Loop objects it is nested in and our mapping from
670   /// BasicBlocks to loops.
671   void removeBlock(BlockT *BB) {
672     auto I = BBMap.find(BB);
673     if (I != BBMap.end()) {
674       for (LoopT *L = I->second; L; L = L->getParentLoop())
675         L->removeBlockFromLoop(BB);
676 
677       BBMap.erase(I);
678     }
679   }
680 
681   // Internals
682 
683   static bool isNotAlreadyContainedIn(const LoopT *SubLoop,
684                                       const LoopT *ParentLoop) {
685     if (!SubLoop)
686       return true;
687     if (SubLoop == ParentLoop)
688       return false;
689     return isNotAlreadyContainedIn(SubLoop->getParentLoop(), ParentLoop);
690   }
691 
692   /// Create the loop forest using a stable algorithm.
693   void analyze(const DominatorTreeBase<BlockT, false> &DomTree);
694 
695   // Debugging
696   void print(raw_ostream &OS) const;
697 
698   void verify(const DominatorTreeBase<BlockT, false> &DomTree) const;
699 
700   /// Destroy a loop that has been removed from the `LoopInfo` nest.
701   ///
702   /// This runs the destructor of the loop object making it invalid to
703   /// reference afterward. The memory is retained so that the *pointer* to the
704   /// loop remains valid.
705   ///
706   /// The caller is responsible for removing this loop from the loop nest and
707   /// otherwise disconnecting it from the broader `LoopInfo` data structures.
708   /// Callers that don't naturally handle this themselves should probably call
709   /// `erase' instead.
710   void destroy(LoopT *L) {
711     L->~LoopT();
712 
713     // Since LoopAllocator is a BumpPtrAllocator, this Deallocate only poisons
714     // \c L, but the pointer remains valid for non-dereferencing uses.
715     LoopAllocator.Deallocate(L);
716   }
717 };
718 
719 } // namespace llvm
720 
721 #endif // LLVM_SUPPORT_GENERICLOOPINFO_H
722