xref: /llvm-project/llvm/lib/Target/AArch64/AArch64ConditionOptimizer.cpp (revision 038393bba00c5654724de27d72ae633ec48533d4)
1 //=- AArch64ConditionOptimizer.cpp - Remove useless comparisons for AArch64 -=//
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 //
10 // This pass tries to make consecutive compares of values use same operands to
11 // allow CSE pass to remove duplicated instructions.  For this it analyzes
12 // branches and adjusts comparisons with immediate values by converting:
13 //  * GE -> GT
14 //  * GT -> GE
15 //  * LT -> LE
16 //  * LE -> LT
17 // and adjusting immediate values appropriately.  It basically corrects two
18 // immediate values towards each other to make them equal.
19 //
20 // Consider the following example in C:
21 //
22 //   if ((a < 5 && ...) || (a > 5 && ...)) {
23 //        ~~~~~             ~~~~~
24 //          ^                 ^
25 //          x                 y
26 //
27 // Here both "x" and "y" expressions compare "a" with "5".  When "x" evaluates
28 // to "false", "y" can just check flags set by the first comparison.  As a
29 // result of the canonicalization employed by
30 // SelectionDAGBuilder::visitSwitchCase, DAGCombine, and other target-specific
31 // code, assembly ends up in the form that is not CSE friendly:
32 //
33 //     ...
34 //     cmp      w8, #4
35 //     b.gt     .LBB0_3
36 //     ...
37 //   .LBB0_3:
38 //     cmp      w8, #6
39 //     b.lt     .LBB0_6
40 //     ...
41 //
42 // Same assembly after the pass:
43 //
44 //     ...
45 //     cmp      w8, #5
46 //     b.ge     .LBB0_3
47 //     ...
48 //   .LBB0_3:
49 //     cmp      w8, #5     // <-- CSE pass removes this instruction
50 //     b.le     .LBB0_6
51 //     ...
52 //
53 // Currently only SUBS and ADDS followed by b.?? are supported.
54 //
55 // TODO: maybe handle TBNZ/TBZ the same way as CMP when used instead for "a < 0"
56 // TODO: handle other conditional instructions (e.g. CSET)
57 // TODO: allow second branching to be anything if it doesn't require adjusting
58 //
59 //===----------------------------------------------------------------------===//
60 
61 #include "AArch64.h"
62 #include "MCTargetDesc/AArch64AddressingModes.h"
63 #include "llvm/ADT/DepthFirstIterator.h"
64 #include "llvm/ADT/SmallVector.h"
65 #include "llvm/ADT/Statistic.h"
66 #include "llvm/CodeGen/LiveIntervalAnalysis.h"
67 #include "llvm/CodeGen/MachineDominators.h"
68 #include "llvm/CodeGen/MachineFunction.h"
69 #include "llvm/CodeGen/MachineFunctionPass.h"
70 #include "llvm/CodeGen/MachineInstrBuilder.h"
71 #include "llvm/CodeGen/MachineRegisterInfo.h"
72 #include "llvm/CodeGen/Passes.h"
73 #include "llvm/Support/CommandLine.h"
74 #include "llvm/Support/Debug.h"
75 #include "llvm/Support/raw_ostream.h"
76 #include "llvm/Target/TargetInstrInfo.h"
77 #include "llvm/Target/TargetSubtargetInfo.h"
78 #include <cstdlib>
79 #include <tuple>
80 
81 using namespace llvm;
82 
83 #define DEBUG_TYPE "aarch64-condopt"
84 
85 STATISTIC(NumConditionsAdjusted, "Number of conditions adjusted");
86 
87 namespace {
88 class AArch64ConditionOptimizer : public MachineFunctionPass {
89   const TargetInstrInfo *TII;
90   MachineDominatorTree *DomTree;
91   const MachineRegisterInfo *MRI;
92 
93 public:
94   // Stores immediate, compare instruction opcode and branch condition (in this
95   // order) of adjusted comparison.
96   typedef std::tuple<int, unsigned, AArch64CC::CondCode> CmpInfo;
97 
98   static char ID;
99   AArch64ConditionOptimizer() : MachineFunctionPass(ID) {}
100   void getAnalysisUsage(AnalysisUsage &AU) const override;
101   MachineInstr *findSuitableCompare(MachineBasicBlock *MBB);
102   CmpInfo adjustCmp(MachineInstr *CmpMI, AArch64CC::CondCode Cmp);
103   void modifyCmp(MachineInstr *CmpMI, const CmpInfo &Info);
104   bool adjustTo(MachineInstr *CmpMI, AArch64CC::CondCode Cmp, MachineInstr *To,
105                 int ToImm);
106   bool runOnMachineFunction(MachineFunction &MF) override;
107   const char *getPassName() const override {
108     return "AArch64 Condition Optimizer";
109   }
110 };
111 } // end anonymous namespace
112 
113 char AArch64ConditionOptimizer::ID = 0;
114 
115 namespace llvm {
116 void initializeAArch64ConditionOptimizerPass(PassRegistry &);
117 }
118 
119 INITIALIZE_PASS_BEGIN(AArch64ConditionOptimizer, "aarch64-condopt",
120                       "AArch64 CondOpt Pass", false, false)
121 INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
122 INITIALIZE_PASS_END(AArch64ConditionOptimizer, "aarch64-condopt",
123                     "AArch64 CondOpt Pass", false, false)
124 
125 FunctionPass *llvm::createAArch64ConditionOptimizerPass() {
126   return new AArch64ConditionOptimizer();
127 }
128 
129 void AArch64ConditionOptimizer::getAnalysisUsage(AnalysisUsage &AU) const {
130   AU.addRequired<MachineDominatorTree>();
131   AU.addPreserved<MachineDominatorTree>();
132   MachineFunctionPass::getAnalysisUsage(AU);
133 }
134 
135 // Finds compare instruction that corresponds to supported types of branching.
136 // Returns the instruction or nullptr on failures or detecting unsupported
137 // instructions.
138 MachineInstr *AArch64ConditionOptimizer::findSuitableCompare(
139     MachineBasicBlock *MBB) {
140   MachineBasicBlock::iterator I = MBB->getFirstTerminator();
141   if (I == MBB->end())
142     return nullptr;
143 
144   if (I->getOpcode() != AArch64::Bcc)
145     return nullptr;
146 
147   // Since we may modify cmp of this MBB, make sure NZCV does not live out.
148   for (auto SuccBB : MBB->successors())
149     if (SuccBB->isLiveIn(AArch64::NZCV))
150       return nullptr;
151 
152   // Now find the instruction controlling the terminator.
153   for (MachineBasicBlock::iterator B = MBB->begin(); I != B;) {
154     --I;
155     assert(!I->isTerminator() && "Spurious terminator");
156     // Check if there is any use of NZCV between CMP and Bcc.
157     if (I->readsRegister(AArch64::NZCV))
158       return nullptr;
159     switch (I->getOpcode()) {
160     // cmp is an alias for subs with a dead destination register.
161     case AArch64::SUBSWri:
162     case AArch64::SUBSXri:
163     // cmn is an alias for adds with a dead destination register.
164     case AArch64::ADDSWri:
165     case AArch64::ADDSXri: {
166       unsigned ShiftAmt = AArch64_AM::getShiftValue(I->getOperand(3).getImm());
167       if (!I->getOperand(2).isImm()) {
168         DEBUG(dbgs() << "Immediate of cmp is symbolic, " << *I << '\n');
169         return nullptr;
170       } else if (I->getOperand(2).getImm() << ShiftAmt >= 0xfff) {
171         DEBUG(dbgs() << "Immediate of cmp may be out of range, " << *I << '\n');
172         return nullptr;
173       } else if (!MRI->use_empty(I->getOperand(0).getReg())) {
174         DEBUG(dbgs() << "Destination of cmp is not dead, " << *I << '\n');
175         return nullptr;
176       }
177       return I;
178     }
179     // Prevent false positive case like:
180     // cmp      w19, #0
181     // cinc     w0, w19, gt
182     // ...
183     // fcmp     d8, #0.0
184     // b.gt     .LBB0_5
185     case AArch64::FCMPDri:
186     case AArch64::FCMPSri:
187     case AArch64::FCMPESri:
188     case AArch64::FCMPEDri:
189 
190     case AArch64::SUBSWrr:
191     case AArch64::SUBSXrr:
192     case AArch64::ADDSWrr:
193     case AArch64::ADDSXrr:
194     case AArch64::FCMPSrr:
195     case AArch64::FCMPDrr:
196     case AArch64::FCMPESrr:
197     case AArch64::FCMPEDrr:
198       // Skip comparison instructions without immediate operands.
199       return nullptr;
200     }
201   }
202   DEBUG(dbgs() << "Flags not defined in BB#" << MBB->getNumber() << '\n');
203   return nullptr;
204 }
205 
206 // Changes opcode adds <-> subs considering register operand width.
207 static int getComplementOpc(int Opc) {
208   switch (Opc) {
209   case AArch64::ADDSWri: return AArch64::SUBSWri;
210   case AArch64::ADDSXri: return AArch64::SUBSXri;
211   case AArch64::SUBSWri: return AArch64::ADDSWri;
212   case AArch64::SUBSXri: return AArch64::ADDSXri;
213   default:
214     llvm_unreachable("Unexpected opcode");
215   }
216 }
217 
218 // Changes form of comparison inclusive <-> exclusive.
219 static AArch64CC::CondCode getAdjustedCmp(AArch64CC::CondCode Cmp) {
220   switch (Cmp) {
221   case AArch64CC::GT: return AArch64CC::GE;
222   case AArch64CC::GE: return AArch64CC::GT;
223   case AArch64CC::LT: return AArch64CC::LE;
224   case AArch64CC::LE: return AArch64CC::LT;
225   default:
226     llvm_unreachable("Unexpected condition code");
227   }
228 }
229 
230 // Transforms GT -> GE, GE -> GT, LT -> LE, LE -> LT by updating comparison
231 // operator and condition code.
232 AArch64ConditionOptimizer::CmpInfo AArch64ConditionOptimizer::adjustCmp(
233     MachineInstr *CmpMI, AArch64CC::CondCode Cmp) {
234   unsigned Opc = CmpMI->getOpcode();
235 
236   // CMN (compare with negative immediate) is an alias to ADDS (as
237   // "operand - negative" == "operand + positive")
238   bool Negative = (Opc == AArch64::ADDSWri || Opc == AArch64::ADDSXri);
239 
240   int Correction = (Cmp == AArch64CC::GT) ? 1 : -1;
241   // Negate Correction value for comparison with negative immediate (CMN).
242   if (Negative) {
243     Correction = -Correction;
244   }
245 
246   const int OldImm = (int)CmpMI->getOperand(2).getImm();
247   const int NewImm = std::abs(OldImm + Correction);
248 
249   // Handle +0 -> -1 and -0 -> +1 (CMN with 0 immediate) transitions by
250   // adjusting compare instruction opcode.
251   if (OldImm == 0 && ((Negative && Correction == 1) ||
252                       (!Negative && Correction == -1))) {
253     Opc = getComplementOpc(Opc);
254   }
255 
256   return CmpInfo(NewImm, Opc, getAdjustedCmp(Cmp));
257 }
258 
259 // Applies changes to comparison instruction suggested by adjustCmp().
260 void AArch64ConditionOptimizer::modifyCmp(MachineInstr *CmpMI,
261     const CmpInfo &Info) {
262   int Imm;
263   unsigned Opc;
264   AArch64CC::CondCode Cmp;
265   std::tie(Imm, Opc, Cmp) = Info;
266 
267   MachineBasicBlock *const MBB = CmpMI->getParent();
268 
269   // Change immediate in comparison instruction (ADDS or SUBS).
270   BuildMI(*MBB, CmpMI, CmpMI->getDebugLoc(), TII->get(Opc))
271       .addOperand(CmpMI->getOperand(0))
272       .addOperand(CmpMI->getOperand(1))
273       .addImm(Imm)
274       .addOperand(CmpMI->getOperand(3));
275   CmpMI->eraseFromParent();
276 
277   // The fact that this comparison was picked ensures that it's related to the
278   // first terminator instruction.
279   MachineInstr *BrMI = MBB->getFirstTerminator();
280 
281   // Change condition in branch instruction.
282   BuildMI(*MBB, BrMI, BrMI->getDebugLoc(), TII->get(AArch64::Bcc))
283       .addImm(Cmp)
284       .addOperand(BrMI->getOperand(1));
285   BrMI->eraseFromParent();
286 
287   MBB->updateTerminator();
288 
289   ++NumConditionsAdjusted;
290 }
291 
292 // Parse a condition code returned by AnalyzeBranch, and compute the CondCode
293 // corresponding to TBB.
294 // Returns true if parsing was successful, otherwise false is returned.
295 static bool parseCond(ArrayRef<MachineOperand> Cond, AArch64CC::CondCode &CC) {
296   // A normal br.cond simply has the condition code.
297   if (Cond[0].getImm() != -1) {
298     assert(Cond.size() == 1 && "Unknown Cond array format");
299     CC = (AArch64CC::CondCode)(int)Cond[0].getImm();
300     return true;
301   }
302   return false;
303 }
304 
305 // Adjusts one cmp instruction to another one if result of adjustment will allow
306 // CSE.  Returns true if compare instruction was changed, otherwise false is
307 // returned.
308 bool AArch64ConditionOptimizer::adjustTo(MachineInstr *CmpMI,
309   AArch64CC::CondCode Cmp, MachineInstr *To, int ToImm)
310 {
311   CmpInfo Info = adjustCmp(CmpMI, Cmp);
312   if (std::get<0>(Info) == ToImm && std::get<1>(Info) == To->getOpcode()) {
313     modifyCmp(CmpMI, Info);
314     return true;
315   }
316   return false;
317 }
318 
319 bool AArch64ConditionOptimizer::runOnMachineFunction(MachineFunction &MF) {
320   DEBUG(dbgs() << "********** AArch64 Conditional Compares **********\n"
321                << "********** Function: " << MF.getName() << '\n');
322   TII = MF.getSubtarget().getInstrInfo();
323   DomTree = &getAnalysis<MachineDominatorTree>();
324   MRI = &MF.getRegInfo();
325 
326   bool Changed = false;
327 
328   // Visit blocks in dominator tree pre-order. The pre-order enables multiple
329   // cmp-conversions from the same head block.
330   // Note that updateDomTree() modifies the children of the DomTree node
331   // currently being visited. The df_iterator supports that; it doesn't look at
332   // child_begin() / child_end() until after a node has been visited.
333   for (MachineDomTreeNode *I : depth_first(DomTree)) {
334     MachineBasicBlock *HBB = I->getBlock();
335 
336     SmallVector<MachineOperand, 4> HeadCond;
337     MachineBasicBlock *TBB = nullptr, *FBB = nullptr;
338     if (TII->AnalyzeBranch(*HBB, TBB, FBB, HeadCond)) {
339       continue;
340     }
341 
342     // Equivalence check is to skip loops.
343     if (!TBB || TBB == HBB) {
344       continue;
345     }
346 
347     SmallVector<MachineOperand, 4> TrueCond;
348     MachineBasicBlock *TBB_TBB = nullptr, *TBB_FBB = nullptr;
349     if (TII->AnalyzeBranch(*TBB, TBB_TBB, TBB_FBB, TrueCond)) {
350       continue;
351     }
352 
353     MachineInstr *HeadCmpMI = findSuitableCompare(HBB);
354     if (!HeadCmpMI) {
355       continue;
356     }
357 
358     MachineInstr *TrueCmpMI = findSuitableCompare(TBB);
359     if (!TrueCmpMI) {
360       continue;
361     }
362 
363     AArch64CC::CondCode HeadCmp;
364     if (HeadCond.empty() || !parseCond(HeadCond, HeadCmp)) {
365       continue;
366     }
367 
368     AArch64CC::CondCode TrueCmp;
369     if (TrueCond.empty() || !parseCond(TrueCond, TrueCmp)) {
370       continue;
371     }
372 
373     const int HeadImm = (int)HeadCmpMI->getOperand(2).getImm();
374     const int TrueImm = (int)TrueCmpMI->getOperand(2).getImm();
375 
376     DEBUG(dbgs() << "Head branch:\n");
377     DEBUG(dbgs() << "\tcondition: "
378           << AArch64CC::getCondCodeName(HeadCmp) << '\n');
379     DEBUG(dbgs() << "\timmediate: " << HeadImm << '\n');
380 
381     DEBUG(dbgs() << "True branch:\n");
382     DEBUG(dbgs() << "\tcondition: "
383           << AArch64CC::getCondCodeName(TrueCmp) << '\n');
384     DEBUG(dbgs() << "\timmediate: " << TrueImm << '\n');
385 
386     if (((HeadCmp == AArch64CC::GT && TrueCmp == AArch64CC::LT) ||
387          (HeadCmp == AArch64CC::LT && TrueCmp == AArch64CC::GT)) &&
388         std::abs(TrueImm - HeadImm) == 2) {
389       // This branch transforms machine instructions that correspond to
390       //
391       // 1) (a > {TrueImm} && ...) || (a < {HeadImm} && ...)
392       // 2) (a < {TrueImm} && ...) || (a > {HeadImm} && ...)
393       //
394       // into
395       //
396       // 1) (a >= {NewImm} && ...) || (a <= {NewImm} && ...)
397       // 2) (a <= {NewImm} && ...) || (a >= {NewImm} && ...)
398 
399       CmpInfo HeadCmpInfo = adjustCmp(HeadCmpMI, HeadCmp);
400       CmpInfo TrueCmpInfo = adjustCmp(TrueCmpMI, TrueCmp);
401       if (std::get<0>(HeadCmpInfo) == std::get<0>(TrueCmpInfo) &&
402           std::get<1>(HeadCmpInfo) == std::get<1>(TrueCmpInfo)) {
403         modifyCmp(HeadCmpMI, HeadCmpInfo);
404         modifyCmp(TrueCmpMI, TrueCmpInfo);
405         Changed = true;
406       }
407     } else if (((HeadCmp == AArch64CC::GT && TrueCmp == AArch64CC::GT) ||
408                 (HeadCmp == AArch64CC::LT && TrueCmp == AArch64CC::LT)) &&
409                 std::abs(TrueImm - HeadImm) == 1) {
410       // This branch transforms machine instructions that correspond to
411       //
412       // 1) (a > {TrueImm} && ...) || (a > {HeadImm} && ...)
413       // 2) (a < {TrueImm} && ...) || (a < {HeadImm} && ...)
414       //
415       // into
416       //
417       // 1) (a <= {NewImm} && ...) || (a >  {NewImm} && ...)
418       // 2) (a <  {NewImm} && ...) || (a >= {NewImm} && ...)
419 
420       // GT -> GE transformation increases immediate value, so picking the
421       // smaller one; LT -> LE decreases immediate value so invert the choice.
422       bool adjustHeadCond = (HeadImm < TrueImm);
423       if (HeadCmp == AArch64CC::LT) {
424           adjustHeadCond = !adjustHeadCond;
425       }
426 
427       if (adjustHeadCond) {
428         Changed |= adjustTo(HeadCmpMI, HeadCmp, TrueCmpMI, TrueImm);
429       } else {
430         Changed |= adjustTo(TrueCmpMI, TrueCmp, HeadCmpMI, HeadImm);
431       }
432     }
433     // Other transformation cases almost never occur due to generation of < or >
434     // comparisons instead of <= and >=.
435   }
436 
437   return Changed;
438 }
439