xref: /llvm-project/llvm/lib/CodeGen/SelectOptimize.cpp (revision 57eb4826e5b4c99751c6eff4e4fc50b55919e5ae)
1 //===--- SelectOptimize.cpp - Convert select to branches if profitable ---===//
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 pass converts selects to conditional jumps when profitable.
10 //
11 //===----------------------------------------------------------------------===//
12 
13 #include "llvm/ADT/SmallVector.h"
14 #include "llvm/ADT/Statistic.h"
15 #include "llvm/Analysis/BlockFrequencyInfo.h"
16 #include "llvm/Analysis/BranchProbabilityInfo.h"
17 #include "llvm/Analysis/LoopInfo.h"
18 #include "llvm/Analysis/OptimizationRemarkEmitter.h"
19 #include "llvm/Analysis/ProfileSummaryInfo.h"
20 #include "llvm/Analysis/TargetTransformInfo.h"
21 #include "llvm/CodeGen/Passes.h"
22 #include "llvm/CodeGen/TargetLowering.h"
23 #include "llvm/CodeGen/TargetPassConfig.h"
24 #include "llvm/CodeGen/TargetSchedule.h"
25 #include "llvm/CodeGen/TargetSubtargetInfo.h"
26 #include "llvm/IR/BasicBlock.h"
27 #include "llvm/IR/Dominators.h"
28 #include "llvm/IR/Function.h"
29 #include "llvm/IR/IRBuilder.h"
30 #include "llvm/IR/Instruction.h"
31 #include "llvm/IR/PatternMatch.h"
32 #include "llvm/IR/ProfDataUtils.h"
33 #include "llvm/InitializePasses.h"
34 #include "llvm/Pass.h"
35 #include "llvm/Support/ScaledNumber.h"
36 #include "llvm/Target/TargetMachine.h"
37 #include "llvm/Transforms/Utils/SizeOpts.h"
38 #include <algorithm>
39 #include <memory>
40 #include <queue>
41 #include <stack>
42 
43 using namespace llvm;
44 
45 #define DEBUG_TYPE "select-optimize"
46 
47 STATISTIC(NumSelectOptAnalyzed,
48           "Number of select groups considered for conversion to branch");
49 STATISTIC(NumSelectConvertedExpColdOperand,
50           "Number of select groups converted due to expensive cold operand");
51 STATISTIC(NumSelectConvertedHighPred,
52           "Number of select groups converted due to high-predictability");
53 STATISTIC(NumSelectUnPred,
54           "Number of select groups not converted due to unpredictability");
55 STATISTIC(NumSelectColdBB,
56           "Number of select groups not converted due to cold basic block");
57 STATISTIC(NumSelectConvertedLoop,
58           "Number of select groups converted due to loop-level analysis");
59 STATISTIC(NumSelectsConverted, "Number of selects converted");
60 
61 static cl::opt<unsigned> ColdOperandThreshold(
62     "cold-operand-threshold",
63     cl::desc("Maximum frequency of path for an operand to be considered cold."),
64     cl::init(20), cl::Hidden);
65 
66 static cl::opt<unsigned> ColdOperandMaxCostMultiplier(
67     "cold-operand-max-cost-multiplier",
68     cl::desc("Maximum cost multiplier of TCC_expensive for the dependence "
69              "slice of a cold operand to be considered inexpensive."),
70     cl::init(1), cl::Hidden);
71 
72 static cl::opt<unsigned>
73     GainGradientThreshold("select-opti-loop-gradient-gain-threshold",
74                           cl::desc("Gradient gain threshold (%)."),
75                           cl::init(25), cl::Hidden);
76 
77 static cl::opt<unsigned>
78     GainCycleThreshold("select-opti-loop-cycle-gain-threshold",
79                        cl::desc("Minimum gain per loop (in cycles) threshold."),
80                        cl::init(4), cl::Hidden);
81 
82 static cl::opt<unsigned> GainRelativeThreshold(
83     "select-opti-loop-relative-gain-threshold",
84     cl::desc(
85         "Minimum relative gain per loop threshold (1/X). Defaults to 12.5%"),
86     cl::init(8), cl::Hidden);
87 
88 static cl::opt<unsigned> MispredictDefaultRate(
89     "mispredict-default-rate", cl::Hidden, cl::init(25),
90     cl::desc("Default mispredict rate (initialized to 25%)."));
91 
92 static cl::opt<bool>
93     DisableLoopLevelHeuristics("disable-loop-level-heuristics", cl::Hidden,
94                                cl::init(false),
95                                cl::desc("Disable loop-level heuristics."));
96 
97 namespace {
98 
99 class SelectOptimize : public FunctionPass {
100   const TargetMachine *TM = nullptr;
101   const TargetSubtargetInfo *TSI = nullptr;
102   const TargetLowering *TLI = nullptr;
103   const TargetTransformInfo *TTI = nullptr;
104   const LoopInfo *LI = nullptr;
105   DominatorTree *DT = nullptr;
106   std::unique_ptr<BlockFrequencyInfo> BFI;
107   std::unique_ptr<BranchProbabilityInfo> BPI;
108   ProfileSummaryInfo *PSI = nullptr;
109   OptimizationRemarkEmitter *ORE = nullptr;
110   TargetSchedModel TSchedModel;
111 
112 public:
113   static char ID;
114 
115   SelectOptimize() : FunctionPass(ID) {
116     initializeSelectOptimizePass(*PassRegistry::getPassRegistry());
117   }
118 
119   bool runOnFunction(Function &F) override;
120 
121   void getAnalysisUsage(AnalysisUsage &AU) const override {
122     AU.addRequired<ProfileSummaryInfoWrapperPass>();
123     AU.addRequired<TargetPassConfig>();
124     AU.addRequired<TargetTransformInfoWrapperPass>();
125     AU.addRequired<DominatorTreeWrapperPass>();
126     AU.addRequired<LoopInfoWrapperPass>();
127     AU.addRequired<OptimizationRemarkEmitterWrapperPass>();
128   }
129 
130 private:
131   // Select groups consist of consecutive select instructions with the same
132   // condition.
133   using SelectGroup = SmallVector<SelectInst *, 2>;
134   using SelectGroups = SmallVector<SelectGroup, 2>;
135 
136   using Scaled64 = ScaledNumber<uint64_t>;
137 
138   struct CostInfo {
139     /// Predicated cost (with selects as conditional moves).
140     Scaled64 PredCost;
141     /// Non-predicated cost (with selects converted to branches).
142     Scaled64 NonPredCost;
143   };
144 
145   // Converts select instructions of a function to conditional jumps when deemed
146   // profitable. Returns true if at least one select was converted.
147   bool optimizeSelects(Function &F);
148 
149   // Heuristics for determining which select instructions can be profitably
150   // conveted to branches. Separate heuristics for selects in inner-most loops
151   // and the rest of code regions (base heuristics for non-inner-most loop
152   // regions).
153   void optimizeSelectsBase(Function &F, SelectGroups &ProfSIGroups);
154   void optimizeSelectsInnerLoops(Function &F, SelectGroups &ProfSIGroups);
155 
156   // Converts to branches the select groups that were deemed
157   // profitable-to-convert.
158   void convertProfitableSIGroups(SelectGroups &ProfSIGroups);
159 
160   // Splits selects of a given basic block into select groups.
161   void collectSelectGroups(BasicBlock &BB, SelectGroups &SIGroups);
162 
163   // Determines for which select groups it is profitable converting to branches
164   // (base and inner-most-loop heuristics).
165   void findProfitableSIGroupsBase(SelectGroups &SIGroups,
166                                   SelectGroups &ProfSIGroups);
167   void findProfitableSIGroupsInnerLoops(const Loop *L, SelectGroups &SIGroups,
168                                         SelectGroups &ProfSIGroups);
169 
170   // Determines if a select group should be converted to a branch (base
171   // heuristics).
172   bool isConvertToBranchProfitableBase(const SmallVector<SelectInst *, 2> &ASI);
173 
174   // Returns true if there are expensive instructions in the cold value
175   // operand's (if any) dependence slice of any of the selects of the given
176   // group.
177   bool hasExpensiveColdOperand(const SmallVector<SelectInst *, 2> &ASI);
178 
179   // For a given source instruction, collect its backwards dependence slice
180   // consisting of instructions exclusively computed for producing the operands
181   // of the source instruction.
182   void getExclBackwardsSlice(Instruction *I, std::stack<Instruction *> &Slice,
183                              Instruction *SI, bool ForSinking = false);
184 
185   // Returns true if the condition of the select is highly predictable.
186   bool isSelectHighlyPredictable(const SelectInst *SI);
187 
188   // Loop-level checks to determine if a non-predicated version (with branches)
189   // of the given loop is more profitable than its predicated version.
190   bool checkLoopHeuristics(const Loop *L, const CostInfo LoopDepth[2]);
191 
192   // Computes instruction and loop-critical-path costs for both the predicated
193   // and non-predicated version of the given loop.
194   bool computeLoopCosts(const Loop *L, const SelectGroups &SIGroups,
195                         DenseMap<const Instruction *, CostInfo> &InstCostMap,
196                         CostInfo *LoopCost);
197 
198   // Returns a set of all the select instructions in the given select groups.
199   SmallPtrSet<const Instruction *, 2> getSIset(const SelectGroups &SIGroups);
200 
201   // Returns the latency cost of a given instruction.
202   std::optional<uint64_t> computeInstCost(const Instruction *I);
203 
204   // Returns the misprediction cost of a given select when converted to branch.
205   Scaled64 getMispredictionCost(const SelectInst *SI, const Scaled64 CondCost);
206 
207   // Returns the cost of a branch when the prediction is correct.
208   Scaled64 getPredictedPathCost(Scaled64 TrueCost, Scaled64 FalseCost,
209                                 const SelectInst *SI);
210 
211   // Returns true if the target architecture supports lowering a given select.
212   bool isSelectKindSupported(SelectInst *SI);
213 };
214 } // namespace
215 
216 char SelectOptimize::ID = 0;
217 
218 INITIALIZE_PASS_BEGIN(SelectOptimize, DEBUG_TYPE, "Optimize selects", false,
219                       false)
220 INITIALIZE_PASS_DEPENDENCY(LoopInfoWrapperPass)
221 INITIALIZE_PASS_DEPENDENCY(DominatorTreeWrapperPass)
222 INITIALIZE_PASS_DEPENDENCY(ProfileSummaryInfoWrapperPass)
223 INITIALIZE_PASS_DEPENDENCY(TargetPassConfig)
224 INITIALIZE_PASS_DEPENDENCY(TargetTransformInfoWrapperPass)
225 INITIALIZE_PASS_DEPENDENCY(OptimizationRemarkEmitterWrapperPass)
226 INITIALIZE_PASS_END(SelectOptimize, DEBUG_TYPE, "Optimize selects", false,
227                     false)
228 
229 FunctionPass *llvm::createSelectOptimizePass() { return new SelectOptimize(); }
230 
231 bool SelectOptimize::runOnFunction(Function &F) {
232   TM = &getAnalysis<TargetPassConfig>().getTM<TargetMachine>();
233   TSI = TM->getSubtargetImpl(F);
234   TLI = TSI->getTargetLowering();
235 
236   // If none of the select types is supported then skip this pass.
237   // This is an optimization pass. Legality issues will be handled by
238   // instruction selection.
239   if (!TLI->isSelectSupported(TargetLowering::ScalarValSelect) &&
240       !TLI->isSelectSupported(TargetLowering::ScalarCondVectorVal) &&
241       !TLI->isSelectSupported(TargetLowering::VectorMaskSelect))
242     return false;
243 
244   TTI = &getAnalysis<TargetTransformInfoWrapperPass>().getTTI(F);
245 
246   if (!TTI->enableSelectOptimize())
247     return false;
248 
249   DT = &getAnalysis<DominatorTreeWrapperPass>().getDomTree();
250   LI = &getAnalysis<LoopInfoWrapperPass>().getLoopInfo();
251   BPI.reset(new BranchProbabilityInfo(F, *LI));
252   BFI.reset(new BlockFrequencyInfo(F, *BPI, *LI));
253   PSI = &getAnalysis<ProfileSummaryInfoWrapperPass>().getPSI();
254   ORE = &getAnalysis<OptimizationRemarkEmitterWrapperPass>().getORE();
255   TSchedModel.init(TSI);
256 
257   // When optimizing for size, selects are preferable over branches.
258   if (F.hasOptSize() || llvm::shouldOptimizeForSize(&F, PSI, BFI.get()))
259     return false;
260 
261   return optimizeSelects(F);
262 }
263 
264 bool SelectOptimize::optimizeSelects(Function &F) {
265   // Determine for which select groups it is profitable converting to branches.
266   SelectGroups ProfSIGroups;
267   // Base heuristics apply only to non-loops and outer loops.
268   optimizeSelectsBase(F, ProfSIGroups);
269   // Separate heuristics for inner-most loops.
270   optimizeSelectsInnerLoops(F, ProfSIGroups);
271 
272   // Convert to branches the select groups that were deemed
273   // profitable-to-convert.
274   convertProfitableSIGroups(ProfSIGroups);
275 
276   // Code modified if at least one select group was converted.
277   return !ProfSIGroups.empty();
278 }
279 
280 void SelectOptimize::optimizeSelectsBase(Function &F,
281                                          SelectGroups &ProfSIGroups) {
282   // Collect all the select groups.
283   SelectGroups SIGroups;
284   for (BasicBlock &BB : F) {
285     // Base heuristics apply only to non-loops and outer loops.
286     Loop *L = LI->getLoopFor(&BB);
287     if (L && L->isInnermost())
288       continue;
289     collectSelectGroups(BB, SIGroups);
290   }
291 
292   // Determine for which select groups it is profitable converting to branches.
293   findProfitableSIGroupsBase(SIGroups, ProfSIGroups);
294 }
295 
296 void SelectOptimize::optimizeSelectsInnerLoops(Function &F,
297                                                SelectGroups &ProfSIGroups) {
298   SmallVector<Loop *, 4> Loops(LI->begin(), LI->end());
299   // Need to check size on each iteration as we accumulate child loops.
300   for (unsigned long i = 0; i < Loops.size(); ++i)
301     for (Loop *ChildL : Loops[i]->getSubLoops())
302       Loops.push_back(ChildL);
303 
304   for (Loop *L : Loops) {
305     if (!L->isInnermost())
306       continue;
307 
308     SelectGroups SIGroups;
309     for (BasicBlock *BB : L->getBlocks())
310       collectSelectGroups(*BB, SIGroups);
311 
312     findProfitableSIGroupsInnerLoops(L, SIGroups, ProfSIGroups);
313   }
314 }
315 
316 /// If \p isTrue is true, return the true value of \p SI, otherwise return
317 /// false value of \p SI. If the true/false value of \p SI is defined by any
318 /// select instructions in \p Selects, look through the defining select
319 /// instruction until the true/false value is not defined in \p Selects.
320 static Value *
321 getTrueOrFalseValue(SelectInst *SI, bool isTrue,
322                     const SmallPtrSet<const Instruction *, 2> &Selects) {
323   Value *V = nullptr;
324   for (SelectInst *DefSI = SI; DefSI != nullptr && Selects.count(DefSI);
325        DefSI = dyn_cast<SelectInst>(V)) {
326     assert(DefSI->getCondition() == SI->getCondition() &&
327            "The condition of DefSI does not match with SI");
328     V = (isTrue ? DefSI->getTrueValue() : DefSI->getFalseValue());
329   }
330   assert(V && "Failed to get select true/false value");
331   return V;
332 }
333 
334 void SelectOptimize::convertProfitableSIGroups(SelectGroups &ProfSIGroups) {
335   for (SelectGroup &ASI : ProfSIGroups) {
336     // The code transformation here is a modified version of the sinking
337     // transformation in CodeGenPrepare::optimizeSelectInst with a more
338     // aggressive strategy of which instructions to sink.
339     //
340     // TODO: eliminate the redundancy of logic transforming selects to branches
341     // by removing CodeGenPrepare::optimizeSelectInst and optimizing here
342     // selects for all cases (with and without profile information).
343 
344     // Transform a sequence like this:
345     //    start:
346     //       %cmp = cmp uge i32 %a, %b
347     //       %sel = select i1 %cmp, i32 %c, i32 %d
348     //
349     // Into:
350     //    start:
351     //       %cmp = cmp uge i32 %a, %b
352     //       %cmp.frozen = freeze %cmp
353     //       br i1 %cmp.frozen, label %select.true, label %select.false
354     //    select.true:
355     //       br label %select.end
356     //    select.false:
357     //       br label %select.end
358     //    select.end:
359     //       %sel = phi i32 [ %c, %select.true ], [ %d, %select.false ]
360     //
361     // %cmp should be frozen, otherwise it may introduce undefined behavior.
362     // In addition, we may sink instructions that produce %c or %d into the
363     // destination(s) of the new branch.
364     // If the true or false blocks do not contain a sunken instruction, that
365     // block and its branch may be optimized away. In that case, one side of the
366     // first branch will point directly to select.end, and the corresponding PHI
367     // predecessor block will be the start block.
368 
369     // Find all the instructions that can be soundly sunk to the true/false
370     // blocks. These are instructions that are computed solely for producing the
371     // operands of the select instructions in the group and can be sunk without
372     // breaking the semantics of the LLVM IR (e.g., cannot sink instructions
373     // with side effects).
374     SmallVector<std::stack<Instruction *>, 2> TrueSlices, FalseSlices;
375     typedef std::stack<Instruction *>::size_type StackSizeType;
376     StackSizeType maxTrueSliceLen = 0, maxFalseSliceLen = 0;
377     for (SelectInst *SI : ASI) {
378       // For each select, compute the sinkable dependence chains of the true and
379       // false operands.
380       if (auto *TI = dyn_cast<Instruction>(SI->getTrueValue())) {
381         std::stack<Instruction *> TrueSlice;
382         getExclBackwardsSlice(TI, TrueSlice, SI, true);
383         maxTrueSliceLen = std::max(maxTrueSliceLen, TrueSlice.size());
384         TrueSlices.push_back(TrueSlice);
385       }
386       if (auto *FI = dyn_cast<Instruction>(SI->getFalseValue())) {
387         std::stack<Instruction *> FalseSlice;
388         getExclBackwardsSlice(FI, FalseSlice, SI, true);
389         maxFalseSliceLen = std::max(maxFalseSliceLen, FalseSlice.size());
390         FalseSlices.push_back(FalseSlice);
391       }
392     }
393     // In the case of multiple select instructions in the same group, the order
394     // of non-dependent instructions (instructions of different dependence
395     // slices) in the true/false blocks appears to affect performance.
396     // Interleaving the slices seems to experimentally be the optimal approach.
397     // This interleaving scheduling allows for more ILP (with a natural downside
398     // of increasing a bit register pressure) compared to a simple ordering of
399     // one whole chain after another. One would expect that this ordering would
400     // not matter since the scheduling in the backend of the compiler  would
401     // take care of it, but apparently the scheduler fails to deliver optimal
402     // ILP with a naive ordering here.
403     SmallVector<Instruction *, 2> TrueSlicesInterleaved, FalseSlicesInterleaved;
404     for (StackSizeType IS = 0; IS < maxTrueSliceLen; ++IS) {
405       for (auto &S : TrueSlices) {
406         if (!S.empty()) {
407           TrueSlicesInterleaved.push_back(S.top());
408           S.pop();
409         }
410       }
411     }
412     for (StackSizeType IS = 0; IS < maxFalseSliceLen; ++IS) {
413       for (auto &S : FalseSlices) {
414         if (!S.empty()) {
415           FalseSlicesInterleaved.push_back(S.top());
416           S.pop();
417         }
418       }
419     }
420 
421     // We split the block containing the select(s) into two blocks.
422     SelectInst *SI = ASI.front();
423     SelectInst *LastSI = ASI.back();
424     BasicBlock *StartBlock = SI->getParent();
425     BasicBlock::iterator SplitPt = ++(BasicBlock::iterator(LastSI));
426     BasicBlock *EndBlock = StartBlock->splitBasicBlock(SplitPt, "select.end");
427     BFI->setBlockFreq(EndBlock, BFI->getBlockFreq(StartBlock));
428     // Delete the unconditional branch that was just created by the split.
429     StartBlock->getTerminator()->eraseFromParent();
430 
431     // Move any debug/pseudo instructions that were in-between the select
432     // group to the newly-created end block.
433     SmallVector<Instruction *, 2> DebugPseudoINS;
434     auto DIt = SI->getIterator();
435     while (&*DIt != LastSI) {
436       if (DIt->isDebugOrPseudoInst())
437         DebugPseudoINS.push_back(&*DIt);
438       DIt++;
439     }
440     for (auto *DI : DebugPseudoINS) {
441       DI->moveBeforePreserving(&*EndBlock->getFirstInsertionPt());
442     }
443 
444     // These are the new basic blocks for the conditional branch.
445     // At least one will become an actual new basic block.
446     BasicBlock *TrueBlock = nullptr, *FalseBlock = nullptr;
447     BranchInst *TrueBranch = nullptr, *FalseBranch = nullptr;
448     if (!TrueSlicesInterleaved.empty()) {
449       TrueBlock = BasicBlock::Create(LastSI->getContext(), "select.true.sink",
450                                      EndBlock->getParent(), EndBlock);
451       TrueBranch = BranchInst::Create(EndBlock, TrueBlock);
452       TrueBranch->setDebugLoc(LastSI->getDebugLoc());
453       for (Instruction *TrueInst : TrueSlicesInterleaved)
454         TrueInst->moveBefore(TrueBranch);
455     }
456     if (!FalseSlicesInterleaved.empty()) {
457       FalseBlock = BasicBlock::Create(LastSI->getContext(), "select.false.sink",
458                                       EndBlock->getParent(), EndBlock);
459       FalseBranch = BranchInst::Create(EndBlock, FalseBlock);
460       FalseBranch->setDebugLoc(LastSI->getDebugLoc());
461       for (Instruction *FalseInst : FalseSlicesInterleaved)
462         FalseInst->moveBefore(FalseBranch);
463     }
464     // If there was nothing to sink, then arbitrarily choose the 'false' side
465     // for a new input value to the PHI.
466     if (TrueBlock == FalseBlock) {
467       assert(TrueBlock == nullptr &&
468              "Unexpected basic block transform while optimizing select");
469 
470       FalseBlock = BasicBlock::Create(SI->getContext(), "select.false",
471                                       EndBlock->getParent(), EndBlock);
472       auto *FalseBranch = BranchInst::Create(EndBlock, FalseBlock);
473       FalseBranch->setDebugLoc(SI->getDebugLoc());
474     }
475 
476     // Insert the real conditional branch based on the original condition.
477     // If we did not create a new block for one of the 'true' or 'false' paths
478     // of the condition, it means that side of the branch goes to the end block
479     // directly and the path originates from the start block from the point of
480     // view of the new PHI.
481     BasicBlock *TT, *FT;
482     if (TrueBlock == nullptr) {
483       TT = EndBlock;
484       FT = FalseBlock;
485       TrueBlock = StartBlock;
486     } else if (FalseBlock == nullptr) {
487       TT = TrueBlock;
488       FT = EndBlock;
489       FalseBlock = StartBlock;
490     } else {
491       TT = TrueBlock;
492       FT = FalseBlock;
493     }
494     IRBuilder<> IB(SI);
495     auto *CondFr =
496         IB.CreateFreeze(SI->getCondition(), SI->getName() + ".frozen");
497     IB.CreateCondBr(CondFr, TT, FT, SI);
498 
499     SmallPtrSet<const Instruction *, 2> INS;
500     INS.insert(ASI.begin(), ASI.end());
501     // Use reverse iterator because later select may use the value of the
502     // earlier select, and we need to propagate value through earlier select
503     // to get the PHI operand.
504     for (auto It = ASI.rbegin(); It != ASI.rend(); ++It) {
505       SelectInst *SI = *It;
506       // The select itself is replaced with a PHI Node.
507       PHINode *PN = PHINode::Create(SI->getType(), 2, "");
508       PN->insertBefore(EndBlock->begin());
509       PN->takeName(SI);
510       PN->addIncoming(getTrueOrFalseValue(SI, true, INS), TrueBlock);
511       PN->addIncoming(getTrueOrFalseValue(SI, false, INS), FalseBlock);
512       PN->setDebugLoc(SI->getDebugLoc());
513 
514       SI->replaceAllUsesWith(PN);
515       SI->eraseFromParent();
516       INS.erase(SI);
517       ++NumSelectsConverted;
518     }
519   }
520 }
521 
522 static bool isSpecialSelect(SelectInst *SI) {
523   using namespace llvm::PatternMatch;
524 
525   // If the select is a logical-and/logical-or then it is better treated as a
526   // and/or by the backend.
527   if (match(SI, m_CombineOr(m_LogicalAnd(m_Value(), m_Value()),
528                             m_LogicalOr(m_Value(), m_Value()))))
529     return true;
530 
531   return false;
532 }
533 
534 void SelectOptimize::collectSelectGroups(BasicBlock &BB,
535                                          SelectGroups &SIGroups) {
536   BasicBlock::iterator BBIt = BB.begin();
537   while (BBIt != BB.end()) {
538     Instruction *I = &*BBIt++;
539     if (SelectInst *SI = dyn_cast<SelectInst>(I)) {
540       if (isSpecialSelect(SI))
541         continue;
542 
543       SelectGroup SIGroup;
544       SIGroup.push_back(SI);
545       while (BBIt != BB.end()) {
546         Instruction *NI = &*BBIt;
547         SelectInst *NSI = dyn_cast<SelectInst>(NI);
548         if (NSI && SI->getCondition() == NSI->getCondition()) {
549           SIGroup.push_back(NSI);
550         } else if (!NI->isDebugOrPseudoInst()) {
551           // Debug/pseudo instructions should be skipped and not prevent the
552           // formation of a select group.
553           break;
554         }
555         ++BBIt;
556       }
557 
558       // If the select type is not supported, no point optimizing it.
559       // Instruction selection will take care of it.
560       if (!isSelectKindSupported(SI))
561         continue;
562 
563       SIGroups.push_back(SIGroup);
564     }
565   }
566 }
567 
568 void SelectOptimize::findProfitableSIGroupsBase(SelectGroups &SIGroups,
569                                                 SelectGroups &ProfSIGroups) {
570   for (SelectGroup &ASI : SIGroups) {
571     ++NumSelectOptAnalyzed;
572     if (isConvertToBranchProfitableBase(ASI))
573       ProfSIGroups.push_back(ASI);
574   }
575 }
576 
577 static void EmitAndPrintRemark(OptimizationRemarkEmitter *ORE,
578                                DiagnosticInfoOptimizationBase &Rem) {
579   LLVM_DEBUG(dbgs() << Rem.getMsg() << "\n");
580   ORE->emit(Rem);
581 }
582 
583 void SelectOptimize::findProfitableSIGroupsInnerLoops(
584     const Loop *L, SelectGroups &SIGroups, SelectGroups &ProfSIGroups) {
585   NumSelectOptAnalyzed += SIGroups.size();
586   // For each select group in an inner-most loop,
587   // a branch is more preferable than a select/conditional-move if:
588   // i) conversion to branches for all the select groups of the loop satisfies
589   //    loop-level heuristics including reducing the loop's critical path by
590   //    some threshold (see SelectOptimize::checkLoopHeuristics); and
591   // ii) the total cost of the select group is cheaper with a branch compared
592   //     to its predicated version. The cost is in terms of latency and the cost
593   //     of a select group is the cost of its most expensive select instruction
594   //     (assuming infinite resources and thus fully leveraging available ILP).
595 
596   DenseMap<const Instruction *, CostInfo> InstCostMap;
597   CostInfo LoopCost[2] = {{Scaled64::getZero(), Scaled64::getZero()},
598                           {Scaled64::getZero(), Scaled64::getZero()}};
599   if (!computeLoopCosts(L, SIGroups, InstCostMap, LoopCost) ||
600       !checkLoopHeuristics(L, LoopCost)) {
601     return;
602   }
603 
604   for (SelectGroup &ASI : SIGroups) {
605     // Assuming infinite resources, the cost of a group of instructions is the
606     // cost of the most expensive instruction of the group.
607     Scaled64 SelectCost = Scaled64::getZero(), BranchCost = Scaled64::getZero();
608     for (SelectInst *SI : ASI) {
609       SelectCost = std::max(SelectCost, InstCostMap[SI].PredCost);
610       BranchCost = std::max(BranchCost, InstCostMap[SI].NonPredCost);
611     }
612     if (BranchCost < SelectCost) {
613       OptimizationRemark OR(DEBUG_TYPE, "SelectOpti", ASI.front());
614       OR << "Profitable to convert to branch (loop analysis). BranchCost="
615          << BranchCost.toString() << ", SelectCost=" << SelectCost.toString()
616          << ". ";
617       EmitAndPrintRemark(ORE, OR);
618       ++NumSelectConvertedLoop;
619       ProfSIGroups.push_back(ASI);
620     } else {
621       OptimizationRemarkMissed ORmiss(DEBUG_TYPE, "SelectOpti", ASI.front());
622       ORmiss << "Select is more profitable (loop analysis). BranchCost="
623              << BranchCost.toString()
624              << ", SelectCost=" << SelectCost.toString() << ". ";
625       EmitAndPrintRemark(ORE, ORmiss);
626     }
627   }
628 }
629 
630 bool SelectOptimize::isConvertToBranchProfitableBase(
631     const SmallVector<SelectInst *, 2> &ASI) {
632   SelectInst *SI = ASI.front();
633   LLVM_DEBUG(dbgs() << "Analyzing select group containing " << *SI << "\n");
634   OptimizationRemark OR(DEBUG_TYPE, "SelectOpti", SI);
635   OptimizationRemarkMissed ORmiss(DEBUG_TYPE, "SelectOpti", SI);
636 
637   // Skip cold basic blocks. Better to optimize for size for cold blocks.
638   if (PSI->isColdBlock(SI->getParent(), BFI.get())) {
639     ++NumSelectColdBB;
640     ORmiss << "Not converted to branch because of cold basic block. ";
641     EmitAndPrintRemark(ORE, ORmiss);
642     return false;
643   }
644 
645   // If unpredictable, branch form is less profitable.
646   if (SI->getMetadata(LLVMContext::MD_unpredictable)) {
647     ++NumSelectUnPred;
648     ORmiss << "Not converted to branch because of unpredictable branch. ";
649     EmitAndPrintRemark(ORE, ORmiss);
650     return false;
651   }
652 
653   // If highly predictable, branch form is more profitable, unless a
654   // predictable select is inexpensive in the target architecture.
655   if (isSelectHighlyPredictable(SI) && TLI->isPredictableSelectExpensive()) {
656     ++NumSelectConvertedHighPred;
657     OR << "Converted to branch because of highly predictable branch. ";
658     EmitAndPrintRemark(ORE, OR);
659     return true;
660   }
661 
662   // Look for expensive instructions in the cold operand's (if any) dependence
663   // slice of any of the selects in the group.
664   if (hasExpensiveColdOperand(ASI)) {
665     ++NumSelectConvertedExpColdOperand;
666     OR << "Converted to branch because of expensive cold operand.";
667     EmitAndPrintRemark(ORE, OR);
668     return true;
669   }
670 
671   ORmiss << "Not profitable to convert to branch (base heuristic).";
672   EmitAndPrintRemark(ORE, ORmiss);
673   return false;
674 }
675 
676 static InstructionCost divideNearest(InstructionCost Numerator,
677                                      uint64_t Denominator) {
678   return (Numerator + (Denominator / 2)) / Denominator;
679 }
680 
681 bool SelectOptimize::hasExpensiveColdOperand(
682     const SmallVector<SelectInst *, 2> &ASI) {
683   bool ColdOperand = false;
684   uint64_t TrueWeight, FalseWeight, TotalWeight;
685   if (extractBranchWeights(*ASI.front(), TrueWeight, FalseWeight)) {
686     uint64_t MinWeight = std::min(TrueWeight, FalseWeight);
687     TotalWeight = TrueWeight + FalseWeight;
688     // Is there a path with frequency <ColdOperandThreshold% (default:20%) ?
689     ColdOperand = TotalWeight * ColdOperandThreshold > 100 * MinWeight;
690   } else if (PSI->hasProfileSummary()) {
691     OptimizationRemarkMissed ORmiss(DEBUG_TYPE, "SelectOpti", ASI.front());
692     ORmiss << "Profile data available but missing branch-weights metadata for "
693               "select instruction. ";
694     EmitAndPrintRemark(ORE, ORmiss);
695   }
696   if (!ColdOperand)
697     return false;
698   // Check if the cold path's dependence slice is expensive for any of the
699   // selects of the group.
700   for (SelectInst *SI : ASI) {
701     Instruction *ColdI = nullptr;
702     uint64_t HotWeight;
703     if (TrueWeight < FalseWeight) {
704       ColdI = dyn_cast<Instruction>(SI->getTrueValue());
705       HotWeight = FalseWeight;
706     } else {
707       ColdI = dyn_cast<Instruction>(SI->getFalseValue());
708       HotWeight = TrueWeight;
709     }
710     if (ColdI) {
711       std::stack<Instruction *> ColdSlice;
712       getExclBackwardsSlice(ColdI, ColdSlice, SI);
713       InstructionCost SliceCost = 0;
714       while (!ColdSlice.empty()) {
715         SliceCost += TTI->getInstructionCost(ColdSlice.top(),
716                                              TargetTransformInfo::TCK_Latency);
717         ColdSlice.pop();
718       }
719       // The colder the cold value operand of the select is the more expensive
720       // the cmov becomes for computing the cold value operand every time. Thus,
721       // the colder the cold operand is the more its cost counts.
722       // Get nearest integer cost adjusted for coldness.
723       InstructionCost AdjSliceCost =
724           divideNearest(SliceCost * HotWeight, TotalWeight);
725       if (AdjSliceCost >=
726           ColdOperandMaxCostMultiplier * TargetTransformInfo::TCC_Expensive)
727         return true;
728     }
729   }
730   return false;
731 }
732 
733 // Check if it is safe to move LoadI next to the SI.
734 // Conservatively assume it is safe only if there is no instruction
735 // modifying memory in-between the load and the select instruction.
736 static bool isSafeToSinkLoad(Instruction *LoadI, Instruction *SI) {
737   // Assume loads from different basic blocks are unsafe to move.
738   if (LoadI->getParent() != SI->getParent())
739     return false;
740   auto It = LoadI->getIterator();
741   while (&*It != SI) {
742     if (It->mayWriteToMemory())
743       return false;
744     It++;
745   }
746   return true;
747 }
748 
749 // For a given source instruction, collect its backwards dependence slice
750 // consisting of instructions exclusively computed for the purpose of producing
751 // the operands of the source instruction. As an approximation
752 // (sufficiently-accurate in practice), we populate this set with the
753 // instructions of the backwards dependence slice that only have one-use and
754 // form an one-use chain that leads to the source instruction.
755 void SelectOptimize::getExclBackwardsSlice(Instruction *I,
756                                            std::stack<Instruction *> &Slice,
757                                            Instruction *SI, bool ForSinking) {
758   SmallPtrSet<Instruction *, 2> Visited;
759   std::queue<Instruction *> Worklist;
760   Worklist.push(I);
761   while (!Worklist.empty()) {
762     Instruction *II = Worklist.front();
763     Worklist.pop();
764 
765     // Avoid cycles.
766     if (!Visited.insert(II).second)
767       continue;
768 
769     if (!II->hasOneUse())
770       continue;
771 
772     // Cannot soundly sink instructions with side-effects.
773     // Terminator or phi instructions cannot be sunk.
774     // Avoid sinking other select instructions (should be handled separetely).
775     if (ForSinking && (II->isTerminator() || II->mayHaveSideEffects() ||
776                        isa<SelectInst>(II) || isa<PHINode>(II)))
777       continue;
778 
779     // Avoid sinking loads in order not to skip state-modifying instructions,
780     // that may alias with the loaded address.
781     // Only allow sinking of loads within the same basic block that are
782     // conservatively proven to be safe.
783     if (ForSinking && II->mayReadFromMemory() && !isSafeToSinkLoad(II, SI))
784       continue;
785 
786     // Avoid considering instructions with less frequency than the source
787     // instruction (i.e., avoid colder code regions of the dependence slice).
788     if (BFI->getBlockFreq(II->getParent()) < BFI->getBlockFreq(I->getParent()))
789       continue;
790 
791     // Eligible one-use instruction added to the dependence slice.
792     Slice.push(II);
793 
794     // Explore all the operands of the current instruction to expand the slice.
795     for (unsigned k = 0; k < II->getNumOperands(); ++k)
796       if (auto *OpI = dyn_cast<Instruction>(II->getOperand(k)))
797         Worklist.push(OpI);
798   }
799 }
800 
801 bool SelectOptimize::isSelectHighlyPredictable(const SelectInst *SI) {
802   uint64_t TrueWeight, FalseWeight;
803   if (extractBranchWeights(*SI, TrueWeight, FalseWeight)) {
804     uint64_t Max = std::max(TrueWeight, FalseWeight);
805     uint64_t Sum = TrueWeight + FalseWeight;
806     if (Sum != 0) {
807       auto Probability = BranchProbability::getBranchProbability(Max, Sum);
808       if (Probability > TTI->getPredictableBranchThreshold())
809         return true;
810     }
811   }
812   return false;
813 }
814 
815 bool SelectOptimize::checkLoopHeuristics(const Loop *L,
816                                          const CostInfo LoopCost[2]) {
817   // Loop-level checks to determine if a non-predicated version (with branches)
818   // of the loop is more profitable than its predicated version.
819 
820   if (DisableLoopLevelHeuristics)
821     return true;
822 
823   OptimizationRemarkMissed ORmissL(DEBUG_TYPE, "SelectOpti",
824                                    L->getHeader()->getFirstNonPHI());
825 
826   if (LoopCost[0].NonPredCost > LoopCost[0].PredCost ||
827       LoopCost[1].NonPredCost >= LoopCost[1].PredCost) {
828     ORmissL << "No select conversion in the loop due to no reduction of loop's "
829                "critical path. ";
830     EmitAndPrintRemark(ORE, ORmissL);
831     return false;
832   }
833 
834   Scaled64 Gain[2] = {LoopCost[0].PredCost - LoopCost[0].NonPredCost,
835                       LoopCost[1].PredCost - LoopCost[1].NonPredCost};
836 
837   // Profitably converting to branches need to reduce the loop's critical path
838   // by at least some threshold (absolute gain of GainCycleThreshold cycles and
839   // relative gain of 12.5%).
840   if (Gain[1] < Scaled64::get(GainCycleThreshold) ||
841       Gain[1] * Scaled64::get(GainRelativeThreshold) < LoopCost[1].PredCost) {
842     Scaled64 RelativeGain = Scaled64::get(100) * Gain[1] / LoopCost[1].PredCost;
843     ORmissL << "No select conversion in the loop due to small reduction of "
844                "loop's critical path. Gain="
845             << Gain[1].toString()
846             << ", RelativeGain=" << RelativeGain.toString() << "%. ";
847     EmitAndPrintRemark(ORE, ORmissL);
848     return false;
849   }
850 
851   // If the loop's critical path involves loop-carried dependences, the gradient
852   // of the gain needs to be at least GainGradientThreshold% (defaults to 25%).
853   // This check ensures that the latency reduction for the loop's critical path
854   // keeps decreasing with sufficient rate beyond the two analyzed loop
855   // iterations.
856   if (Gain[1] > Gain[0]) {
857     Scaled64 GradientGain = Scaled64::get(100) * (Gain[1] - Gain[0]) /
858                             (LoopCost[1].PredCost - LoopCost[0].PredCost);
859     if (GradientGain < Scaled64::get(GainGradientThreshold)) {
860       ORmissL << "No select conversion in the loop due to small gradient gain. "
861                  "GradientGain="
862               << GradientGain.toString() << "%. ";
863       EmitAndPrintRemark(ORE, ORmissL);
864       return false;
865     }
866   }
867   // If the gain decreases it is not profitable to convert.
868   else if (Gain[1] < Gain[0]) {
869     ORmissL
870         << "No select conversion in the loop due to negative gradient gain. ";
871     EmitAndPrintRemark(ORE, ORmissL);
872     return false;
873   }
874 
875   // Non-predicated version of the loop is more profitable than its
876   // predicated version.
877   return true;
878 }
879 
880 // Computes instruction and loop-critical-path costs for both the predicated
881 // and non-predicated version of the given loop.
882 // Returns false if unable to compute these costs due to invalid cost of loop
883 // instruction(s).
884 bool SelectOptimize::computeLoopCosts(
885     const Loop *L, const SelectGroups &SIGroups,
886     DenseMap<const Instruction *, CostInfo> &InstCostMap, CostInfo *LoopCost) {
887   LLVM_DEBUG(dbgs() << "Calculating Latency / IPredCost / INonPredCost of loop "
888                     << L->getHeader()->getName() << "\n");
889   const auto &SIset = getSIset(SIGroups);
890   // Compute instruction and loop-critical-path costs across two iterations for
891   // both predicated and non-predicated version.
892   const unsigned Iterations = 2;
893   for (unsigned Iter = 0; Iter < Iterations; ++Iter) {
894     // Cost of the loop's critical path.
895     CostInfo &MaxCost = LoopCost[Iter];
896     for (BasicBlock *BB : L->getBlocks()) {
897       for (const Instruction &I : *BB) {
898         if (I.isDebugOrPseudoInst())
899           continue;
900         // Compute the predicated and non-predicated cost of the instruction.
901         Scaled64 IPredCost = Scaled64::getZero(),
902                  INonPredCost = Scaled64::getZero();
903 
904         // Assume infinite resources that allow to fully exploit the available
905         // instruction-level parallelism.
906         // InstCost = InstLatency + max(Op1Cost, Op2Cost, … OpNCost)
907         for (const Use &U : I.operands()) {
908           auto UI = dyn_cast<Instruction>(U.get());
909           if (!UI)
910             continue;
911           if (InstCostMap.count(UI)) {
912             IPredCost = std::max(IPredCost, InstCostMap[UI].PredCost);
913             INonPredCost = std::max(INonPredCost, InstCostMap[UI].NonPredCost);
914           }
915         }
916         auto ILatency = computeInstCost(&I);
917         if (!ILatency) {
918           OptimizationRemarkMissed ORmissL(DEBUG_TYPE, "SelectOpti", &I);
919           ORmissL << "Invalid instruction cost preventing analysis and "
920                      "optimization of the inner-most loop containing this "
921                      "instruction. ";
922           EmitAndPrintRemark(ORE, ORmissL);
923           return false;
924         }
925         IPredCost += Scaled64::get(*ILatency);
926         INonPredCost += Scaled64::get(*ILatency);
927 
928         // For a select that can be converted to branch,
929         // compute its cost as a branch (non-predicated cost).
930         //
931         // BranchCost = PredictedPathCost + MispredictCost
932         // PredictedPathCost = TrueOpCost * TrueProb + FalseOpCost * FalseProb
933         // MispredictCost = max(MispredictPenalty, CondCost) * MispredictRate
934         if (SIset.contains(&I)) {
935           auto SI = cast<SelectInst>(&I);
936 
937           Scaled64 TrueOpCost = Scaled64::getZero(),
938                    FalseOpCost = Scaled64::getZero();
939           if (auto *TI = dyn_cast<Instruction>(SI->getTrueValue()))
940             if (InstCostMap.count(TI))
941               TrueOpCost = InstCostMap[TI].NonPredCost;
942           if (auto *FI = dyn_cast<Instruction>(SI->getFalseValue()))
943             if (InstCostMap.count(FI))
944               FalseOpCost = InstCostMap[FI].NonPredCost;
945           Scaled64 PredictedPathCost =
946               getPredictedPathCost(TrueOpCost, FalseOpCost, SI);
947 
948           Scaled64 CondCost = Scaled64::getZero();
949           if (auto *CI = dyn_cast<Instruction>(SI->getCondition()))
950             if (InstCostMap.count(CI))
951               CondCost = InstCostMap[CI].NonPredCost;
952           Scaled64 MispredictCost = getMispredictionCost(SI, CondCost);
953 
954           INonPredCost = PredictedPathCost + MispredictCost;
955         }
956         LLVM_DEBUG(dbgs() << " " << ILatency << "/" << IPredCost << "/"
957                           << INonPredCost << " for " << I << "\n");
958 
959         InstCostMap[&I] = {IPredCost, INonPredCost};
960         MaxCost.PredCost = std::max(MaxCost.PredCost, IPredCost);
961         MaxCost.NonPredCost = std::max(MaxCost.NonPredCost, INonPredCost);
962       }
963     }
964     LLVM_DEBUG(dbgs() << "Iteration " << Iter + 1
965                       << " MaxCost = " << MaxCost.PredCost << " "
966                       << MaxCost.NonPredCost << "\n");
967   }
968   return true;
969 }
970 
971 SmallPtrSet<const Instruction *, 2>
972 SelectOptimize::getSIset(const SelectGroups &SIGroups) {
973   SmallPtrSet<const Instruction *, 2> SIset;
974   for (const SelectGroup &ASI : SIGroups)
975     for (const SelectInst *SI : ASI)
976       SIset.insert(SI);
977   return SIset;
978 }
979 
980 std::optional<uint64_t> SelectOptimize::computeInstCost(const Instruction *I) {
981   InstructionCost ICost =
982       TTI->getInstructionCost(I, TargetTransformInfo::TCK_Latency);
983   if (auto OC = ICost.getValue())
984     return std::optional<uint64_t>(*OC);
985   return std::nullopt;
986 }
987 
988 ScaledNumber<uint64_t>
989 SelectOptimize::getMispredictionCost(const SelectInst *SI,
990                                      const Scaled64 CondCost) {
991   uint64_t MispredictPenalty = TSchedModel.getMCSchedModel()->MispredictPenalty;
992 
993   // Account for the default misprediction rate when using a branch
994   // (conservatively set to 25% by default).
995   uint64_t MispredictRate = MispredictDefaultRate;
996   // If the select condition is obviously predictable, then the misprediction
997   // rate is zero.
998   if (isSelectHighlyPredictable(SI))
999     MispredictRate = 0;
1000 
1001   // CondCost is included to account for cases where the computation of the
1002   // condition is part of a long dependence chain (potentially loop-carried)
1003   // that would delay detection of a misprediction and increase its cost.
1004   Scaled64 MispredictCost =
1005       std::max(Scaled64::get(MispredictPenalty), CondCost) *
1006       Scaled64::get(MispredictRate);
1007   MispredictCost /= Scaled64::get(100);
1008 
1009   return MispredictCost;
1010 }
1011 
1012 // Returns the cost of a branch when the prediction is correct.
1013 // TrueCost * TrueProbability + FalseCost * FalseProbability.
1014 ScaledNumber<uint64_t>
1015 SelectOptimize::getPredictedPathCost(Scaled64 TrueCost, Scaled64 FalseCost,
1016                                      const SelectInst *SI) {
1017   Scaled64 PredPathCost;
1018   uint64_t TrueWeight, FalseWeight;
1019   if (extractBranchWeights(*SI, TrueWeight, FalseWeight)) {
1020     uint64_t SumWeight = TrueWeight + FalseWeight;
1021     if (SumWeight != 0) {
1022       PredPathCost = TrueCost * Scaled64::get(TrueWeight) +
1023                      FalseCost * Scaled64::get(FalseWeight);
1024       PredPathCost /= Scaled64::get(SumWeight);
1025       return PredPathCost;
1026     }
1027   }
1028   // Without branch weight metadata, we assume 75% for the one path and 25% for
1029   // the other, and pick the result with the biggest cost.
1030   PredPathCost = std::max(TrueCost * Scaled64::get(3) + FalseCost,
1031                           FalseCost * Scaled64::get(3) + TrueCost);
1032   PredPathCost /= Scaled64::get(4);
1033   return PredPathCost;
1034 }
1035 
1036 bool SelectOptimize::isSelectKindSupported(SelectInst *SI) {
1037   bool VectorCond = !SI->getCondition()->getType()->isIntegerTy(1);
1038   if (VectorCond)
1039     return false;
1040   TargetLowering::SelectSupportKind SelectKind;
1041   if (SI->getType()->isVectorTy())
1042     SelectKind = TargetLowering::ScalarCondVectorVal;
1043   else
1044     SelectKind = TargetLowering::ScalarValSelect;
1045   return TLI->isSelectSupported(SelectKind);
1046 }
1047