blob: be62e4c745c49101e6a2443a13dbba932ff08208 [file] [log] [blame]
Sanjoy Dasa1837a32015-01-16 01:03:22 +00001//===-- InductiveRangeCheckElimination.cpp - ------------------------------===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9// The InductiveRangeCheckElimination pass splits a loop's iteration space into
10// three disjoint ranges. It does that in a way such that the loop running in
11// the middle loop provably does not need range checks. As an example, it will
12// convert
13//
14// len = < known positive >
15// for (i = 0; i < n; i++) {
16// if (0 <= i && i < len) {
17// do_something();
18// } else {
19// throw_out_of_bounds();
20// }
21// }
22//
23// to
24//
25// len = < known positive >
26// limit = smin(n, len)
27// // no first segment
28// for (i = 0; i < limit; i++) {
29// if (0 <= i && i < len) { // this check is fully redundant
30// do_something();
31// } else {
32// throw_out_of_bounds();
33// }
34// }
35// for (i = limit; i < n; i++) {
36// if (0 <= i && i < len) {
37// do_something();
38// } else {
39// throw_out_of_bounds();
40// }
41// }
42//===----------------------------------------------------------------------===//
43
44#include "llvm/ADT/Optional.h"
45
46#include "llvm/Analysis/InstructionSimplify.h"
47#include "llvm/Analysis/LoopInfo.h"
48#include "llvm/Analysis/LoopPass.h"
49#include "llvm/Analysis/ScalarEvolution.h"
50#include "llvm/Analysis/ScalarEvolutionExpander.h"
51#include "llvm/Analysis/ScalarEvolutionExpressions.h"
52#include "llvm/Analysis/ValueTracking.h"
53
54#include "llvm/IR/Dominators.h"
55#include "llvm/IR/Function.h"
56#include "llvm/IR/Instructions.h"
57#include "llvm/IR/IRBuilder.h"
58#include "llvm/IR/Module.h"
59#include "llvm/IR/PatternMatch.h"
60#include "llvm/IR/ValueHandle.h"
61#include "llvm/IR/Verifier.h"
62
63#include "llvm/Support/Debug.h"
64
65#include "llvm/Transforms/Scalar.h"
66#include "llvm/Transforms/Utils/BasicBlockUtils.h"
67#include "llvm/Transforms/Utils/Cloning.h"
68#include "llvm/Transforms/Utils/LoopUtils.h"
69#include "llvm/Transforms/Utils/SimplifyIndVar.h"
70#include "llvm/Transforms/Utils/UnrollLoop.h"
71
72#include "llvm/Pass.h"
73
74#include <array>
75
76using namespace llvm;
77
78cl::opt<unsigned> LoopSizeCutoff("irce-loop-size-cutoff", cl::Hidden,
79 cl::init(64));
80
81cl::opt<bool> PrintChangedLoops("irce-print-changed-loops", cl::Hidden,
82 cl::init(false));
83
84#define DEBUG_TYPE "irce"
85
86namespace {
87
88/// An inductive range check is conditional branch in a loop with
89///
90/// 1. a very cold successor (i.e. the branch jumps to that successor very
91/// rarely)
92///
93/// and
94///
95/// 2. a condition that is provably true for some range of values taken by the
96/// containing loop's induction variable.
97///
98/// Currently all inductive range checks are branches conditional on an
99/// expression of the form
100///
101/// 0 <= (Offset + Scale * I) < Length
102///
103/// where `I' is the canonical induction variable of a loop to which Offset and
104/// Scale are loop invariant, and Length is >= 0. Currently the 'false' branch
105/// is considered cold, looking at profiling data to verify that is a TODO.
106
107class InductiveRangeCheck {
108 const SCEV *Offset;
109 const SCEV *Scale;
110 Value *Length;
111 BranchInst *Branch;
112
113 InductiveRangeCheck() :
114 Offset(nullptr), Scale(nullptr), Length(nullptr), Branch(nullptr) { }
115
116public:
117 const SCEV *getOffset() const { return Offset; }
118 const SCEV *getScale() const { return Scale; }
119 Value *getLength() const { return Length; }
120
121 void print(raw_ostream &OS) const {
122 OS << "InductiveRangeCheck:\n";
123 OS << " Offset: ";
124 Offset->print(OS);
125 OS << " Scale: ";
126 Scale->print(OS);
127 OS << " Length: ";
128 Length->print(OS);
129 OS << " Branch: ";
130 getBranch()->print(OS);
131 }
132
133#if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
134 void dump() {
135 print(dbgs());
136 }
137#endif
138
139 BranchInst *getBranch() const { return Branch; }
140
141 /// Represents an integer range [Range.first, Range.second). If Range.second
142 /// < Range.first, then the value denotes the empty range.
143 typedef std::pair<Value *, Value *> Range;
144 typedef SpecificBumpPtrAllocator<InductiveRangeCheck> AllocatorTy;
145
146 /// This is the value the condition of the branch needs to evaluate to for the
147 /// branch to take the hot successor (see (1) above).
148 bool getPassingDirection() { return true; }
149
150 /// Computes a range for the induction variable in which the range check is
151 /// redundant and can be constant-folded away.
152 Optional<Range> computeSafeIterationSpace(ScalarEvolution &SE,
153 IRBuilder<> &B) const;
154
155 /// Create an inductive range check out of BI if possible, else return
156 /// nullptr.
157 static InductiveRangeCheck *create(AllocatorTy &Alloc, BranchInst *BI,
158 Loop *L, ScalarEvolution &SE);
159};
160
161class InductiveRangeCheckElimination : public LoopPass {
162 InductiveRangeCheck::AllocatorTy Allocator;
163
164public:
165 static char ID;
166 InductiveRangeCheckElimination() : LoopPass(ID) {
167 initializeInductiveRangeCheckEliminationPass(
168 *PassRegistry::getPassRegistry());
169 }
170
171 void getAnalysisUsage(AnalysisUsage &AU) const override {
Chandler Carruth4f8f3072015-01-17 14:16:18 +0000172 AU.addRequired<LoopInfoWrapperPass>();
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000173 AU.addRequiredID(LoopSimplifyID);
174 AU.addRequiredID(LCSSAID);
175 AU.addRequired<ScalarEvolution>();
176 }
177
178 bool runOnLoop(Loop *L, LPPassManager &LPM) override;
179};
180
181char InductiveRangeCheckElimination::ID = 0;
182}
183
184INITIALIZE_PASS(InductiveRangeCheckElimination, "irce",
185 "Inductive range check elimination", false, false)
186
187static bool IsLowerBoundCheck(Value *Check, Value *&IndexV) {
188 using namespace llvm::PatternMatch;
189
190 ICmpInst::Predicate Pred = ICmpInst::BAD_ICMP_PREDICATE;
191 Value *LHS = nullptr, *RHS = nullptr;
192
193 if (!match(Check, m_ICmp(Pred, m_Value(LHS), m_Value(RHS))))
194 return false;
195
196 switch (Pred) {
197 default:
198 return false;
199
200 case ICmpInst::ICMP_SLE:
201 std::swap(LHS, RHS);
202 // fallthrough
203 case ICmpInst::ICMP_SGE:
204 if (!match(RHS, m_ConstantInt<0>()))
205 return false;
206 IndexV = LHS;
207 return true;
208
209 case ICmpInst::ICMP_SLT:
210 std::swap(LHS, RHS);
211 // fallthrough
212 case ICmpInst::ICMP_SGT:
213 if (!match(RHS, m_ConstantInt<-1>()))
214 return false;
215 IndexV = LHS;
216 return true;
217 }
218}
219
220static bool IsUpperBoundCheck(Value *Check, Value *Index, Value *&UpperLimit) {
221 using namespace llvm::PatternMatch;
222
223 ICmpInst::Predicate Pred = ICmpInst::BAD_ICMP_PREDICATE;
224 Value *LHS = nullptr, *RHS = nullptr;
225
226 if (!match(Check, m_ICmp(Pred, m_Value(LHS), m_Value(RHS))))
227 return false;
228
229 switch (Pred) {
230 default:
231 return false;
232
233 case ICmpInst::ICMP_SGT:
234 std::swap(LHS, RHS);
235 // fallthrough
236 case ICmpInst::ICMP_SLT:
237 if (LHS != Index)
238 return false;
239 UpperLimit = RHS;
240 return true;
241
242 case ICmpInst::ICMP_UGT:
243 std::swap(LHS, RHS);
244 // fallthrough
245 case ICmpInst::ICMP_ULT:
246 if (LHS != Index)
247 return false;
248 UpperLimit = RHS;
249 return true;
250 }
251}
252
253/// Split a condition into something semantically equivalent to (0 <= I <
254/// Limit), both comparisons signed and Len loop invariant on L and positive.
255/// On success, return true and set Index to I and UpperLimit to Limit. Return
256/// false on failure (we may still write to UpperLimit and Index on failure).
257/// It does not try to interpret I as a loop index.
258///
259static bool SplitRangeCheckCondition(Loop *L, ScalarEvolution &SE,
260 Value *Condition, const SCEV *&Index,
261 Value *&UpperLimit) {
262
263 // TODO: currently this catches some silly cases like comparing "%idx slt 1".
264 // Our transformations are still correct, but less likely to be profitable in
265 // those cases. We have to come up with some heuristics that pick out the
266 // range checks that are more profitable to clone a loop for. This function
267 // in general can be made more robust.
268
269 using namespace llvm::PatternMatch;
270
271 Value *A = nullptr;
272 Value *B = nullptr;
273 ICmpInst::Predicate Pred = ICmpInst::BAD_ICMP_PREDICATE;
274
275 // In these early checks we assume that the matched UpperLimit is positive.
276 // We'll verify that fact later, before returning true.
277
278 if (match(Condition, m_And(m_Value(A), m_Value(B)))) {
279 Value *IndexV = nullptr;
280 Value *ExpectedUpperBoundCheck = nullptr;
281
282 if (IsLowerBoundCheck(A, IndexV))
283 ExpectedUpperBoundCheck = B;
284 else if (IsLowerBoundCheck(B, IndexV))
285 ExpectedUpperBoundCheck = A;
286 else
287 return false;
288
289 if (!IsUpperBoundCheck(ExpectedUpperBoundCheck, IndexV, UpperLimit))
290 return false;
291
292 Index = SE.getSCEV(IndexV);
293
294 if (isa<SCEVCouldNotCompute>(Index))
295 return false;
296
297 } else if (match(Condition, m_ICmp(Pred, m_Value(A), m_Value(B)))) {
298 switch (Pred) {
299 default:
300 return false;
301
302 case ICmpInst::ICMP_SGT:
303 std::swap(A, B);
304 // fall through
305 case ICmpInst::ICMP_SLT:
306 UpperLimit = B;
307 Index = SE.getSCEV(A);
308 if (isa<SCEVCouldNotCompute>(Index) || !SE.isKnownNonNegative(Index))
309 return false;
310 break;
311
312 case ICmpInst::ICMP_UGT:
313 std::swap(A, B);
314 // fall through
315 case ICmpInst::ICMP_ULT:
316 UpperLimit = B;
317 Index = SE.getSCEV(A);
318 if (isa<SCEVCouldNotCompute>(Index))
319 return false;
320 break;
321 }
322 } else {
323 return false;
324 }
325
326 const SCEV *UpperLimitSCEV = SE.getSCEV(UpperLimit);
327 if (isa<SCEVCouldNotCompute>(UpperLimitSCEV) ||
328 !SE.isKnownNonNegative(UpperLimitSCEV))
329 return false;
330
331 if (SE.getLoopDisposition(UpperLimitSCEV, L) !=
332 ScalarEvolution::LoopInvariant) {
333 DEBUG(dbgs() << " in function: " << L->getHeader()->getParent()->getName()
334 << " ";
335 dbgs() << " UpperLimit is not loop invariant: "
336 << UpperLimit->getName() << "\n";);
337 return false;
338 }
339
340 return true;
341}
342
343InductiveRangeCheck *
344InductiveRangeCheck::create(InductiveRangeCheck::AllocatorTy &A, BranchInst *BI,
345 Loop *L, ScalarEvolution &SE) {
346
347 if (BI->isUnconditional() || BI->getParent() == L->getLoopLatch())
348 return nullptr;
349
350 Value *Length = nullptr;
351 const SCEV *IndexSCEV = nullptr;
352
353 if (!SplitRangeCheckCondition(L, SE, BI->getCondition(), IndexSCEV, Length))
354 return nullptr;
355
356 assert(IndexSCEV && Length && "contract with SplitRangeCheckCondition!");
357
358 const SCEVAddRecExpr *IndexAddRec = dyn_cast<SCEVAddRecExpr>(IndexSCEV);
359 bool IsAffineIndex =
360 IndexAddRec && (IndexAddRec->getLoop() == L) && IndexAddRec->isAffine();
361
362 if (!IsAffineIndex)
363 return nullptr;
364
365 InductiveRangeCheck *IRC = new (A.Allocate()) InductiveRangeCheck;
366 IRC->Length = Length;
367 IRC->Offset = IndexAddRec->getStart();
368 IRC->Scale = IndexAddRec->getStepRecurrence(SE);
369 IRC->Branch = BI;
370 return IRC;
371}
372
373static Value *MaybeSimplify(Value *V) {
374 if (Instruction *I = dyn_cast<Instruction>(V))
375 if (Value *Simplified = SimplifyInstruction(I))
376 return Simplified;
377 return V;
378}
379
380static Value *ConstructSMinOf(Value *X, Value *Y, IRBuilder<> &B) {
381 return MaybeSimplify(B.CreateSelect(B.CreateICmpSLT(X, Y), X, Y));
382}
383
384static Value *ConstructSMaxOf(Value *X, Value *Y, IRBuilder<> &B) {
385 return MaybeSimplify(B.CreateSelect(B.CreateICmpSGT(X, Y), X, Y));
386}
387
388namespace {
389
390/// This class is used to constrain loops to run within a given iteration space.
391/// The algorithm this class implements is given a Loop and a range [Begin,
392/// End). The algorithm then tries to break out a "main loop" out of the loop
393/// it is given in a way that the "main loop" runs with the induction variable
394/// in a subset of [Begin, End). The algorithm emits appropriate pre and post
395/// loops to run any remaining iterations. The pre loop runs any iterations in
396/// which the induction variable is < Begin, and the post loop runs any
397/// iterations in which the induction variable is >= End.
398///
399class LoopConstrainer {
400
401 // Keeps track of the structure of a loop. This is similar to llvm::Loop,
402 // except that it is more lightweight and can track the state of a loop
403 // through changing and potentially invalid IR. This structure also
404 // formalizes the kinds of loops we can deal with -- ones that have a single
405 // latch that is also an exiting block *and* have a canonical induction
406 // variable.
407 struct LoopStructure {
408 const char *Tag;
409
410 BasicBlock *Header;
411 BasicBlock *Latch;
412
413 // `Latch's terminator instruction is `LatchBr', and it's `LatchBrExitIdx'th
414 // successor is `LatchExit', the exit block of the loop.
415 BranchInst *LatchBr;
416 BasicBlock *LatchExit;
417 unsigned LatchBrExitIdx;
418
419 // The canonical induction variable. It's value is `CIVStart` on the 0th
420 // itertion and `CIVNext` for all iterations after that.
421 PHINode *CIV;
422 Value *CIVStart;
423 Value *CIVNext;
424
425 LoopStructure() : Tag(""), Header(nullptr), Latch(nullptr),
426 LatchBr(nullptr), LatchExit(nullptr),
427 LatchBrExitIdx(-1), CIV(nullptr),
428 CIVStart(nullptr), CIVNext(nullptr) { }
429
430 template <typename M> LoopStructure map(M Map) const {
431 LoopStructure Result;
432 Result.Tag = Tag;
433 Result.Header = cast<BasicBlock>(Map(Header));
434 Result.Latch = cast<BasicBlock>(Map(Latch));
435 Result.LatchBr = cast<BranchInst>(Map(LatchBr));
436 Result.LatchExit = cast<BasicBlock>(Map(LatchExit));
437 Result.LatchBrExitIdx = LatchBrExitIdx;
438 Result.CIV = cast<PHINode>(Map(CIV));
439 Result.CIVNext = Map(CIVNext);
440 Result.CIVStart = Map(CIVStart);
441 return Result;
442 }
443 };
444
445 // The representation of a clone of the original loop we started out with.
446 struct ClonedLoop {
447 // The cloned blocks
448 std::vector<BasicBlock *> Blocks;
449
450 // `Map` maps values in the clonee into values in the cloned version
451 ValueToValueMapTy Map;
452
453 // An instance of `LoopStructure` for the cloned loop
454 LoopStructure Structure;
455 };
456
457 // Result of rewriting the range of a loop. See changeIterationSpaceEnd for
458 // more details on what these fields mean.
459 struct RewrittenRangeInfo {
460 BasicBlock *PseudoExit;
461 BasicBlock *ExitSelector;
462 std::vector<PHINode *> PHIValuesAtPseudoExit;
463
464 RewrittenRangeInfo() : PseudoExit(nullptr), ExitSelector(nullptr) { }
465 };
466
467 // Calculated subranges we restrict the iteration space of the main loop to.
468 // See the implementation of `calculateSubRanges' for more details on how
469 // these fields are computed. `ExitPreLoopAt' is `None' if we don't need a
470 // pre loop. `ExitMainLoopAt' is `None' if we don't need a post loop.
471 struct SubRanges {
472 Optional<Value *> ExitPreLoopAt;
473 Optional<Value *> ExitMainLoopAt;
474 };
475
476 // A utility function that does a `replaceUsesOfWith' on the incoming block
477 // set of a `PHINode' -- replaces instances of `Block' in the `PHINode's
478 // incoming block list with `ReplaceBy'.
479 static void replacePHIBlock(PHINode *PN, BasicBlock *Block,
480 BasicBlock *ReplaceBy);
481
482 // Try to "parse" `OriginalLoop' and populate the various out parameters.
483 // Returns true on success, false on failure.
484 //
485 bool recognizeLoop(LoopStructure &LoopStructureOut,
486 const SCEV *&LatchCountOut, BasicBlock *&PreHeaderOut,
487 const char *&FailureReasonOut) const;
488
489 // Compute a safe set of limits for the main loop to run in -- effectively the
490 // intersection of `Range' and the iteration space of the original loop.
491 // Return the header count (1 + the latch taken count) in `HeaderCount'.
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +0000492 // Return None if unable to compute the set of subranges.
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000493 //
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +0000494 Optional<SubRanges> calculateSubRanges(Value *&HeaderCount) const;
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000495
496 // Clone `OriginalLoop' and return the result in CLResult. The IR after
497 // running `cloneLoop' is well formed except for the PHI nodes in CLResult --
498 // the PHI nodes say that there is an incoming edge from `OriginalPreheader`
499 // but there is no such edge.
500 //
501 void cloneLoop(ClonedLoop &CLResult, const char *Tag) const;
502
503 // Rewrite the iteration space of the loop denoted by (LS, Preheader). The
504 // iteration space of the rewritten loop ends at ExitLoopAt. The start of the
505 // iteration space is not changed. `ExitLoopAt' is assumed to be slt
506 // `OriginalHeaderCount'.
507 //
508 // If there are iterations left to execute, control is made to jump to
509 // `ContinuationBlock', otherwise they take the normal loop exit. The
510 // returned `RewrittenRangeInfo' object is populated as follows:
511 //
512 // .PseudoExit is a basic block that unconditionally branches to
513 // `ContinuationBlock'.
514 //
515 // .ExitSelector is a basic block that decides, on exit from the loop,
516 // whether to branch to the "true" exit or to `PseudoExit'.
517 //
518 // .PHIValuesAtPseudoExit are PHINodes in `PseudoExit' that compute the value
519 // for each PHINode in the loop header on taking the pseudo exit.
520 //
521 // After changeIterationSpaceEnd, `Preheader' is no longer a legitimate
522 // preheader because it is made to branch to the loop header only
523 // conditionally.
524 //
525 RewrittenRangeInfo
526 changeIterationSpaceEnd(const LoopStructure &LS, BasicBlock *Preheader,
527 Value *ExitLoopAt,
528 BasicBlock *ContinuationBlock) const;
529
530 // The loop denoted by `LS' has `OldPreheader' as its preheader. This
531 // function creates a new preheader for `LS' and returns it.
532 //
533 BasicBlock *createPreheader(const LoopConstrainer::LoopStructure &LS,
534 BasicBlock *OldPreheader, const char *Tag) const;
535
536 // `ContinuationBlockAndPreheader' was the continuation block for some call to
537 // `changeIterationSpaceEnd' and is the preheader to the loop denoted by `LS'.
538 // This function rewrites the PHI nodes in `LS.Header' to start with the
539 // correct value.
540 void rewriteIncomingValuesForPHIs(
541 LoopConstrainer::LoopStructure &LS,
542 BasicBlock *ContinuationBlockAndPreheader,
543 const LoopConstrainer::RewrittenRangeInfo &RRI) const;
544
545 // Even though we do not preserve any passes at this time, we at least need to
546 // keep the parent loop structure consistent. The `LPPassManager' seems to
547 // verify this after running a loop pass. This function adds the list of
548 // blocks denoted by the iterator range [BlocksBegin, BlocksEnd) to this loops
549 // parent loop if required.
550 template<typename IteratorTy>
551 void addToParentLoopIfNeeded(IteratorTy BlocksBegin, IteratorTy BlocksEnd);
552
553 // Some global state.
554 Function &F;
555 LLVMContext &Ctx;
556 ScalarEvolution &SE;
557
558 // Information about the original loop we started out with.
559 Loop &OriginalLoop;
560 LoopInfo &OriginalLoopInfo;
561 const SCEV *LatchTakenCount;
562 BasicBlock *OriginalPreheader;
563 Value *OriginalHeaderCount;
564
565 // The preheader of the main loop. This may or may not be different from
566 // `OriginalPreheader'.
567 BasicBlock *MainLoopPreheader;
568
569 // The range we need to run the main loop in.
570 InductiveRangeCheck::Range Range;
571
572 // The structure of the main loop (see comment at the beginning of this class
573 // for a definition)
574 LoopStructure MainLoopStructure;
575
576public:
577 LoopConstrainer(Loop &L, LoopInfo &LI, ScalarEvolution &SE,
578 InductiveRangeCheck::Range R)
579 : F(*L.getHeader()->getParent()), Ctx(L.getHeader()->getContext()), SE(SE),
580 OriginalLoop(L), OriginalLoopInfo(LI), LatchTakenCount(nullptr),
581 OriginalPreheader(nullptr), OriginalHeaderCount(nullptr),
582 MainLoopPreheader(nullptr), Range(R) { }
583
584 // Entry point for the algorithm. Returns true on success.
585 bool run();
586};
587
588}
589
590void LoopConstrainer::replacePHIBlock(PHINode *PN, BasicBlock *Block,
591 BasicBlock *ReplaceBy) {
592 for (unsigned i = 0, e = PN->getNumIncomingValues(); i != e; ++i)
593 if (PN->getIncomingBlock(i) == Block)
594 PN->setIncomingBlock(i, ReplaceBy);
595}
596
597bool LoopConstrainer::recognizeLoop(LoopStructure &LoopStructureOut,
598 const SCEV *&LatchCountOut,
599 BasicBlock *&PreheaderOut,
600 const char *&FailureReason) const {
601 using namespace llvm::PatternMatch;
602
603 assert(OriginalLoop.isLoopSimplifyForm() &&
604 "should follow from addRequired<>");
605
606 BasicBlock *Latch = OriginalLoop.getLoopLatch();
607 if (!OriginalLoop.isLoopExiting(Latch)) {
608 FailureReason = "no loop latch";
609 return false;
610 }
611
612 PHINode *CIV = OriginalLoop.getCanonicalInductionVariable();
613 if (!CIV) {
614 FailureReason = "no CIV";
615 return false;
616 }
617
618 BasicBlock *Header = OriginalLoop.getHeader();
619 BasicBlock *Preheader = OriginalLoop.getLoopPreheader();
620 if (!Preheader) {
621 FailureReason = "no preheader";
622 return false;
623 }
624
625 Value *CIVNext = CIV->getIncomingValueForBlock(Latch);
626 Value *CIVStart = CIV->getIncomingValueForBlock(Preheader);
627
628 const SCEV *LatchCount = SE.getExitCount(&OriginalLoop, Latch);
629 if (isa<SCEVCouldNotCompute>(LatchCount)) {
630 FailureReason = "could not compute latch count";
631 return false;
632 }
633
634 // While SCEV does most of the analysis for us, we still have to
635 // modify the latch; and currently we can only deal with certain
636 // kinds of latches. This can be made more sophisticated as needed.
637
638 BranchInst *LatchBr = dyn_cast<BranchInst>(&*Latch->rbegin());
639
640 if (!LatchBr || LatchBr->isUnconditional()) {
641 FailureReason = "latch terminator not conditional branch";
642 return false;
643 }
644
645 // Currently we only support a latch condition of the form:
646 //
647 // %condition = icmp slt %civNext, %limit
648 // br i1 %condition, label %header, label %exit
649
650 if (LatchBr->getSuccessor(0) != Header) {
651 FailureReason = "unknown latch form (header not first successor)";
652 return false;
653 }
654
655 Value *CIVComparedTo = nullptr;
656 ICmpInst::Predicate Pred = ICmpInst::BAD_ICMP_PREDICATE;
657 if (!(match(LatchBr->getCondition(),
658 m_ICmp(Pred, m_Specific(CIVNext), m_Value(CIVComparedTo))) &&
659 Pred == ICmpInst::ICMP_SLT)) {
660 FailureReason = "unknown latch form (not slt)";
661 return false;
662 }
663
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +0000664 // IndVarSimplify will sometimes leave behind (in SCEV's cache) backedge-taken
665 // counts that are narrower than the canonical induction variable. These
666 // values are still accurate, and we could probably use them after sign/zero
667 // extension; but for now we just bail out of the transformation to keep
668 // things simple.
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000669 const SCEV *CIVComparedToSCEV = SE.getSCEV(CIVComparedTo);
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +0000670 if (isa<SCEVCouldNotCompute>(CIVComparedToSCEV) ||
671 CIVComparedToSCEV->getType() != LatchCount->getType()) {
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000672 FailureReason = "could not relate CIV to latch expression";
673 return false;
674 }
675
676 const SCEV *ShouldBeOne = SE.getMinusSCEV(CIVComparedToSCEV, LatchCount);
677 const SCEVConstant *SCEVOne = dyn_cast<SCEVConstant>(ShouldBeOne);
678 if (!SCEVOne || SCEVOne->getValue()->getValue() != 1) {
679 FailureReason = "unexpected header count in latch";
680 return false;
681 }
682
683 unsigned LatchBrExitIdx = 1;
684 BasicBlock *LatchExit = LatchBr->getSuccessor(LatchBrExitIdx);
685
686 assert(SE.getLoopDisposition(LatchCount, &OriginalLoop) ==
687 ScalarEvolution::LoopInvariant &&
688 "loop variant exit count doesn't make sense!");
689
690 assert(!OriginalLoop.contains(LatchExit) && "expected an exit block!");
691
692 LoopStructureOut.Tag = "main";
693 LoopStructureOut.Header = Header;
694 LoopStructureOut.Latch = Latch;
695 LoopStructureOut.LatchBr = LatchBr;
696 LoopStructureOut.LatchExit = LatchExit;
697 LoopStructureOut.LatchBrExitIdx = LatchBrExitIdx;
698 LoopStructureOut.CIV = CIV;
699 LoopStructureOut.CIVNext = CIVNext;
700 LoopStructureOut.CIVStart = CIVStart;
701
702 LatchCountOut = LatchCount;
703 PreheaderOut = Preheader;
704 FailureReason = nullptr;
705
706 return true;
707}
708
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +0000709Optional<LoopConstrainer::SubRanges>
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000710LoopConstrainer::calculateSubRanges(Value *&HeaderCountOut) const {
711 IntegerType *Ty = cast<IntegerType>(LatchTakenCount->getType());
712
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +0000713 assert(Range.first->getType() == Range.second->getType() &&
714 "ill-typed range!");
715 if (Range.first->getType() != Ty)
716 return None;
717
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000718 SCEVExpander Expander(SE, "irce");
719 Instruction *InsertPt = OriginalPreheader->getTerminator();
720
721 Value *LatchCountV =
722 MaybeSimplify(Expander.expandCodeFor(LatchTakenCount, Ty, InsertPt));
723
724 IRBuilder<> B(InsertPt);
725
726 LoopConstrainer::SubRanges Result;
727
728 // I think we can be more aggressive here and make this nuw / nsw if the
729 // addition that feeds into the icmp for the latch's terminating branch is nuw
730 // / nsw. In any case, a wrapping 2's complement addition is safe.
731 ConstantInt *One = ConstantInt::get(Ty, 1);
732 HeaderCountOut = MaybeSimplify(B.CreateAdd(LatchCountV, One, "header.count"));
733
734 const SCEV *RangeBegin = SE.getSCEV(Range.first);
735 const SCEV *RangeEnd = SE.getSCEV(Range.second);
736 const SCEV *HeaderCountSCEV = SE.getSCEV(HeaderCountOut);
737 const SCEV *Zero = SE.getConstant(Ty, 0);
738
739 // In some cases we can prove that we don't need a pre or post loop
740
741 bool ProvablyNoPreloop =
742 SE.isKnownPredicate(ICmpInst::ICMP_SLE, RangeBegin, Zero);
743 if (!ProvablyNoPreloop)
744 Result.ExitPreLoopAt = ConstructSMinOf(HeaderCountOut, Range.first, B);
745
746 bool ProvablyNoPostLoop =
747 SE.isKnownPredicate(ICmpInst::ICMP_SLE, HeaderCountSCEV, RangeEnd);
748 if (!ProvablyNoPostLoop)
749 Result.ExitMainLoopAt = ConstructSMinOf(HeaderCountOut, Range.second, B);
750
751 return Result;
752}
753
754void LoopConstrainer::cloneLoop(LoopConstrainer::ClonedLoop &Result,
755 const char *Tag) const {
756 for (BasicBlock *BB : OriginalLoop.getBlocks()) {
757 BasicBlock *Clone = CloneBasicBlock(BB, Result.Map, Twine(".") + Tag, &F);
758 Result.Blocks.push_back(Clone);
759 Result.Map[BB] = Clone;
760 }
761
762 auto GetClonedValue = [&Result](Value *V) {
763 assert(V && "null values not in domain!");
764 auto It = Result.Map.find(V);
765 if (It == Result.Map.end())
766 return V;
767 return static_cast<Value *>(It->second);
768 };
769
770 Result.Structure = MainLoopStructure.map(GetClonedValue);
771 Result.Structure.Tag = Tag;
772
773 for (unsigned i = 0, e = Result.Blocks.size(); i != e; ++i) {
774 BasicBlock *ClonedBB = Result.Blocks[i];
775 BasicBlock *OriginalBB = OriginalLoop.getBlocks()[i];
776
777 assert(Result.Map[OriginalBB] == ClonedBB && "invariant!");
778
779 for (Instruction &I : *ClonedBB)
780 RemapInstruction(&I, Result.Map,
781 RF_NoModuleLevelChanges | RF_IgnoreMissingEntries);
782
783 // Exit blocks will now have one more predecessor and their PHI nodes need
784 // to be edited to reflect that. No phi nodes need to be introduced because
785 // the loop is in LCSSA.
786
787 for (auto SBBI = succ_begin(OriginalBB), SBBE = succ_end(OriginalBB);
788 SBBI != SBBE; ++SBBI) {
789
790 if (OriginalLoop.contains(*SBBI))
791 continue; // not an exit block
792
793 for (Instruction &I : **SBBI) {
794 if (!isa<PHINode>(&I))
795 break;
796
797 PHINode *PN = cast<PHINode>(&I);
798 Value *OldIncoming = PN->getIncomingValueForBlock(OriginalBB);
799 PN->addIncoming(GetClonedValue(OldIncoming), ClonedBB);
800 }
801 }
802 }
803}
804
805LoopConstrainer::RewrittenRangeInfo LoopConstrainer::changeIterationSpaceEnd(
806 const LoopStructure &LS, BasicBlock *Preheader, Value *ExitLoopAt,
807 BasicBlock *ContinuationBlock) const {
808
809 // We start with a loop with a single latch:
810 //
811 // +--------------------+
812 // | |
813 // | preheader |
814 // | |
815 // +--------+-----------+
816 // | ----------------\
817 // | / |
818 // +--------v----v------+ |
819 // | | |
820 // | header | |
821 // | | |
822 // +--------------------+ |
823 // |
824 // ..... |
825 // |
826 // +--------------------+ |
827 // | | |
828 // | latch >----------/
829 // | |
830 // +-------v------------+
831 // |
832 // |
833 // | +--------------------+
834 // | | |
835 // +---> original exit |
836 // | |
837 // +--------------------+
838 //
839 // We change the control flow to look like
840 //
841 //
842 // +--------------------+
843 // | |
844 // | preheader >-------------------------+
845 // | | |
846 // +--------v-----------+ |
847 // | /-------------+ |
848 // | / | |
849 // +--------v--v--------+ | |
850 // | | | |
851 // | header | | +--------+ |
852 // | | | | | |
853 // +--------------------+ | | +-----v-----v-----------+
854 // | | | |
855 // | | | .pseudo.exit |
856 // | | | |
857 // | | +-----------v-----------+
858 // | | |
859 // ..... | | |
860 // | | +--------v-------------+
861 // +--------------------+ | | | |
862 // | | | | | ContinuationBlock |
863 // | latch >------+ | | |
864 // | | | +----------------------+
865 // +---------v----------+ |
866 // | |
867 // | |
868 // | +---------------^-----+
869 // | | |
870 // +-----> .exit.selector |
871 // | |
872 // +----------v----------+
873 // |
874 // +--------------------+ |
875 // | | |
876 // | original exit <----+
877 // | |
878 // +--------------------+
879 //
880
881 RewrittenRangeInfo RRI;
882
883 auto BBInsertLocation = std::next(Function::iterator(LS.Latch));
884 RRI.ExitSelector = BasicBlock::Create(Ctx, Twine(LS.Tag) + ".exit.selector",
885 &F, BBInsertLocation);
886 RRI.PseudoExit = BasicBlock::Create(Ctx, Twine(LS.Tag) + ".pseudo.exit", &F,
887 BBInsertLocation);
888
889 BranchInst *PreheaderJump = cast<BranchInst>(&*Preheader->rbegin());
890
891 IRBuilder<> B(PreheaderJump);
892
893 // EnterLoopCond - is it okay to start executing this `LS'?
894 Value *EnterLoopCond = B.CreateICmpSLT(LS.CIVStart, ExitLoopAt);
895 B.CreateCondBr(EnterLoopCond, LS.Header, RRI.PseudoExit);
896 PreheaderJump->eraseFromParent();
897
898 assert(LS.LatchBrExitIdx == 1 && "generalize this as needed!");
899
900 B.SetInsertPoint(LS.LatchBr);
901
902 // ContinueCond - is it okay to execute the next iteration in `LS'?
903 Value *ContinueCond = B.CreateICmpSLT(LS.CIVNext, ExitLoopAt);
904
905 LS.LatchBr->setCondition(ContinueCond);
906 assert(LS.LatchBr->getSuccessor(LS.LatchBrExitIdx) == LS.LatchExit &&
907 "invariant!");
908 LS.LatchBr->setSuccessor(LS.LatchBrExitIdx, RRI.ExitSelector);
909
910 B.SetInsertPoint(RRI.ExitSelector);
911
912 // IterationsLeft - are there any more iterations left, given the original
913 // upper bound on the induction variable? If not, we branch to the "real"
914 // exit.
915 Value *IterationsLeft = B.CreateICmpSLT(LS.CIVNext, OriginalHeaderCount);
916 B.CreateCondBr(IterationsLeft, RRI.PseudoExit, LS.LatchExit);
917
918 BranchInst *BranchToContinuation =
919 BranchInst::Create(ContinuationBlock, RRI.PseudoExit);
920
921 // We emit PHI nodes into `RRI.PseudoExit' that compute the "latest" value of
922 // each of the PHI nodes in the loop header. This feeds into the initial
923 // value of the same PHI nodes if/when we continue execution.
924 for (Instruction &I : *LS.Header) {
925 if (!isa<PHINode>(&I))
926 break;
927
928 PHINode *PN = cast<PHINode>(&I);
929
930 PHINode *NewPHI = PHINode::Create(PN->getType(), 2, PN->getName() + ".copy",
931 BranchToContinuation);
932
933 NewPHI->addIncoming(PN->getIncomingValueForBlock(Preheader), Preheader);
934 NewPHI->addIncoming(PN->getIncomingValueForBlock(LS.Latch),
935 RRI.ExitSelector);
936 RRI.PHIValuesAtPseudoExit.push_back(NewPHI);
937 }
938
939 // The latch exit now has a branch from `RRI.ExitSelector' instead of
940 // `LS.Latch'. The PHI nodes need to be updated to reflect that.
941 for (Instruction &I : *LS.LatchExit) {
942 if (PHINode *PN = dyn_cast<PHINode>(&I))
943 replacePHIBlock(PN, LS.Latch, RRI.ExitSelector);
944 else
945 break;
946 }
947
948 return RRI;
949}
950
951void LoopConstrainer::rewriteIncomingValuesForPHIs(
952 LoopConstrainer::LoopStructure &LS, BasicBlock *ContinuationBlock,
953 const LoopConstrainer::RewrittenRangeInfo &RRI) const {
954
955 unsigned PHIIndex = 0;
956 for (Instruction &I : *LS.Header) {
957 if (!isa<PHINode>(&I))
958 break;
959
960 PHINode *PN = cast<PHINode>(&I);
961
962 for (unsigned i = 0, e = PN->getNumIncomingValues(); i < e; ++i)
963 if (PN->getIncomingBlock(i) == ContinuationBlock)
964 PN->setIncomingValue(i, RRI.PHIValuesAtPseudoExit[PHIIndex++]);
965 }
966
967 LS.CIVStart = LS.CIV->getIncomingValueForBlock(ContinuationBlock);
968}
969
970BasicBlock *
971LoopConstrainer::createPreheader(const LoopConstrainer::LoopStructure &LS,
972 BasicBlock *OldPreheader,
973 const char *Tag) const {
974
975 BasicBlock *Preheader = BasicBlock::Create(Ctx, Tag, &F, LS.Header);
976 BranchInst::Create(LS.Header, Preheader);
977
978 for (Instruction &I : *LS.Header) {
979 if (!isa<PHINode>(&I))
980 break;
981
982 PHINode *PN = cast<PHINode>(&I);
983 for (unsigned i = 0, e = PN->getNumIncomingValues(); i < e; ++i)
984 replacePHIBlock(PN, OldPreheader, Preheader);
985 }
986
987 return Preheader;
988}
989
990template<typename IteratorTy>
991void LoopConstrainer::addToParentLoopIfNeeded(IteratorTy Begin,
992 IteratorTy End) {
993 Loop *ParentLoop = OriginalLoop.getParentLoop();
994 if (!ParentLoop)
995 return;
996
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000997 for (; Begin != End; Begin++)
Chandler Carruth691addc2015-01-18 01:25:51 +0000998 ParentLoop->addBasicBlockToLoop(*Begin, OriginalLoopInfo);
Sanjoy Dasa1837a32015-01-16 01:03:22 +0000999}
1000
1001bool LoopConstrainer::run() {
1002 BasicBlock *Preheader = nullptr;
1003 const char *CouldNotProceedBecause = nullptr;
1004 if (!recognizeLoop(MainLoopStructure, LatchTakenCount, Preheader,
1005 CouldNotProceedBecause)) {
1006 DEBUG(dbgs() << "irce: could not recognize loop, " << CouldNotProceedBecause
1007 << "\n";);
1008 return false;
1009 }
1010
1011 OriginalPreheader = Preheader;
1012 MainLoopPreheader = Preheader;
1013
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +00001014 Optional<SubRanges> MaybeSR = calculateSubRanges(OriginalHeaderCount);
1015 if (!MaybeSR.hasValue()) {
1016 DEBUG(dbgs() << "irce: could not compute subranges\n");
1017 return false;
1018 }
1019 SubRanges SR = MaybeSR.getValue();
Sanjoy Dasa1837a32015-01-16 01:03:22 +00001020
1021 // It would have been better to make `PreLoop' and `PostLoop'
1022 // `Optional<ClonedLoop>'s, but `ValueToValueMapTy' does not have a copy
1023 // constructor.
1024 ClonedLoop PreLoop, PostLoop;
1025 bool NeedsPreLoop = SR.ExitPreLoopAt.hasValue();
1026 bool NeedsPostLoop = SR.ExitMainLoopAt.hasValue();
1027
1028 // We clone these ahead of time so that we don't have to deal with changing
1029 // and temporarily invalid IR as we transform the loops.
1030 if (NeedsPreLoop)
1031 cloneLoop(PreLoop, "preloop");
1032 if (NeedsPostLoop)
1033 cloneLoop(PostLoop, "postloop");
1034
1035 RewrittenRangeInfo PreLoopRRI;
1036
1037 if (NeedsPreLoop) {
1038 Preheader->getTerminator()->replaceUsesOfWith(MainLoopStructure.Header,
1039 PreLoop.Structure.Header);
1040
1041 MainLoopPreheader =
1042 createPreheader(MainLoopStructure, Preheader, "mainloop");
1043 PreLoopRRI =
1044 changeIterationSpaceEnd(PreLoop.Structure, Preheader,
1045 SR.ExitPreLoopAt.getValue(), MainLoopPreheader);
1046 rewriteIncomingValuesForPHIs(MainLoopStructure, MainLoopPreheader,
1047 PreLoopRRI);
1048 }
1049
1050 BasicBlock *PostLoopPreheader = nullptr;
1051 RewrittenRangeInfo PostLoopRRI;
1052
1053 if (NeedsPostLoop) {
1054 PostLoopPreheader =
1055 createPreheader(PostLoop.Structure, Preheader, "postloop");
1056 PostLoopRRI = changeIterationSpaceEnd(MainLoopStructure, MainLoopPreheader,
1057 SR.ExitMainLoopAt.getValue(),
1058 PostLoopPreheader);
1059 rewriteIncomingValuesForPHIs(PostLoop.Structure, PostLoopPreheader,
1060 PostLoopRRI);
1061 }
1062
1063 SmallVector<BasicBlock *, 6> NewBlocks;
1064 NewBlocks.push_back(PostLoopPreheader);
1065 NewBlocks.push_back(PreLoopRRI.PseudoExit);
1066 NewBlocks.push_back(PreLoopRRI.ExitSelector);
1067 NewBlocks.push_back(PostLoopRRI.PseudoExit);
1068 NewBlocks.push_back(PostLoopRRI.ExitSelector);
1069 if (MainLoopPreheader != Preheader)
1070 NewBlocks.push_back(MainLoopPreheader);
1071
1072 // Some of the above may be nullptr, filter them out before passing to
1073 // addToParentLoopIfNeeded.
1074 auto NewBlocksEnd = std::remove(NewBlocks.begin(), NewBlocks.end(), nullptr);
1075
1076 typedef SmallVector<BasicBlock *, 6>::iterator SmallVectItTy;
1077 typedef std::vector<BasicBlock *>::iterator StdVectItTy;
1078
1079 addToParentLoopIfNeeded<SmallVectItTy>(NewBlocks.begin(), NewBlocksEnd);
1080 addToParentLoopIfNeeded<StdVectItTy>(PreLoop.Blocks.begin(),
1081 PreLoop.Blocks.end());
1082 addToParentLoopIfNeeded<StdVectItTy>(PostLoop.Blocks.begin(),
1083 PostLoop.Blocks.end());
1084
1085 return true;
1086}
1087
1088/// Computes and returns a range of values for the induction variable in which
1089/// the range check can be safely elided. If it cannot compute such a range,
1090/// returns None.
1091Optional<InductiveRangeCheck::Range>
1092InductiveRangeCheck::computeSafeIterationSpace(ScalarEvolution &SE,
1093 IRBuilder<> &B) const {
1094
1095 // Currently we support inequalities of the form:
1096 //
1097 // 0 <= Offset + 1 * CIV < L given L >= 0
1098 //
1099 // The inequality is satisfied by -Offset <= CIV < (L - Offset) [^1]. All
1100 // additions and subtractions are twos-complement wrapping and comparisons are
1101 // signed.
1102 //
1103 // Proof:
1104 //
1105 // If there exists CIV such that -Offset <= CIV < (L - Offset) then it
1106 // follows that -Offset <= (-Offset + L) [== Eq. 1]. Since L >= 0, if
1107 // (-Offset + L) sign-overflows then (-Offset + L) < (-Offset). Hence by
1108 // [Eq. 1], (-Offset + L) could not have overflown.
1109 //
1110 // This means CIV = t + (-Offset) for t in [0, L). Hence (CIV + Offset) =
1111 // t. Hence 0 <= (CIV + Offset) < L
1112
1113 // [^1]: Note that the solution does _not_ apply if L < 0; consider values
1114 // Offset = 127, CIV = 126 and L = -2 in an i8 world.
1115
1116 const SCEVConstant *ScaleC = dyn_cast<SCEVConstant>(getScale());
1117 if (!(ScaleC && ScaleC->getValue()->getValue() == 1)) {
1118 DEBUG(dbgs() << "irce: could not compute safe iteration space for:\n";
1119 print(dbgs()));
1120 return None;
1121 }
1122
1123 Value *OffsetV = SCEVExpander(SE, "safe.itr.space").expandCodeFor(
1124 getOffset(), getOffset()->getType(), B.GetInsertPoint());
1125 OffsetV = MaybeSimplify(OffsetV);
1126
1127 Value *Begin = MaybeSimplify(B.CreateNeg(OffsetV));
1128 Value *End = MaybeSimplify(B.CreateSub(getLength(), OffsetV));
1129
1130 return std::make_pair(Begin, End);
1131}
1132
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +00001133static Optional<InductiveRangeCheck::Range>
Sanjoy Dasa1837a32015-01-16 01:03:22 +00001134IntersectRange(const Optional<InductiveRangeCheck::Range> &R1,
1135 const InductiveRangeCheck::Range &R2, IRBuilder<> &B) {
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +00001136 assert(R2.first->getType() == R2.second->getType() && "ill-typed range!");
1137
Sanjoy Dasa1837a32015-01-16 01:03:22 +00001138 if (!R1.hasValue())
1139 return R2;
1140 auto &R1Value = R1.getValue();
1141
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +00001142 // TODO: we could widen the smaller range and have this work; but for now we
1143 // bail out to keep things simple.
1144 if (R1Value.first->getType() != R2.first->getType())
1145 return None;
1146
Sanjoy Dasa1837a32015-01-16 01:03:22 +00001147 Value *NewMin = ConstructSMaxOf(R1Value.first, R2.first, B);
1148 Value *NewMax = ConstructSMinOf(R1Value.second, R2.second, B);
1149 return std::make_pair(NewMin, NewMax);
1150}
1151
1152bool InductiveRangeCheckElimination::runOnLoop(Loop *L, LPPassManager &LPM) {
1153 if (L->getBlocks().size() >= LoopSizeCutoff) {
1154 DEBUG(dbgs() << "irce: giving up constraining loop, too large\n";);
1155 return false;
1156 }
1157
1158 BasicBlock *Preheader = L->getLoopPreheader();
1159 if (!Preheader) {
1160 DEBUG(dbgs() << "irce: loop has no preheader, leaving\n");
1161 return false;
1162 }
1163
1164 LLVMContext &Context = Preheader->getContext();
1165 InductiveRangeCheck::AllocatorTy IRCAlloc;
1166 SmallVector<InductiveRangeCheck *, 16> RangeChecks;
1167 ScalarEvolution &SE = getAnalysis<ScalarEvolution>();
1168
1169 for (auto BBI : L->getBlocks())
1170 if (BranchInst *TBI = dyn_cast<BranchInst>(BBI->getTerminator()))
1171 if (InductiveRangeCheck *IRC =
1172 InductiveRangeCheck::create(IRCAlloc, TBI, L, SE))
1173 RangeChecks.push_back(IRC);
1174
1175 if (RangeChecks.empty())
1176 return false;
1177
1178 DEBUG(dbgs() << "irce: looking at loop "; L->print(dbgs());
1179 dbgs() << "irce: loop has " << RangeChecks.size()
1180 << " inductive range checks: \n";
1181 for (InductiveRangeCheck *IRC : RangeChecks)
1182 IRC->print(dbgs());
1183 );
1184
1185 Optional<InductiveRangeCheck::Range> SafeIterRange;
1186 Instruction *ExprInsertPt = Preheader->getTerminator();
1187
1188 SmallVector<InductiveRangeCheck *, 4> RangeChecksToEliminate;
1189
1190 IRBuilder<> B(ExprInsertPt);
1191 for (InductiveRangeCheck *IRC : RangeChecks) {
1192 auto Result = IRC->computeSafeIterationSpace(SE, B);
1193 if (Result.hasValue()) {
Sanjoy Dasd1fb13c2015-01-22 08:29:18 +00001194 auto MaybeSafeIterRange =
1195 IntersectRange(SafeIterRange, Result.getValue(), B);
1196 if (MaybeSafeIterRange.hasValue()) {
1197 RangeChecksToEliminate.push_back(IRC);
1198 SafeIterRange = MaybeSafeIterRange.getValue();
1199 }
Sanjoy Dasa1837a32015-01-16 01:03:22 +00001200 }
1201 }
1202
1203 if (!SafeIterRange.hasValue())
1204 return false;
1205
Chandler Carruth4f8f3072015-01-17 14:16:18 +00001206 LoopConstrainer LC(*L, getAnalysis<LoopInfoWrapperPass>().getLoopInfo(), SE,
1207 SafeIterRange.getValue());
Sanjoy Dasa1837a32015-01-16 01:03:22 +00001208 bool Changed = LC.run();
1209
1210 if (Changed) {
1211 auto PrintConstrainedLoopInfo = [L]() {
1212 dbgs() << "irce: in function ";
1213 dbgs() << L->getHeader()->getParent()->getName() << ": ";
1214 dbgs() << "constrained ";
1215 L->print(dbgs());
1216 };
1217
1218 DEBUG(PrintConstrainedLoopInfo());
1219
1220 if (PrintChangedLoops)
1221 PrintConstrainedLoopInfo();
1222
1223 // Optimize away the now-redundant range checks.
1224
1225 for (InductiveRangeCheck *IRC : RangeChecksToEliminate) {
1226 ConstantInt *FoldedRangeCheck = IRC->getPassingDirection()
1227 ? ConstantInt::getTrue(Context)
1228 : ConstantInt::getFalse(Context);
1229 IRC->getBranch()->setCondition(FoldedRangeCheck);
1230 }
1231 }
1232
1233 return Changed;
1234}
1235
1236Pass *llvm::createInductiveRangeCheckEliminationPass() {
1237 return new InductiveRangeCheckElimination;
1238}