1 //===- TailDuplicator.cpp - Duplicate blocks into predecessors' tails -----===// 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 utility class duplicates basic blocks ending in unconditional branches 10 // into the tails of their predecessors. 11 // 12 //===----------------------------------------------------------------------===// 13 14 #include "llvm/CodeGen/TailDuplicator.h" 15 #include "llvm/ADT/DenseMap.h" 16 #include "llvm/ADT/DenseSet.h" 17 #include "llvm/ADT/STLExtras.h" 18 #include "llvm/ADT/SetVector.h" 19 #include "llvm/ADT/SmallPtrSet.h" 20 #include "llvm/ADT/SmallVector.h" 21 #include "llvm/ADT/Statistic.h" 22 #include "llvm/Analysis/ProfileSummaryInfo.h" 23 #include "llvm/CodeGen/MachineBasicBlock.h" 24 #include "llvm/CodeGen/MachineBranchProbabilityInfo.h" 25 #include "llvm/CodeGen/MachineBlockFrequencyInfo.h" 26 #include "llvm/CodeGen/MachineFunction.h" 27 #include "llvm/CodeGen/MachineInstr.h" 28 #include "llvm/CodeGen/MachineInstrBuilder.h" 29 #include "llvm/CodeGen/MachineOperand.h" 30 #include "llvm/CodeGen/MachineRegisterInfo.h" 31 #include "llvm/CodeGen/MachineSizeOpts.h" 32 #include "llvm/CodeGen/MachineSSAUpdater.h" 33 #include "llvm/CodeGen/TargetInstrInfo.h" 34 #include "llvm/CodeGen/TargetRegisterInfo.h" 35 #include "llvm/CodeGen/TargetSubtargetInfo.h" 36 #include "llvm/IR/DebugLoc.h" 37 #include "llvm/IR/Function.h" 38 #include "llvm/Support/CommandLine.h" 39 #include "llvm/Support/Debug.h" 40 #include "llvm/Support/ErrorHandling.h" 41 #include "llvm/Support/raw_ostream.h" 42 #include "llvm/Target/TargetMachine.h" 43 #include <algorithm> 44 #include <cassert> 45 #include <iterator> 46 #include <utility> 47 48 using namespace llvm; 49 50 #define DEBUG_TYPE "tailduplication" 51 52 STATISTIC(NumTails, "Number of tails duplicated"); 53 STATISTIC(NumTailDups, "Number of tail duplicated blocks"); 54 STATISTIC(NumTailDupAdded, 55 "Number of instructions added due to tail duplication"); 56 STATISTIC(NumTailDupRemoved, 57 "Number of instructions removed due to tail duplication"); 58 STATISTIC(NumDeadBlocks, "Number of dead blocks removed"); 59 STATISTIC(NumAddedPHIs, "Number of phis added"); 60 61 // Heuristic for tail duplication. 62 static cl::opt<unsigned> TailDuplicateSize( 63 "tail-dup-size", 64 cl::desc("Maximum instructions to consider tail duplicating"), cl::init(2), 65 cl::Hidden); 66 67 static cl::opt<unsigned> TailDupIndirectBranchSize( 68 "tail-dup-indirect-size", 69 cl::desc("Maximum instructions to consider tail duplicating blocks that " 70 "end with indirect branches."), cl::init(20), 71 cl::Hidden); 72 73 static cl::opt<bool> 74 TailDupVerify("tail-dup-verify", 75 cl::desc("Verify sanity of PHI instructions during taildup"), 76 cl::init(false), cl::Hidden); 77 78 static cl::opt<unsigned> TailDupLimit("tail-dup-limit", cl::init(~0U), 79 cl::Hidden); 80 81 void TailDuplicator::initMF(MachineFunction &MFin, bool PreRegAlloc, 82 const MachineBranchProbabilityInfo *MBPIin, 83 MBFIWrapper *MBFIin, 84 ProfileSummaryInfo *PSIin, 85 bool LayoutModeIn, unsigned TailDupSizeIn) { 86 MF = &MFin; 87 TII = MF->getSubtarget().getInstrInfo(); 88 TRI = MF->getSubtarget().getRegisterInfo(); 89 MRI = &MF->getRegInfo(); 90 MMI = &MF->getMMI(); 91 MBPI = MBPIin; 92 MBFI = MBFIin; 93 PSI = PSIin; 94 TailDupSize = TailDupSizeIn; 95 96 assert(MBPI != nullptr && "Machine Branch Probability Info required"); 97 98 LayoutMode = LayoutModeIn; 99 this->PreRegAlloc = PreRegAlloc; 100 } 101 102 static void VerifyPHIs(MachineFunction &MF, bool CheckExtra) { 103 for (MachineFunction::iterator I = ++MF.begin(), E = MF.end(); I != E; ++I) { 104 MachineBasicBlock *MBB = &*I; 105 SmallSetVector<MachineBasicBlock *, 8> Preds(MBB->pred_begin(), 106 MBB->pred_end()); 107 MachineBasicBlock::iterator MI = MBB->begin(); 108 while (MI != MBB->end()) { 109 if (!MI->isPHI()) 110 break; 111 for (MachineBasicBlock *PredBB : Preds) { 112 bool Found = false; 113 for (unsigned i = 1, e = MI->getNumOperands(); i != e; i += 2) { 114 MachineBasicBlock *PHIBB = MI->getOperand(i + 1).getMBB(); 115 if (PHIBB == PredBB) { 116 Found = true; 117 break; 118 } 119 } 120 if (!Found) { 121 dbgs() << "Malformed PHI in " << printMBBReference(*MBB) << ": " 122 << *MI; 123 dbgs() << " missing input from predecessor " 124 << printMBBReference(*PredBB) << '\n'; 125 llvm_unreachable(nullptr); 126 } 127 } 128 129 for (unsigned i = 1, e = MI->getNumOperands(); i != e; i += 2) { 130 MachineBasicBlock *PHIBB = MI->getOperand(i + 1).getMBB(); 131 if (CheckExtra && !Preds.count(PHIBB)) { 132 dbgs() << "Warning: malformed PHI in " << printMBBReference(*MBB) 133 << ": " << *MI; 134 dbgs() << " extra input from predecessor " 135 << printMBBReference(*PHIBB) << '\n'; 136 llvm_unreachable(nullptr); 137 } 138 if (PHIBB->getNumber() < 0) { 139 dbgs() << "Malformed PHI in " << printMBBReference(*MBB) << ": " 140 << *MI; 141 dbgs() << " non-existing " << printMBBReference(*PHIBB) << '\n'; 142 llvm_unreachable(nullptr); 143 } 144 } 145 ++MI; 146 } 147 } 148 } 149 150 /// Tail duplicate the block and cleanup. 151 /// \p IsSimple - return value of isSimpleBB 152 /// \p MBB - block to be duplicated 153 /// \p ForcedLayoutPred - If non-null, treat this block as the layout 154 /// predecessor, instead of using the ordering in MF 155 /// \p DuplicatedPreds - if non-null, \p DuplicatedPreds will contain a list of 156 /// all Preds that received a copy of \p MBB. 157 /// \p RemovalCallback - if non-null, called just before MBB is deleted. 158 bool TailDuplicator::tailDuplicateAndUpdate( 159 bool IsSimple, MachineBasicBlock *MBB, 160 MachineBasicBlock *ForcedLayoutPred, 161 SmallVectorImpl<MachineBasicBlock*> *DuplicatedPreds, 162 function_ref<void(MachineBasicBlock *)> *RemovalCallback, 163 SmallVectorImpl<MachineBasicBlock *> *CandidatePtr) { 164 // Save the successors list. 165 SmallSetVector<MachineBasicBlock *, 8> Succs(MBB->succ_begin(), 166 MBB->succ_end()); 167 168 SmallVector<MachineBasicBlock *, 8> TDBBs; 169 SmallVector<MachineInstr *, 16> Copies; 170 if (!tailDuplicate(IsSimple, MBB, ForcedLayoutPred, 171 TDBBs, Copies, CandidatePtr)) 172 return false; 173 174 ++NumTails; 175 176 SmallVector<MachineInstr *, 8> NewPHIs; 177 MachineSSAUpdater SSAUpdate(*MF, &NewPHIs); 178 179 // TailBB's immediate successors are now successors of those predecessors 180 // which duplicated TailBB. Add the predecessors as sources to the PHI 181 // instructions. 182 bool isDead = MBB->pred_empty() && !MBB->hasAddressTaken(); 183 if (PreRegAlloc) 184 updateSuccessorsPHIs(MBB, isDead, TDBBs, Succs); 185 186 // If it is dead, remove it. 187 if (isDead) { 188 NumTailDupRemoved += MBB->size(); 189 removeDeadBlock(MBB, RemovalCallback); 190 ++NumDeadBlocks; 191 } 192 193 // Update SSA form. 194 if (!SSAUpdateVRs.empty()) { 195 for (unsigned i = 0, e = SSAUpdateVRs.size(); i != e; ++i) { 196 unsigned VReg = SSAUpdateVRs[i]; 197 SSAUpdate.Initialize(VReg); 198 199 // If the original definition is still around, add it as an available 200 // value. 201 MachineInstr *DefMI = MRI->getVRegDef(VReg); 202 MachineBasicBlock *DefBB = nullptr; 203 if (DefMI) { 204 DefBB = DefMI->getParent(); 205 SSAUpdate.AddAvailableValue(DefBB, VReg); 206 } 207 208 // Add the new vregs as available values. 209 DenseMap<Register, AvailableValsTy>::iterator LI = 210 SSAUpdateVals.find(VReg); 211 for (unsigned j = 0, ee = LI->second.size(); j != ee; ++j) { 212 MachineBasicBlock *SrcBB = LI->second[j].first; 213 Register SrcReg = LI->second[j].second; 214 SSAUpdate.AddAvailableValue(SrcBB, SrcReg); 215 } 216 217 // Rewrite uses that are outside of the original def's block. 218 MachineRegisterInfo::use_iterator UI = MRI->use_begin(VReg); 219 // Only remove instructions after loop, as DBG_VALUE_LISTs with multiple 220 // uses of VReg may invalidate the use iterator when erased. 221 SmallPtrSet<MachineInstr *, 4> InstrsToRemove; 222 while (UI != MRI->use_end()) { 223 MachineOperand &UseMO = *UI; 224 MachineInstr *UseMI = UseMO.getParent(); 225 ++UI; 226 if (UseMI->isDebugValue()) { 227 // SSAUpdate can replace the use with an undef. That creates 228 // a debug instruction that is a kill. 229 // FIXME: Should it SSAUpdate job to delete debug instructions 230 // instead of replacing the use with undef? 231 InstrsToRemove.insert(UseMI); 232 continue; 233 } 234 if (UseMI->getParent() == DefBB && !UseMI->isPHI()) 235 continue; 236 SSAUpdate.RewriteUse(UseMO); 237 } 238 for (auto *MI : InstrsToRemove) 239 MI->eraseFromParent(); 240 } 241 242 SSAUpdateVRs.clear(); 243 SSAUpdateVals.clear(); 244 } 245 246 // Eliminate some of the copies inserted by tail duplication to maintain 247 // SSA form. 248 for (unsigned i = 0, e = Copies.size(); i != e; ++i) { 249 MachineInstr *Copy = Copies[i]; 250 if (!Copy->isCopy()) 251 continue; 252 Register Dst = Copy->getOperand(0).getReg(); 253 Register Src = Copy->getOperand(1).getReg(); 254 if (MRI->hasOneNonDBGUse(Src) && 255 MRI->constrainRegClass(Src, MRI->getRegClass(Dst))) { 256 // Copy is the only use. Do trivial copy propagation here. 257 MRI->replaceRegWith(Dst, Src); 258 Copy->eraseFromParent(); 259 } 260 } 261 262 if (NewPHIs.size()) 263 NumAddedPHIs += NewPHIs.size(); 264 265 if (DuplicatedPreds) 266 *DuplicatedPreds = std::move(TDBBs); 267 268 return true; 269 } 270 271 /// Look for small blocks that are unconditionally branched to and do not fall 272 /// through. Tail-duplicate their instructions into their predecessors to 273 /// eliminate (dynamic) branches. 274 bool TailDuplicator::tailDuplicateBlocks() { 275 bool MadeChange = false; 276 277 if (PreRegAlloc && TailDupVerify) { 278 LLVM_DEBUG(dbgs() << "\n*** Before tail-duplicating\n"); 279 VerifyPHIs(*MF, true); 280 } 281 282 for (MachineBasicBlock &MBB : 283 llvm::make_early_inc_range(llvm::drop_begin(*MF))) { 284 if (NumTails == TailDupLimit) 285 break; 286 287 bool IsSimple = isSimpleBB(&MBB); 288 289 if (!shouldTailDuplicate(IsSimple, MBB)) 290 continue; 291 292 MadeChange |= tailDuplicateAndUpdate(IsSimple, &MBB, nullptr); 293 } 294 295 if (PreRegAlloc && TailDupVerify) 296 VerifyPHIs(*MF, false); 297 298 return MadeChange; 299 } 300 301 static bool isDefLiveOut(Register Reg, MachineBasicBlock *BB, 302 const MachineRegisterInfo *MRI) { 303 for (MachineInstr &UseMI : MRI->use_instructions(Reg)) { 304 if (UseMI.isDebugValue()) 305 continue; 306 if (UseMI.getParent() != BB) 307 return true; 308 } 309 return false; 310 } 311 312 static unsigned getPHISrcRegOpIdx(MachineInstr *MI, MachineBasicBlock *SrcBB) { 313 for (unsigned i = 1, e = MI->getNumOperands(); i != e; i += 2) 314 if (MI->getOperand(i + 1).getMBB() == SrcBB) 315 return i; 316 return 0; 317 } 318 319 // Remember which registers are used by phis in this block. This is 320 // used to determine which registers are liveout while modifying the 321 // block (which is why we need to copy the information). 322 static void getRegsUsedByPHIs(const MachineBasicBlock &BB, 323 DenseSet<Register> *UsedByPhi) { 324 for (const auto &MI : BB) { 325 if (!MI.isPHI()) 326 break; 327 for (unsigned i = 1, e = MI.getNumOperands(); i != e; i += 2) { 328 Register SrcReg = MI.getOperand(i).getReg(); 329 UsedByPhi->insert(SrcReg); 330 } 331 } 332 } 333 334 /// Add a definition and source virtual registers pair for SSA update. 335 void TailDuplicator::addSSAUpdateEntry(Register OrigReg, Register NewReg, 336 MachineBasicBlock *BB) { 337 DenseMap<Register, AvailableValsTy>::iterator LI = 338 SSAUpdateVals.find(OrigReg); 339 if (LI != SSAUpdateVals.end()) 340 LI->second.push_back(std::make_pair(BB, NewReg)); 341 else { 342 AvailableValsTy Vals; 343 Vals.push_back(std::make_pair(BB, NewReg)); 344 SSAUpdateVals.insert(std::make_pair(OrigReg, Vals)); 345 SSAUpdateVRs.push_back(OrigReg); 346 } 347 } 348 349 /// Process PHI node in TailBB by turning it into a copy in PredBB. Remember the 350 /// source register that's contributed by PredBB and update SSA update map. 351 void TailDuplicator::processPHI( 352 MachineInstr *MI, MachineBasicBlock *TailBB, MachineBasicBlock *PredBB, 353 DenseMap<Register, RegSubRegPair> &LocalVRMap, 354 SmallVectorImpl<std::pair<Register, RegSubRegPair>> &Copies, 355 const DenseSet<Register> &RegsUsedByPhi, bool Remove) { 356 Register DefReg = MI->getOperand(0).getReg(); 357 unsigned SrcOpIdx = getPHISrcRegOpIdx(MI, PredBB); 358 assert(SrcOpIdx && "Unable to find matching PHI source?"); 359 Register SrcReg = MI->getOperand(SrcOpIdx).getReg(); 360 unsigned SrcSubReg = MI->getOperand(SrcOpIdx).getSubReg(); 361 const TargetRegisterClass *RC = MRI->getRegClass(DefReg); 362 LocalVRMap.insert(std::make_pair(DefReg, RegSubRegPair(SrcReg, SrcSubReg))); 363 364 // Insert a copy from source to the end of the block. The def register is the 365 // available value liveout of the block. 366 Register NewDef = MRI->createVirtualRegister(RC); 367 Copies.push_back(std::make_pair(NewDef, RegSubRegPair(SrcReg, SrcSubReg))); 368 if (isDefLiveOut(DefReg, TailBB, MRI) || RegsUsedByPhi.count(DefReg)) 369 addSSAUpdateEntry(DefReg, NewDef, PredBB); 370 371 if (!Remove) 372 return; 373 374 // Remove PredBB from the PHI node. 375 MI->RemoveOperand(SrcOpIdx + 1); 376 MI->RemoveOperand(SrcOpIdx); 377 if (MI->getNumOperands() == 1) 378 MI->eraseFromParent(); 379 } 380 381 /// Duplicate a TailBB instruction to PredBB and update 382 /// the source operands due to earlier PHI translation. 383 void TailDuplicator::duplicateInstruction( 384 MachineInstr *MI, MachineBasicBlock *TailBB, MachineBasicBlock *PredBB, 385 DenseMap<Register, RegSubRegPair> &LocalVRMap, 386 const DenseSet<Register> &UsedByPhi) { 387 // Allow duplication of CFI instructions. 388 if (MI->isCFIInstruction()) { 389 BuildMI(*PredBB, PredBB->end(), PredBB->findDebugLoc(PredBB->begin()), 390 TII->get(TargetOpcode::CFI_INSTRUCTION)).addCFIIndex( 391 MI->getOperand(0).getCFIIndex()); 392 return; 393 } 394 MachineInstr &NewMI = TII->duplicate(*PredBB, PredBB->end(), *MI); 395 if (PreRegAlloc) { 396 for (unsigned i = 0, e = NewMI.getNumOperands(); i != e; ++i) { 397 MachineOperand &MO = NewMI.getOperand(i); 398 if (!MO.isReg()) 399 continue; 400 Register Reg = MO.getReg(); 401 if (!Register::isVirtualRegister(Reg)) 402 continue; 403 if (MO.isDef()) { 404 const TargetRegisterClass *RC = MRI->getRegClass(Reg); 405 Register NewReg = MRI->createVirtualRegister(RC); 406 MO.setReg(NewReg); 407 LocalVRMap.insert(std::make_pair(Reg, RegSubRegPair(NewReg, 0))); 408 if (isDefLiveOut(Reg, TailBB, MRI) || UsedByPhi.count(Reg)) 409 addSSAUpdateEntry(Reg, NewReg, PredBB); 410 } else { 411 auto VI = LocalVRMap.find(Reg); 412 if (VI != LocalVRMap.end()) { 413 // Need to make sure that the register class of the mapped register 414 // will satisfy the constraints of the class of the register being 415 // replaced. 416 auto *OrigRC = MRI->getRegClass(Reg); 417 auto *MappedRC = MRI->getRegClass(VI->second.Reg); 418 const TargetRegisterClass *ConstrRC; 419 if (VI->second.SubReg != 0) { 420 ConstrRC = TRI->getMatchingSuperRegClass(MappedRC, OrigRC, 421 VI->second.SubReg); 422 if (ConstrRC) { 423 // The actual constraining (as in "find appropriate new class") 424 // is done by getMatchingSuperRegClass, so now we only need to 425 // change the class of the mapped register. 426 MRI->setRegClass(VI->second.Reg, ConstrRC); 427 } 428 } else { 429 // For mapped registers that do not have sub-registers, simply 430 // restrict their class to match the original one. 431 ConstrRC = MRI->constrainRegClass(VI->second.Reg, OrigRC); 432 } 433 434 if (ConstrRC) { 435 // If the class constraining succeeded, we can simply replace 436 // the old register with the mapped one. 437 MO.setReg(VI->second.Reg); 438 // We have Reg -> VI.Reg:VI.SubReg, so if Reg is used with a 439 // sub-register, we need to compose the sub-register indices. 440 MO.setSubReg(TRI->composeSubRegIndices(MO.getSubReg(), 441 VI->second.SubReg)); 442 } else { 443 // The direct replacement is not possible, due to failing register 444 // class constraints. An explicit COPY is necessary. Create one 445 // that can be reused 446 auto *NewRC = MI->getRegClassConstraint(i, TII, TRI); 447 if (NewRC == nullptr) 448 NewRC = OrigRC; 449 Register NewReg = MRI->createVirtualRegister(NewRC); 450 BuildMI(*PredBB, NewMI, NewMI.getDebugLoc(), 451 TII->get(TargetOpcode::COPY), NewReg) 452 .addReg(VI->second.Reg, 0, VI->second.SubReg); 453 LocalVRMap.erase(VI); 454 LocalVRMap.insert(std::make_pair(Reg, RegSubRegPair(NewReg, 0))); 455 MO.setReg(NewReg); 456 // The composed VI.Reg:VI.SubReg is replaced with NewReg, which 457 // is equivalent to the whole register Reg. Hence, Reg:subreg 458 // is same as NewReg:subreg, so keep the sub-register index 459 // unchanged. 460 } 461 // Clear any kill flags from this operand. The new register could 462 // have uses after this one, so kills are not valid here. 463 MO.setIsKill(false); 464 } 465 } 466 } 467 } 468 } 469 470 /// After FromBB is tail duplicated into its predecessor blocks, the successors 471 /// have gained new predecessors. Update the PHI instructions in them 472 /// accordingly. 473 void TailDuplicator::updateSuccessorsPHIs( 474 MachineBasicBlock *FromBB, bool isDead, 475 SmallVectorImpl<MachineBasicBlock *> &TDBBs, 476 SmallSetVector<MachineBasicBlock *, 8> &Succs) { 477 for (MachineBasicBlock *SuccBB : Succs) { 478 for (MachineInstr &MI : *SuccBB) { 479 if (!MI.isPHI()) 480 break; 481 MachineInstrBuilder MIB(*FromBB->getParent(), MI); 482 unsigned Idx = 0; 483 for (unsigned i = 1, e = MI.getNumOperands(); i != e; i += 2) { 484 MachineOperand &MO = MI.getOperand(i + 1); 485 if (MO.getMBB() == FromBB) { 486 Idx = i; 487 break; 488 } 489 } 490 491 assert(Idx != 0); 492 MachineOperand &MO0 = MI.getOperand(Idx); 493 Register Reg = MO0.getReg(); 494 if (isDead) { 495 // Folded into the previous BB. 496 // There could be duplicate phi source entries. FIXME: Should sdisel 497 // or earlier pass fixed this? 498 for (unsigned i = MI.getNumOperands() - 2; i != Idx; i -= 2) { 499 MachineOperand &MO = MI.getOperand(i + 1); 500 if (MO.getMBB() == FromBB) { 501 MI.RemoveOperand(i + 1); 502 MI.RemoveOperand(i); 503 } 504 } 505 } else 506 Idx = 0; 507 508 // If Idx is set, the operands at Idx and Idx+1 must be removed. 509 // We reuse the location to avoid expensive RemoveOperand calls. 510 511 DenseMap<Register, AvailableValsTy>::iterator LI = 512 SSAUpdateVals.find(Reg); 513 if (LI != SSAUpdateVals.end()) { 514 // This register is defined in the tail block. 515 for (unsigned j = 0, ee = LI->second.size(); j != ee; ++j) { 516 MachineBasicBlock *SrcBB = LI->second[j].first; 517 // If we didn't duplicate a bb into a particular predecessor, we 518 // might still have added an entry to SSAUpdateVals to correcly 519 // recompute SSA. If that case, avoid adding a dummy extra argument 520 // this PHI. 521 if (!SrcBB->isSuccessor(SuccBB)) 522 continue; 523 524 Register SrcReg = LI->second[j].second; 525 if (Idx != 0) { 526 MI.getOperand(Idx).setReg(SrcReg); 527 MI.getOperand(Idx + 1).setMBB(SrcBB); 528 Idx = 0; 529 } else { 530 MIB.addReg(SrcReg).addMBB(SrcBB); 531 } 532 } 533 } else { 534 // Live in tail block, must also be live in predecessors. 535 for (unsigned j = 0, ee = TDBBs.size(); j != ee; ++j) { 536 MachineBasicBlock *SrcBB = TDBBs[j]; 537 if (Idx != 0) { 538 MI.getOperand(Idx).setReg(Reg); 539 MI.getOperand(Idx + 1).setMBB(SrcBB); 540 Idx = 0; 541 } else { 542 MIB.addReg(Reg).addMBB(SrcBB); 543 } 544 } 545 } 546 if (Idx != 0) { 547 MI.RemoveOperand(Idx + 1); 548 MI.RemoveOperand(Idx); 549 } 550 } 551 } 552 } 553 554 /// Determine if it is profitable to duplicate this block. 555 bool TailDuplicator::shouldTailDuplicate(bool IsSimple, 556 MachineBasicBlock &TailBB) { 557 // When doing tail-duplication during layout, the block ordering is in flux, 558 // so canFallThrough returns a result based on incorrect information and 559 // should just be ignored. 560 if (!LayoutMode && TailBB.canFallThrough()) 561 return false; 562 563 // Don't try to tail-duplicate single-block loops. 564 if (TailBB.isSuccessor(&TailBB)) 565 return false; 566 567 // Set the limit on the cost to duplicate. When optimizing for size, 568 // duplicate only one, because one branch instruction can be eliminated to 569 // compensate for the duplication. 570 unsigned MaxDuplicateCount; 571 bool OptForSize = MF->getFunction().hasOptSize() || 572 llvm::shouldOptimizeForSize(&TailBB, PSI, MBFI); 573 if (TailDupSize == 0) 574 MaxDuplicateCount = TailDuplicateSize; 575 else 576 MaxDuplicateCount = TailDupSize; 577 if (OptForSize) 578 MaxDuplicateCount = 1; 579 580 // If the block to be duplicated ends in an unanalyzable fallthrough, don't 581 // duplicate it. 582 // A similar check is necessary in MachineBlockPlacement to make sure pairs of 583 // blocks with unanalyzable fallthrough get layed out contiguously. 584 MachineBasicBlock *PredTBB = nullptr, *PredFBB = nullptr; 585 SmallVector<MachineOperand, 4> PredCond; 586 if (TII->analyzeBranch(TailBB, PredTBB, PredFBB, PredCond) && 587 TailBB.canFallThrough()) 588 return false; 589 590 // If the target has hardware branch prediction that can handle indirect 591 // branches, duplicating them can often make them predictable when there 592 // are common paths through the code. The limit needs to be high enough 593 // to allow undoing the effects of tail merging and other optimizations 594 // that rearrange the predecessors of the indirect branch. 595 596 bool HasIndirectbr = false; 597 if (!TailBB.empty()) 598 HasIndirectbr = TailBB.back().isIndirectBranch(); 599 600 if (HasIndirectbr && PreRegAlloc) 601 MaxDuplicateCount = TailDupIndirectBranchSize; 602 603 // Check the instructions in the block to determine whether tail-duplication 604 // is invalid or unlikely to be profitable. 605 unsigned InstrCount = 0; 606 for (MachineInstr &MI : TailBB) { 607 // Non-duplicable things shouldn't be tail-duplicated. 608 // CFI instructions are marked as non-duplicable, because Darwin compact 609 // unwind info emission can't handle multiple prologue setups. In case of 610 // DWARF, allow them be duplicated, so that their existence doesn't prevent 611 // tail duplication of some basic blocks, that would be duplicated otherwise. 612 if (MI.isNotDuplicable() && 613 (TailBB.getParent()->getTarget().getTargetTriple().isOSDarwin() || 614 !MI.isCFIInstruction())) 615 return false; 616 617 // Convergent instructions can be duplicated only if doing so doesn't add 618 // new control dependencies, which is what we're going to do here. 619 if (MI.isConvergent()) 620 return false; 621 622 // Do not duplicate 'return' instructions if this is a pre-regalloc run. 623 // A return may expand into a lot more instructions (e.g. reload of callee 624 // saved registers) after PEI. 625 if (PreRegAlloc && MI.isReturn()) 626 return false; 627 628 // Avoid duplicating calls before register allocation. Calls presents a 629 // barrier to register allocation so duplicating them may end up increasing 630 // spills. 631 if (PreRegAlloc && MI.isCall()) 632 return false; 633 634 // TailDuplicator::appendCopies will erroneously place COPYs after 635 // INLINEASM_BR instructions after 4b0aa5724fea, which demonstrates the same 636 // bug that was fixed in f7a53d82c090. 637 // FIXME: Use findPHICopyInsertPoint() to find the correct insertion point 638 // for the COPY when replacing PHIs. 639 if (MI.getOpcode() == TargetOpcode::INLINEASM_BR) 640 return false; 641 642 if (MI.isBundle()) 643 InstrCount += MI.getBundleSize(); 644 else if (!MI.isPHI() && !MI.isMetaInstruction()) 645 InstrCount += 1; 646 647 if (InstrCount > MaxDuplicateCount) 648 return false; 649 } 650 651 // Check if any of the successors of TailBB has a PHI node in which the 652 // value corresponding to TailBB uses a subregister. 653 // If a phi node uses a register paired with a subregister, the actual 654 // "value type" of the phi may differ from the type of the register without 655 // any subregisters. Due to a bug, tail duplication may add a new operand 656 // without a necessary subregister, producing an invalid code. This is 657 // demonstrated by test/CodeGen/Hexagon/tail-dup-subreg-abort.ll. 658 // Disable tail duplication for this case for now, until the problem is 659 // fixed. 660 for (auto SB : TailBB.successors()) { 661 for (auto &I : *SB) { 662 if (!I.isPHI()) 663 break; 664 unsigned Idx = getPHISrcRegOpIdx(&I, &TailBB); 665 assert(Idx != 0); 666 MachineOperand &PU = I.getOperand(Idx); 667 if (PU.getSubReg() != 0) 668 return false; 669 } 670 } 671 672 if (HasIndirectbr && PreRegAlloc) 673 return true; 674 675 if (IsSimple) 676 return true; 677 678 if (!PreRegAlloc) 679 return true; 680 681 return canCompletelyDuplicateBB(TailBB); 682 } 683 684 /// True if this BB has only one unconditional jump. 685 bool TailDuplicator::isSimpleBB(MachineBasicBlock *TailBB) { 686 if (TailBB->succ_size() != 1) 687 return false; 688 if (TailBB->pred_empty()) 689 return false; 690 MachineBasicBlock::iterator I = TailBB->getFirstNonDebugInstr(true); 691 if (I == TailBB->end()) 692 return true; 693 return I->isUnconditionalBranch(); 694 } 695 696 static bool bothUsedInPHI(const MachineBasicBlock &A, 697 const SmallPtrSet<MachineBasicBlock *, 8> &SuccsB) { 698 for (MachineBasicBlock *BB : A.successors()) 699 if (SuccsB.count(BB) && !BB->empty() && BB->begin()->isPHI()) 700 return true; 701 702 return false; 703 } 704 705 bool TailDuplicator::canCompletelyDuplicateBB(MachineBasicBlock &BB) { 706 for (MachineBasicBlock *PredBB : BB.predecessors()) { 707 if (PredBB->succ_size() > 1) 708 return false; 709 710 MachineBasicBlock *PredTBB = nullptr, *PredFBB = nullptr; 711 SmallVector<MachineOperand, 4> PredCond; 712 if (TII->analyzeBranch(*PredBB, PredTBB, PredFBB, PredCond)) 713 return false; 714 715 if (!PredCond.empty()) 716 return false; 717 } 718 return true; 719 } 720 721 bool TailDuplicator::duplicateSimpleBB( 722 MachineBasicBlock *TailBB, SmallVectorImpl<MachineBasicBlock *> &TDBBs, 723 const DenseSet<Register> &UsedByPhi, 724 SmallVectorImpl<MachineInstr *> &Copies) { 725 SmallPtrSet<MachineBasicBlock *, 8> Succs(TailBB->succ_begin(), 726 TailBB->succ_end()); 727 SmallVector<MachineBasicBlock *, 8> Preds(TailBB->predecessors()); 728 bool Changed = false; 729 for (MachineBasicBlock *PredBB : Preds) { 730 if (PredBB->hasEHPadSuccessor() || PredBB->mayHaveInlineAsmBr()) 731 continue; 732 733 if (bothUsedInPHI(*PredBB, Succs)) 734 continue; 735 736 MachineBasicBlock *PredTBB = nullptr, *PredFBB = nullptr; 737 SmallVector<MachineOperand, 4> PredCond; 738 if (TII->analyzeBranch(*PredBB, PredTBB, PredFBB, PredCond)) 739 continue; 740 741 Changed = true; 742 LLVM_DEBUG(dbgs() << "\nTail-duplicating into PredBB: " << *PredBB 743 << "From simple Succ: " << *TailBB); 744 745 MachineBasicBlock *NewTarget = *TailBB->succ_begin(); 746 MachineBasicBlock *NextBB = PredBB->getNextNode(); 747 748 // Make PredFBB explicit. 749 if (PredCond.empty()) 750 PredFBB = PredTBB; 751 752 // Make fall through explicit. 753 if (!PredTBB) 754 PredTBB = NextBB; 755 if (!PredFBB) 756 PredFBB = NextBB; 757 758 // Redirect 759 if (PredFBB == TailBB) 760 PredFBB = NewTarget; 761 if (PredTBB == TailBB) 762 PredTBB = NewTarget; 763 764 // Make the branch unconditional if possible 765 if (PredTBB == PredFBB) { 766 PredCond.clear(); 767 PredFBB = nullptr; 768 } 769 770 // Avoid adding fall through branches. 771 if (PredFBB == NextBB) 772 PredFBB = nullptr; 773 if (PredTBB == NextBB && PredFBB == nullptr) 774 PredTBB = nullptr; 775 776 auto DL = PredBB->findBranchDebugLoc(); 777 TII->removeBranch(*PredBB); 778 779 if (!PredBB->isSuccessor(NewTarget)) 780 PredBB->replaceSuccessor(TailBB, NewTarget); 781 else { 782 PredBB->removeSuccessor(TailBB, true); 783 assert(PredBB->succ_size() <= 1); 784 } 785 786 if (PredTBB) 787 TII->insertBranch(*PredBB, PredTBB, PredFBB, PredCond, DL); 788 789 TDBBs.push_back(PredBB); 790 } 791 return Changed; 792 } 793 794 bool TailDuplicator::canTailDuplicate(MachineBasicBlock *TailBB, 795 MachineBasicBlock *PredBB) { 796 // EH edges are ignored by analyzeBranch. 797 if (PredBB->succ_size() > 1) 798 return false; 799 800 MachineBasicBlock *PredTBB = nullptr, *PredFBB = nullptr; 801 SmallVector<MachineOperand, 4> PredCond; 802 if (TII->analyzeBranch(*PredBB, PredTBB, PredFBB, PredCond)) 803 return false; 804 if (!PredCond.empty()) 805 return false; 806 return true; 807 } 808 809 /// If it is profitable, duplicate TailBB's contents in each 810 /// of its predecessors. 811 /// \p IsSimple result of isSimpleBB 812 /// \p TailBB Block to be duplicated. 813 /// \p ForcedLayoutPred When non-null, use this block as the layout predecessor 814 /// instead of the previous block in MF's order. 815 /// \p TDBBs A vector to keep track of all blocks tail-duplicated 816 /// into. 817 /// \p Copies A vector of copy instructions inserted. Used later to 818 /// walk all the inserted copies and remove redundant ones. 819 bool TailDuplicator::tailDuplicate(bool IsSimple, MachineBasicBlock *TailBB, 820 MachineBasicBlock *ForcedLayoutPred, 821 SmallVectorImpl<MachineBasicBlock *> &TDBBs, 822 SmallVectorImpl<MachineInstr *> &Copies, 823 SmallVectorImpl<MachineBasicBlock *> *CandidatePtr) { 824 LLVM_DEBUG(dbgs() << "\n*** Tail-duplicating " << printMBBReference(*TailBB) 825 << '\n'); 826 827 bool ShouldUpdateTerminators = TailBB->canFallThrough(); 828 829 DenseSet<Register> UsedByPhi; 830 getRegsUsedByPHIs(*TailBB, &UsedByPhi); 831 832 if (IsSimple) 833 return duplicateSimpleBB(TailBB, TDBBs, UsedByPhi, Copies); 834 835 // Iterate through all the unique predecessors and tail-duplicate this 836 // block into them, if possible. Copying the list ahead of time also 837 // avoids trouble with the predecessor list reallocating. 838 bool Changed = false; 839 SmallSetVector<MachineBasicBlock *, 8> Preds; 840 if (CandidatePtr) 841 Preds.insert(CandidatePtr->begin(), CandidatePtr->end()); 842 else 843 Preds.insert(TailBB->pred_begin(), TailBB->pred_end()); 844 845 for (MachineBasicBlock *PredBB : Preds) { 846 assert(TailBB != PredBB && 847 "Single-block loop should have been rejected earlier!"); 848 849 if (!canTailDuplicate(TailBB, PredBB)) 850 continue; 851 852 // Don't duplicate into a fall-through predecessor (at least for now). 853 // If profile is available, findDuplicateCandidates can choose better 854 // fall-through predecessor. 855 if (!(MF->getFunction().hasProfileData() && LayoutMode)) { 856 bool IsLayoutSuccessor = false; 857 if (ForcedLayoutPred) 858 IsLayoutSuccessor = (ForcedLayoutPred == PredBB); 859 else if (PredBB->isLayoutSuccessor(TailBB) && PredBB->canFallThrough()) 860 IsLayoutSuccessor = true; 861 if (IsLayoutSuccessor) 862 continue; 863 } 864 865 LLVM_DEBUG(dbgs() << "\nTail-duplicating into PredBB: " << *PredBB 866 << "From Succ: " << *TailBB); 867 868 TDBBs.push_back(PredBB); 869 870 // Remove PredBB's unconditional branch. 871 TII->removeBranch(*PredBB); 872 873 // Clone the contents of TailBB into PredBB. 874 DenseMap<Register, RegSubRegPair> LocalVRMap; 875 SmallVector<std::pair<Register, RegSubRegPair>, 4> CopyInfos; 876 for (MachineBasicBlock::iterator I = TailBB->begin(), E = TailBB->end(); 877 I != E; /* empty */) { 878 MachineInstr *MI = &*I; 879 ++I; 880 if (MI->isPHI()) { 881 // Replace the uses of the def of the PHI with the register coming 882 // from PredBB. 883 processPHI(MI, TailBB, PredBB, LocalVRMap, CopyInfos, UsedByPhi, true); 884 } else { 885 // Replace def of virtual registers with new registers, and update 886 // uses with PHI source register or the new registers. 887 duplicateInstruction(MI, TailBB, PredBB, LocalVRMap, UsedByPhi); 888 } 889 } 890 appendCopies(PredBB, CopyInfos, Copies); 891 892 NumTailDupAdded += TailBB->size() - 1; // subtract one for removed branch 893 894 // Update the CFG. 895 PredBB->removeSuccessor(PredBB->succ_begin()); 896 assert(PredBB->succ_empty() && 897 "TailDuplicate called on block with multiple successors!"); 898 for (MachineBasicBlock *Succ : TailBB->successors()) 899 PredBB->addSuccessor(Succ, MBPI->getEdgeProbability(TailBB, Succ)); 900 901 // Update branches in pred to jump to tail's layout successor if needed. 902 if (ShouldUpdateTerminators) 903 PredBB->updateTerminator(TailBB->getNextNode()); 904 905 Changed = true; 906 ++NumTailDups; 907 } 908 909 // If TailBB was duplicated into all its predecessors except for the prior 910 // block, which falls through unconditionally, move the contents of this 911 // block into the prior block. 912 MachineBasicBlock *PrevBB = ForcedLayoutPred; 913 if (!PrevBB) 914 PrevBB = &*std::prev(TailBB->getIterator()); 915 MachineBasicBlock *PriorTBB = nullptr, *PriorFBB = nullptr; 916 SmallVector<MachineOperand, 4> PriorCond; 917 // This has to check PrevBB->succ_size() because EH edges are ignored by 918 // analyzeBranch. 919 if (PrevBB->succ_size() == 1 && 920 // Layout preds are not always CFG preds. Check. 921 *PrevBB->succ_begin() == TailBB && 922 !TII->analyzeBranch(*PrevBB, PriorTBB, PriorFBB, PriorCond) && 923 PriorCond.empty() && 924 (!PriorTBB || PriorTBB == TailBB) && 925 TailBB->pred_size() == 1 && 926 !TailBB->hasAddressTaken()) { 927 LLVM_DEBUG(dbgs() << "\nMerging into block: " << *PrevBB 928 << "From MBB: " << *TailBB); 929 // There may be a branch to the layout successor. This is unlikely but it 930 // happens. The correct thing to do is to remove the branch before 931 // duplicating the instructions in all cases. 932 TII->removeBranch(*PrevBB); 933 if (PreRegAlloc) { 934 DenseMap<Register, RegSubRegPair> LocalVRMap; 935 SmallVector<std::pair<Register, RegSubRegPair>, 4> CopyInfos; 936 MachineBasicBlock::iterator I = TailBB->begin(); 937 // Process PHI instructions first. 938 while (I != TailBB->end() && I->isPHI()) { 939 // Replace the uses of the def of the PHI with the register coming 940 // from PredBB. 941 MachineInstr *MI = &*I++; 942 processPHI(MI, TailBB, PrevBB, LocalVRMap, CopyInfos, UsedByPhi, true); 943 } 944 945 // Now copy the non-PHI instructions. 946 while (I != TailBB->end()) { 947 // Replace def of virtual registers with new registers, and update 948 // uses with PHI source register or the new registers. 949 MachineInstr *MI = &*I++; 950 assert(!MI->isBundle() && "Not expecting bundles before regalloc!"); 951 duplicateInstruction(MI, TailBB, PrevBB, LocalVRMap, UsedByPhi); 952 MI->eraseFromParent(); 953 } 954 appendCopies(PrevBB, CopyInfos, Copies); 955 } else { 956 TII->removeBranch(*PrevBB); 957 // No PHIs to worry about, just splice the instructions over. 958 PrevBB->splice(PrevBB->end(), TailBB, TailBB->begin(), TailBB->end()); 959 } 960 PrevBB->removeSuccessor(PrevBB->succ_begin()); 961 assert(PrevBB->succ_empty()); 962 PrevBB->transferSuccessors(TailBB); 963 964 // Update branches in PrevBB based on Tail's layout successor. 965 if (ShouldUpdateTerminators) 966 PrevBB->updateTerminator(TailBB->getNextNode()); 967 968 TDBBs.push_back(PrevBB); 969 Changed = true; 970 } 971 972 // If this is after register allocation, there are no phis to fix. 973 if (!PreRegAlloc) 974 return Changed; 975 976 // If we made no changes so far, we are safe. 977 if (!Changed) 978 return Changed; 979 980 // Handle the nasty case in that we duplicated a block that is part of a loop 981 // into some but not all of its predecessors. For example: 982 // 1 -> 2 <-> 3 | 983 // \ | 984 // \---> rest | 985 // if we duplicate 2 into 1 but not into 3, we end up with 986 // 12 -> 3 <-> 2 -> rest | 987 // \ / | 988 // \----->-----/ | 989 // If there was a "var = phi(1, 3)" in 2, it has to be ultimately replaced 990 // with a phi in 3 (which now dominates 2). 991 // What we do here is introduce a copy in 3 of the register defined by the 992 // phi, just like when we are duplicating 2 into 3, but we don't copy any 993 // real instructions or remove the 3 -> 2 edge from the phi in 2. 994 for (MachineBasicBlock *PredBB : Preds) { 995 if (is_contained(TDBBs, PredBB)) 996 continue; 997 998 // EH edges 999 if (PredBB->succ_size() != 1) 1000 continue; 1001 1002 DenseMap<Register, RegSubRegPair> LocalVRMap; 1003 SmallVector<std::pair<Register, RegSubRegPair>, 4> CopyInfos; 1004 MachineBasicBlock::iterator I = TailBB->begin(); 1005 // Process PHI instructions first. 1006 while (I != TailBB->end() && I->isPHI()) { 1007 // Replace the uses of the def of the PHI with the register coming 1008 // from PredBB. 1009 MachineInstr *MI = &*I++; 1010 processPHI(MI, TailBB, PredBB, LocalVRMap, CopyInfos, UsedByPhi, false); 1011 } 1012 appendCopies(PredBB, CopyInfos, Copies); 1013 } 1014 1015 return Changed; 1016 } 1017 1018 /// At the end of the block \p MBB generate COPY instructions between registers 1019 /// described by \p CopyInfos. Append resulting instructions to \p Copies. 1020 void TailDuplicator::appendCopies(MachineBasicBlock *MBB, 1021 SmallVectorImpl<std::pair<Register, RegSubRegPair>> &CopyInfos, 1022 SmallVectorImpl<MachineInstr*> &Copies) { 1023 MachineBasicBlock::iterator Loc = MBB->getFirstTerminator(); 1024 const MCInstrDesc &CopyD = TII->get(TargetOpcode::COPY); 1025 for (auto &CI : CopyInfos) { 1026 auto C = BuildMI(*MBB, Loc, DebugLoc(), CopyD, CI.first) 1027 .addReg(CI.second.Reg, 0, CI.second.SubReg); 1028 Copies.push_back(C); 1029 } 1030 } 1031 1032 /// Remove the specified dead machine basic block from the function, updating 1033 /// the CFG. 1034 void TailDuplicator::removeDeadBlock( 1035 MachineBasicBlock *MBB, 1036 function_ref<void(MachineBasicBlock *)> *RemovalCallback) { 1037 assert(MBB->pred_empty() && "MBB must be dead!"); 1038 LLVM_DEBUG(dbgs() << "\nRemoving MBB: " << *MBB); 1039 1040 MachineFunction *MF = MBB->getParent(); 1041 // Update the call site info. 1042 for (const MachineInstr &MI : *MBB) 1043 if (MI.shouldUpdateCallSiteInfo()) 1044 MF->eraseCallSiteInfo(&MI); 1045 1046 if (RemovalCallback) 1047 (*RemovalCallback)(MBB); 1048 1049 // Remove all successors. 1050 while (!MBB->succ_empty()) 1051 MBB->removeSuccessor(MBB->succ_end() - 1); 1052 1053 // Remove the block. 1054 MBB->eraseFromParent(); 1055 } 1056