TailDuplication.cpp revision 1f71549a2ef24fc5d0fc9f0bb3b49fda770fe3d2
1//===-- TailDuplication.cpp - Duplicate blocks into predecessors' tails ---===//
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 duplicates basic blocks ending in unconditional branches into
11// the tails of their predecessors.
12//
13//===----------------------------------------------------------------------===//
14
15#define DEBUG_TYPE "tailduplication"
16#include "llvm/Function.h"
17#include "llvm/CodeGen/Passes.h"
18#include "llvm/CodeGen/MachineModuleInfo.h"
19#include "llvm/CodeGen/MachineFunctionPass.h"
20#include "llvm/CodeGen/MachineInstrBuilder.h"
21#include "llvm/CodeGen/MachineRegisterInfo.h"
22#include "llvm/CodeGen/MachineSSAUpdater.h"
23#include "llvm/Target/TargetInstrInfo.h"
24#include "llvm/Support/CommandLine.h"
25#include "llvm/Support/Debug.h"
26#include "llvm/Support/ErrorHandling.h"
27#include "llvm/Support/raw_ostream.h"
28#include "llvm/ADT/SmallSet.h"
29#include "llvm/ADT/SetVector.h"
30#include "llvm/ADT/Statistic.h"
31using namespace llvm;
32
33STATISTIC(NumTails     , "Number of tails duplicated");
34STATISTIC(NumTailDups  , "Number of tail duplicated blocks");
35STATISTIC(NumInstrDups , "Additional instructions due to tail duplication");
36STATISTIC(NumDeadBlocks, "Number of dead blocks removed");
37STATISTIC(NumAddedPHIs , "Number of phis added");
38
39// Heuristic for tail duplication.
40static cl::opt<unsigned>
41TailDuplicateSize("tail-dup-size",
42                  cl::desc("Maximum instructions to consider tail duplicating"),
43                  cl::init(2), cl::Hidden);
44
45static cl::opt<bool>
46TailDupVerify("tail-dup-verify",
47              cl::desc("Verify sanity of PHI instructions during taildup"),
48              cl::init(false), cl::Hidden);
49
50static cl::opt<unsigned>
51TailDupLimit("tail-dup-limit", cl::init(~0U), cl::Hidden);
52
53typedef std::vector<std::pair<MachineBasicBlock*,unsigned> > AvailableValsTy;
54
55namespace {
56  /// TailDuplicatePass - Perform tail duplication.
57  class TailDuplicatePass : public MachineFunctionPass {
58    bool PreRegAlloc;
59    const TargetInstrInfo *TII;
60    MachineModuleInfo *MMI;
61    MachineRegisterInfo *MRI;
62
63    // SSAUpdateVRs - A list of virtual registers for which to update SSA form.
64    SmallVector<unsigned, 16> SSAUpdateVRs;
65
66    // SSAUpdateVals - For each virtual register in SSAUpdateVals keep a list of
67    // source virtual registers.
68    DenseMap<unsigned, AvailableValsTy> SSAUpdateVals;
69
70  public:
71    static char ID;
72    explicit TailDuplicatePass(bool PreRA) :
73      MachineFunctionPass(ID), PreRegAlloc(PreRA) {}
74
75    virtual bool runOnMachineFunction(MachineFunction &MF);
76    virtual const char *getPassName() const { return "Tail Duplication"; }
77
78  private:
79    void AddSSAUpdateEntry(unsigned OrigReg, unsigned NewReg,
80                           MachineBasicBlock *BB);
81    void ProcessPHI(MachineInstr *MI, MachineBasicBlock *TailBB,
82                    MachineBasicBlock *PredBB,
83                    DenseMap<unsigned, unsigned> &LocalVRMap,
84                    SmallVector<std::pair<unsigned,unsigned>, 4> &Copies,
85                    const DenseSet<unsigned> &UsedByPhi,
86                    bool Remove);
87    void DuplicateInstruction(MachineInstr *MI,
88                              MachineBasicBlock *TailBB,
89                              MachineBasicBlock *PredBB,
90                              MachineFunction &MF,
91                              DenseMap<unsigned, unsigned> &LocalVRMap,
92                              const DenseSet<unsigned> &UsedByPhi);
93    void UpdateSuccessorsPHIs(MachineBasicBlock *FromBB, bool isDead,
94                              SmallVector<MachineBasicBlock*, 8> &TDBBs,
95                              SmallSetVector<MachineBasicBlock*, 8> &Succs);
96    bool TailDuplicateBlocks(MachineFunction &MF);
97    bool shouldTailDuplicate(const MachineFunction &MF,
98                             bool IsSimple, MachineBasicBlock &TailBB);
99    bool isSimpleBB(MachineBasicBlock *TailBB);
100    bool canCompletelyDuplicateBB(MachineBasicBlock &BB, bool IsSimple);
101    void duplicateSimpleBB(MachineBasicBlock *TailBB,
102                           SmallVector<MachineBasicBlock*, 8> &TDBBs,
103                           const DenseSet<unsigned> &RegsUsedByPhi,
104                           SmallVector<MachineInstr*, 16> &Copies);
105    bool TailDuplicate(MachineBasicBlock *TailBB, MachineFunction &MF,
106                       SmallVector<MachineBasicBlock*, 8> &TDBBs,
107                       SmallVector<MachineInstr*, 16> &Copies);
108    void RemoveDeadBlock(MachineBasicBlock *MBB);
109  };
110
111  char TailDuplicatePass::ID = 0;
112}
113
114FunctionPass *llvm::createTailDuplicatePass(bool PreRegAlloc) {
115  return new TailDuplicatePass(PreRegAlloc);
116}
117
118bool TailDuplicatePass::runOnMachineFunction(MachineFunction &MF) {
119  TII = MF.getTarget().getInstrInfo();
120  MRI = &MF.getRegInfo();
121  MMI = getAnalysisIfAvailable<MachineModuleInfo>();
122
123  bool MadeChange = false;
124  while (TailDuplicateBlocks(MF))
125    MadeChange = true;
126
127  return MadeChange;
128}
129
130static void VerifyPHIs(MachineFunction &MF, bool CheckExtra) {
131  for (MachineFunction::iterator I = ++MF.begin(), E = MF.end(); I != E; ++I) {
132    MachineBasicBlock *MBB = I;
133    SmallSetVector<MachineBasicBlock*, 8> Preds(MBB->pred_begin(),
134                                                MBB->pred_end());
135    MachineBasicBlock::iterator MI = MBB->begin();
136    while (MI != MBB->end()) {
137      if (!MI->isPHI())
138        break;
139      for (SmallSetVector<MachineBasicBlock *, 8>::iterator PI = Preds.begin(),
140             PE = Preds.end(); PI != PE; ++PI) {
141        MachineBasicBlock *PredBB = *PI;
142        bool Found = false;
143        for (unsigned i = 1, e = MI->getNumOperands(); i != e; i += 2) {
144          MachineBasicBlock *PHIBB = MI->getOperand(i+1).getMBB();
145          if (PHIBB == PredBB) {
146            Found = true;
147            break;
148          }
149        }
150        if (!Found) {
151          dbgs() << "Malformed PHI in BB#" << MBB->getNumber() << ": " << *MI;
152          dbgs() << "  missing input from predecessor BB#"
153                 << PredBB->getNumber() << '\n';
154          llvm_unreachable(0);
155        }
156      }
157
158      for (unsigned i = 1, e = MI->getNumOperands(); i != e; i += 2) {
159        MachineBasicBlock *PHIBB = MI->getOperand(i+1).getMBB();
160        if (CheckExtra && !Preds.count(PHIBB)) {
161          dbgs() << "Warning: malformed PHI in BB#" << MBB->getNumber()
162                 << ": " << *MI;
163          dbgs() << "  extra input from predecessor BB#"
164                 << PHIBB->getNumber() << '\n';
165          llvm_unreachable(0);
166        }
167        if (PHIBB->getNumber() < 0) {
168          dbgs() << "Malformed PHI in BB#" << MBB->getNumber() << ": " << *MI;
169          dbgs() << "  non-existing BB#" << PHIBB->getNumber() << '\n';
170          llvm_unreachable(0);
171        }
172      }
173      ++MI;
174    }
175  }
176}
177
178/// TailDuplicateBlocks - Look for small blocks that are unconditionally
179/// branched to and do not fall through. Tail-duplicate their instructions
180/// into their predecessors to eliminate (dynamic) branches.
181bool TailDuplicatePass::TailDuplicateBlocks(MachineFunction &MF) {
182  bool MadeChange = false;
183
184  if (PreRegAlloc && TailDupVerify) {
185    DEBUG(dbgs() << "\n*** Before tail-duplicating\n");
186    VerifyPHIs(MF, true);
187  }
188
189  SmallVector<MachineInstr*, 8> NewPHIs;
190  MachineSSAUpdater SSAUpdate(MF, &NewPHIs);
191
192  for (MachineFunction::iterator I = ++MF.begin(), E = MF.end(); I != E; ) {
193    MachineBasicBlock *MBB = I++;
194
195    if (NumTails == TailDupLimit)
196      break;
197
198    // Save the successors list.
199    SmallSetVector<MachineBasicBlock*, 8> Succs(MBB->succ_begin(),
200                                                MBB->succ_end());
201
202    SmallVector<MachineBasicBlock*, 8> TDBBs;
203    SmallVector<MachineInstr*, 16> Copies;
204    if (TailDuplicate(MBB, MF, TDBBs, Copies)) {
205      ++NumTails;
206
207      // TailBB's immediate successors are now successors of those predecessors
208      // which duplicated TailBB. Add the predecessors as sources to the PHI
209      // instructions.
210      bool isDead = MBB->pred_empty() && !MBB->hasAddressTaken();
211      if (PreRegAlloc)
212        UpdateSuccessorsPHIs(MBB, isDead, TDBBs, Succs);
213
214      // If it is dead, remove it.
215      if (isDead) {
216        NumInstrDups -= MBB->size();
217        RemoveDeadBlock(MBB);
218        ++NumDeadBlocks;
219      }
220
221      // Update SSA form.
222      if (!SSAUpdateVRs.empty()) {
223        for (unsigned i = 0, e = SSAUpdateVRs.size(); i != e; ++i) {
224          unsigned VReg = SSAUpdateVRs[i];
225          SSAUpdate.Initialize(VReg);
226
227          // If the original definition is still around, add it as an available
228          // value.
229          MachineInstr *DefMI = MRI->getVRegDef(VReg);
230          MachineBasicBlock *DefBB = 0;
231          if (DefMI) {
232            DefBB = DefMI->getParent();
233            SSAUpdate.AddAvailableValue(DefBB, VReg);
234          }
235
236          // Add the new vregs as available values.
237          DenseMap<unsigned, AvailableValsTy>::iterator LI =
238            SSAUpdateVals.find(VReg);
239          for (unsigned j = 0, ee = LI->second.size(); j != ee; ++j) {
240            MachineBasicBlock *SrcBB = LI->second[j].first;
241            unsigned SrcReg = LI->second[j].second;
242            SSAUpdate.AddAvailableValue(SrcBB, SrcReg);
243          }
244
245          // Rewrite uses that are outside of the original def's block.
246          MachineRegisterInfo::use_iterator UI = MRI->use_begin(VReg);
247          while (UI != MRI->use_end()) {
248            MachineOperand &UseMO = UI.getOperand();
249            MachineInstr *UseMI = &*UI;
250            ++UI;
251            if (UseMI->isDebugValue()) {
252              // SSAUpdate can replace the use with an undef. That creates
253              // a debug instruction that is a kill.
254              // FIXME: Should it SSAUpdate job to delete debug instructions
255              // instead of replacing the use with undef?
256              UseMI->eraseFromParent();
257              continue;
258            }
259            if (UseMI->getParent() == DefBB && !UseMI->isPHI())
260              continue;
261            SSAUpdate.RewriteUse(UseMO);
262          }
263        }
264
265        SSAUpdateVRs.clear();
266        SSAUpdateVals.clear();
267      }
268
269      // Eliminate some of the copies inserted by tail duplication to maintain
270      // SSA form.
271      for (unsigned i = 0, e = Copies.size(); i != e; ++i) {
272        MachineInstr *Copy = Copies[i];
273        if (!Copy->isCopy())
274          continue;
275        unsigned Dst = Copy->getOperand(0).getReg();
276        unsigned Src = Copy->getOperand(1).getReg();
277        MachineRegisterInfo::use_iterator UI = MRI->use_begin(Src);
278        if (++UI == MRI->use_end()) {
279          // Copy is the only use. Do trivial copy propagation here.
280          MRI->replaceRegWith(Dst, Src);
281          Copy->eraseFromParent();
282        }
283      }
284
285      if (PreRegAlloc && TailDupVerify)
286        VerifyPHIs(MF, false);
287      MadeChange = true;
288    }
289  }
290  NumAddedPHIs += NewPHIs.size();
291
292  return MadeChange;
293}
294
295static bool isDefLiveOut(unsigned Reg, MachineBasicBlock *BB,
296                         const MachineRegisterInfo *MRI) {
297  for (MachineRegisterInfo::use_iterator UI = MRI->use_begin(Reg),
298         UE = MRI->use_end(); UI != UE; ++UI) {
299    MachineInstr *UseMI = &*UI;
300    if (UseMI->isDebugValue())
301      continue;
302    if (UseMI->getParent() != BB)
303      return true;
304  }
305  return false;
306}
307
308static unsigned getPHISrcRegOpIdx(MachineInstr *MI, MachineBasicBlock *SrcBB) {
309  for (unsigned i = 1, e = MI->getNumOperands(); i != e; i += 2)
310    if (MI->getOperand(i+1).getMBB() == SrcBB)
311      return i;
312  return 0;
313}
314
315
316// Remember which registers are used by phis in this block. This is
317// used to determine which registers are liveout while modifying the
318// block (which is why we need to copy the information).
319static void getRegsUsedByPHIs(const MachineBasicBlock &BB,
320                              DenseSet<unsigned> *UsedByPhi) {
321  for(MachineBasicBlock::const_iterator I = BB.begin(), E = BB.end();
322      I != E; ++I) {
323    const MachineInstr &MI = *I;
324    if (!MI.isPHI())
325      break;
326    for (unsigned i = 1, e = MI.getNumOperands(); i != e; i += 2) {
327      unsigned SrcReg = MI.getOperand(i).getReg();
328      UsedByPhi->insert(SrcReg);
329    }
330  }
331}
332
333/// AddSSAUpdateEntry - Add a definition and source virtual registers pair for
334/// SSA update.
335void TailDuplicatePass::AddSSAUpdateEntry(unsigned OrigReg, unsigned NewReg,
336                                          MachineBasicBlock *BB) {
337  DenseMap<unsigned, AvailableValsTy>::iterator LI= SSAUpdateVals.find(OrigReg);
338  if (LI != SSAUpdateVals.end())
339    LI->second.push_back(std::make_pair(BB, NewReg));
340  else {
341    AvailableValsTy Vals;
342    Vals.push_back(std::make_pair(BB, NewReg));
343    SSAUpdateVals.insert(std::make_pair(OrigReg, Vals));
344    SSAUpdateVRs.push_back(OrigReg);
345  }
346}
347
348/// ProcessPHI - Process PHI node in TailBB by turning it into a copy in PredBB.
349/// Remember the source register that's contributed by PredBB and update SSA
350/// update map.
351void TailDuplicatePass::ProcessPHI(MachineInstr *MI,
352                                   MachineBasicBlock *TailBB,
353                                   MachineBasicBlock *PredBB,
354                                   DenseMap<unsigned, unsigned> &LocalVRMap,
355                           SmallVector<std::pair<unsigned,unsigned>, 4> &Copies,
356                                   const DenseSet<unsigned> &RegsUsedByPhi,
357                                   bool Remove) {
358  unsigned DefReg = MI->getOperand(0).getReg();
359  unsigned SrcOpIdx = getPHISrcRegOpIdx(MI, PredBB);
360  assert(SrcOpIdx && "Unable to find matching PHI source?");
361  unsigned SrcReg = MI->getOperand(SrcOpIdx).getReg();
362  const TargetRegisterClass *RC = MRI->getRegClass(DefReg);
363  LocalVRMap.insert(std::make_pair(DefReg, SrcReg));
364
365  // Insert a copy from source to the end of the block. The def register is the
366  // available value liveout of the block.
367  unsigned NewDef = MRI->createVirtualRegister(RC);
368  Copies.push_back(std::make_pair(NewDef, SrcReg));
369  if (isDefLiveOut(DefReg, TailBB, MRI) || RegsUsedByPhi.count(DefReg))
370    AddSSAUpdateEntry(DefReg, NewDef, PredBB);
371
372  if (!Remove)
373    return;
374
375  // Remove PredBB from the PHI node.
376  MI->RemoveOperand(SrcOpIdx+1);
377  MI->RemoveOperand(SrcOpIdx);
378  if (MI->getNumOperands() == 1)
379    MI->eraseFromParent();
380}
381
382/// DuplicateInstruction - Duplicate a TailBB instruction to PredBB and update
383/// the source operands due to earlier PHI translation.
384void TailDuplicatePass::DuplicateInstruction(MachineInstr *MI,
385                                     MachineBasicBlock *TailBB,
386                                     MachineBasicBlock *PredBB,
387                                     MachineFunction &MF,
388                                     DenseMap<unsigned, unsigned> &LocalVRMap,
389                                     const DenseSet<unsigned> &UsedByPhi) {
390  MachineInstr *NewMI = TII->duplicate(MI, MF);
391  for (unsigned i = 0, e = NewMI->getNumOperands(); i != e; ++i) {
392    MachineOperand &MO = NewMI->getOperand(i);
393    if (!MO.isReg())
394      continue;
395    unsigned Reg = MO.getReg();
396    if (!TargetRegisterInfo::isVirtualRegister(Reg))
397      continue;
398    if (MO.isDef()) {
399      const TargetRegisterClass *RC = MRI->getRegClass(Reg);
400      unsigned NewReg = MRI->createVirtualRegister(RC);
401      MO.setReg(NewReg);
402      LocalVRMap.insert(std::make_pair(Reg, NewReg));
403      if (isDefLiveOut(Reg, TailBB, MRI) || UsedByPhi.count(Reg))
404        AddSSAUpdateEntry(Reg, NewReg, PredBB);
405    } else {
406      DenseMap<unsigned, unsigned>::iterator VI = LocalVRMap.find(Reg);
407      if (VI != LocalVRMap.end())
408        MO.setReg(VI->second);
409    }
410  }
411  PredBB->insert(PredBB->end(), NewMI);
412}
413
414/// UpdateSuccessorsPHIs - After FromBB is tail duplicated into its predecessor
415/// blocks, the successors have gained new predecessors. Update the PHI
416/// instructions in them accordingly.
417void
418TailDuplicatePass::UpdateSuccessorsPHIs(MachineBasicBlock *FromBB, bool isDead,
419                                  SmallVector<MachineBasicBlock*, 8> &TDBBs,
420                                  SmallSetVector<MachineBasicBlock*,8> &Succs) {
421  for (SmallSetVector<MachineBasicBlock*, 8>::iterator SI = Succs.begin(),
422         SE = Succs.end(); SI != SE; ++SI) {
423    MachineBasicBlock *SuccBB = *SI;
424    for (MachineBasicBlock::iterator II = SuccBB->begin(), EE = SuccBB->end();
425         II != EE; ++II) {
426      if (!II->isPHI())
427        break;
428      unsigned Idx = 0;
429      for (unsigned i = 1, e = II->getNumOperands(); i != e; i += 2) {
430        MachineOperand &MO = II->getOperand(i+1);
431        if (MO.getMBB() == FromBB) {
432          Idx = i;
433          break;
434        }
435      }
436
437      assert(Idx != 0);
438      MachineOperand &MO0 = II->getOperand(Idx);
439      unsigned Reg = MO0.getReg();
440      if (isDead) {
441        // Folded into the previous BB.
442        // There could be duplicate phi source entries. FIXME: Should sdisel
443        // or earlier pass fixed this?
444        for (unsigned i = II->getNumOperands()-2; i != Idx; i -= 2) {
445          MachineOperand &MO = II->getOperand(i+1);
446          if (MO.getMBB() == FromBB) {
447            II->RemoveOperand(i+1);
448            II->RemoveOperand(i);
449          }
450        }
451      } else
452        Idx = 0;
453
454      // If Idx is set, the operands at Idx and Idx+1 must be removed.
455      // We reuse the location to avoid expensive RemoveOperand calls.
456
457      DenseMap<unsigned,AvailableValsTy>::iterator LI=SSAUpdateVals.find(Reg);
458      if (LI != SSAUpdateVals.end()) {
459        // This register is defined in the tail block.
460        for (unsigned j = 0, ee = LI->second.size(); j != ee; ++j) {
461          MachineBasicBlock *SrcBB = LI->second[j].first;
462          // If we didn't duplicate a bb into a particular predecessor, we
463          // might still have added an entry to SSAUpdateVals to correcly
464          // recompute SSA. If that case, avoid adding a dummy extra argument
465          // this PHI.
466          if (!SrcBB->isSuccessor(SuccBB))
467            continue;
468
469          unsigned SrcReg = LI->second[j].second;
470          if (Idx != 0) {
471            II->getOperand(Idx).setReg(SrcReg);
472            II->getOperand(Idx+1).setMBB(SrcBB);
473            Idx = 0;
474          } else {
475            II->addOperand(MachineOperand::CreateReg(SrcReg, false));
476            II->addOperand(MachineOperand::CreateMBB(SrcBB));
477          }
478        }
479      } else {
480        // Live in tail block, must also be live in predecessors.
481        for (unsigned j = 0, ee = TDBBs.size(); j != ee; ++j) {
482          MachineBasicBlock *SrcBB = TDBBs[j];
483          if (Idx != 0) {
484            II->getOperand(Idx).setReg(Reg);
485            II->getOperand(Idx+1).setMBB(SrcBB);
486            Idx = 0;
487          } else {
488            II->addOperand(MachineOperand::CreateReg(Reg, false));
489            II->addOperand(MachineOperand::CreateMBB(SrcBB));
490          }
491        }
492      }
493      if (Idx != 0) {
494        II->RemoveOperand(Idx+1);
495        II->RemoveOperand(Idx);
496      }
497    }
498  }
499}
500
501/// shouldTailDuplicate - Determine if it is profitable to duplicate this block.
502bool
503TailDuplicatePass::shouldTailDuplicate(const MachineFunction &MF,
504                                       bool IsSimple,
505                                       MachineBasicBlock &TailBB) {
506  // Only duplicate blocks that end with unconditional branches.
507  if (TailBB.canFallThrough())
508    return false;
509
510  // Don't try to tail-duplicate single-block loops.
511  if (TailBB.isSuccessor(&TailBB))
512    return false;
513
514  // Set the limit on the cost to duplicate. When optimizing for size,
515  // duplicate only one, because one branch instruction can be eliminated to
516  // compensate for the duplication.
517  unsigned MaxDuplicateCount;
518  if (TailDuplicateSize.getNumOccurrences() == 0 &&
519      MF.getFunction()->hasFnAttr(Attribute::OptimizeForSize))
520    MaxDuplicateCount = 1;
521  else
522    MaxDuplicateCount = TailDuplicateSize;
523
524  // If the target has hardware branch prediction that can handle indirect
525  // branches, duplicating them can often make them predictable when there
526  // are common paths through the code.  The limit needs to be high enough
527  // to allow undoing the effects of tail merging and other optimizations
528  // that rearrange the predecessors of the indirect branch.
529
530  bool hasIndirectBR = false;
531  if (PreRegAlloc && !TailBB.empty()) {
532    const TargetInstrDesc &TID = TailBB.back().getDesc();
533    if (TID.isIndirectBranch()) {
534      MaxDuplicateCount = 20;
535      hasIndirectBR = true;
536    }
537  }
538
539  // Check the instructions in the block to determine whether tail-duplication
540  // is invalid or unlikely to be profitable.
541  unsigned InstrCount = 0;
542  for (MachineBasicBlock::const_iterator I = TailBB.begin(); I != TailBB.end();
543       ++I) {
544    // Non-duplicable things shouldn't be tail-duplicated.
545    if (I->getDesc().isNotDuplicable())
546      return false;
547
548    // Do not duplicate 'return' instructions if this is a pre-regalloc run.
549    // A return may expand into a lot more instructions (e.g. reload of callee
550    // saved registers) after PEI.
551    if (PreRegAlloc && I->getDesc().isReturn())
552      return false;
553
554    // Avoid duplicating calls before register allocation. Calls presents a
555    // barrier to register allocation so duplicating them may end up increasing
556    // spills.
557    if (PreRegAlloc && I->getDesc().isCall())
558      return false;
559
560    if (!I->isPHI() && !I->isDebugValue())
561      InstrCount += 1;
562
563    if (InstrCount > MaxDuplicateCount)
564      return false;
565  }
566
567  if (hasIndirectBR)
568    return true;
569
570  if (IsSimple)
571    return canCompletelyDuplicateBB(TailBB, IsSimple);
572
573  if (!PreRegAlloc)
574    return true;
575
576  return canCompletelyDuplicateBB(TailBB, IsSimple);
577}
578
579/// isSimpleBB - True if this BB has only one unconditional jump.
580bool
581TailDuplicatePass::isSimpleBB(MachineBasicBlock *TailBB) {
582  if (TailBB->succ_size() != 1)
583    return false;
584  if (TailBB->pred_empty())
585    return false;
586  MachineBasicBlock::iterator I = TailBB->begin();
587  MachineBasicBlock::iterator E = TailBB->end();
588  while (I != E && I->isDebugValue())
589    ++I;
590  if (I == E)
591    return true;
592  return I->getDesc().isUnconditionalBranch();
593}
594
595static bool
596bothUsedInPHI(const MachineBasicBlock &A,
597              SmallPtrSet<MachineBasicBlock*, 8> SuccsB) {
598  for (MachineBasicBlock::const_succ_iterator SI = A.succ_begin(),
599         SE = A.succ_end(); SI != SE; ++SI) {
600    MachineBasicBlock *BB = *SI;
601    if (SuccsB.count(BB) && !BB->empty() && BB->begin()->isPHI())
602      return true;
603  }
604
605  return false;
606}
607
608bool
609TailDuplicatePass::canCompletelyDuplicateBB(MachineBasicBlock &BB,
610                                            bool isSimple) {
611  SmallPtrSet<MachineBasicBlock*, 8> Succs(BB.succ_begin(), BB.succ_end());
612
613  for (MachineBasicBlock::pred_iterator PI = BB.pred_begin(),
614       PE = BB.pred_end(); PI != PE; ++PI) {
615    MachineBasicBlock *PredBB = *PI;
616
617    if (isSimple) {
618      if (PredBB->getLandingPadSuccessor())
619        return false;
620      if (bothUsedInPHI(*PredBB, Succs))
621        return false;
622    } else {
623      if (PredBB->succ_size() > 1)
624        return false;
625    }
626
627    MachineBasicBlock *PredTBB = NULL, *PredFBB = NULL;
628    SmallVector<MachineOperand, 4> PredCond;
629    if (TII->AnalyzeBranch(*PredBB, PredTBB, PredFBB, PredCond, true))
630      return false;
631
632    if (!isSimple && !PredCond.empty())
633      return false;
634  }
635  return true;
636}
637
638void
639TailDuplicatePass::duplicateSimpleBB(MachineBasicBlock *TailBB,
640                                     SmallVector<MachineBasicBlock*, 8> &TDBBs,
641                                     const DenseSet<unsigned> &UsedByPhi,
642                                     SmallVector<MachineInstr*, 16> &Copies) {
643  SmallVector<MachineBasicBlock*, 8> Preds(TailBB->pred_begin(),
644                                           TailBB->pred_end());
645  for (SmallSetVector<MachineBasicBlock *, 8>::iterator PI = Preds.begin(),
646       PE = Preds.end(); PI != PE; ++PI) {
647    MachineBasicBlock *PredBB = *PI;
648
649    MachineBasicBlock *PredTBB = NULL, *PredFBB = NULL;
650    SmallVector<MachineOperand, 4> PredCond;
651    bool NotAnalyzable =
652      TII->AnalyzeBranch(*PredBB, PredTBB, PredFBB, PredCond, true);
653    (void)NotAnalyzable;
654    assert(!NotAnalyzable && "Cannot duplicate this!");
655
656    DEBUG(dbgs() << "\nTail-duplicating into PredBB: " << *PredBB
657                 << "From simple Succ: " << *TailBB);
658
659    MachineBasicBlock *NewTarget = *TailBB->succ_begin();
660    MachineBasicBlock *NextBB = llvm::next(MachineFunction::iterator(PredBB));
661
662    // Make PredFBB explicit.
663    if (PredCond.empty())
664      PredFBB = PredTBB;
665
666    // Make fall through explicit.
667    if (!PredTBB)
668      PredTBB = NextBB;
669    if (!PredFBB)
670      PredFBB = NextBB;
671
672    // Redirect
673    if (PredFBB == TailBB)
674      PredFBB = NewTarget;
675    if (PredTBB == TailBB)
676      PredTBB = NewTarget;
677
678    // Make the branch unconditional if possible
679    if (PredTBB == PredFBB) {
680      PredCond.clear();
681      PredFBB = NULL;
682    }
683
684    // Avoid adding fall through branches.
685    if (PredFBB == NextBB)
686      PredFBB = NULL;
687    if (PredTBB == NextBB && PredFBB == NULL)
688      PredTBB = NULL;
689
690    TII->RemoveBranch(*PredBB);
691
692    if (PredTBB)
693      TII->InsertBranch(*PredBB, PredTBB, PredFBB, PredCond, DebugLoc());
694
695    PredBB->removeSuccessor(TailBB);
696    unsigned NumSuccessors = PredBB->succ_size();
697    assert(NumSuccessors <= 1);
698    if (NumSuccessors == 0 || *PredBB->succ_begin() != NewTarget)
699      PredBB->addSuccessor(NewTarget);
700
701    TDBBs.push_back(PredBB);
702  }
703}
704
705/// TailDuplicate - If it is profitable, duplicate TailBB's contents in each
706/// of its predecessors.
707bool
708TailDuplicatePass::TailDuplicate(MachineBasicBlock *TailBB, MachineFunction &MF,
709                                 SmallVector<MachineBasicBlock*, 8> &TDBBs,
710                                 SmallVector<MachineInstr*, 16> &Copies) {
711  bool IsSimple = isSimpleBB(TailBB);
712
713  if (!shouldTailDuplicate(MF, IsSimple, *TailBB))
714    return false;
715
716  DEBUG(dbgs() << "\n*** Tail-duplicating BB#" << TailBB->getNumber() << '\n');
717
718  DenseSet<unsigned> UsedByPhi;
719  getRegsUsedByPHIs(*TailBB, &UsedByPhi);
720
721  if (IsSimple) {
722    duplicateSimpleBB(TailBB, TDBBs, UsedByPhi, Copies);
723    return true;
724  }
725
726
727  // Iterate through all the unique predecessors and tail-duplicate this
728  // block into them, if possible. Copying the list ahead of time also
729  // avoids trouble with the predecessor list reallocating.
730  bool Changed = false;
731  SmallSetVector<MachineBasicBlock*, 8> Preds(TailBB->pred_begin(),
732                                              TailBB->pred_end());
733  for (SmallSetVector<MachineBasicBlock *, 8>::iterator PI = Preds.begin(),
734       PE = Preds.end(); PI != PE; ++PI) {
735    MachineBasicBlock *PredBB = *PI;
736
737    assert(TailBB != PredBB &&
738           "Single-block loop should have been rejected earlier!");
739    // EH edges are ignored by AnalyzeBranch.
740    if (PredBB->succ_size() > 1)
741      continue;
742
743    MachineBasicBlock *PredTBB, *PredFBB;
744    SmallVector<MachineOperand, 4> PredCond;
745    if (TII->AnalyzeBranch(*PredBB, PredTBB, PredFBB, PredCond, true))
746      continue;
747    if (!PredCond.empty())
748      continue;
749    // Don't duplicate into a fall-through predecessor (at least for now).
750    if (PredBB->isLayoutSuccessor(TailBB) && PredBB->canFallThrough())
751      continue;
752
753    DEBUG(dbgs() << "\nTail-duplicating into PredBB: " << *PredBB
754                 << "From Succ: " << *TailBB);
755
756    TDBBs.push_back(PredBB);
757
758    // Remove PredBB's unconditional branch.
759    TII->RemoveBranch(*PredBB);
760
761    // Clone the contents of TailBB into PredBB.
762    DenseMap<unsigned, unsigned> LocalVRMap;
763    SmallVector<std::pair<unsigned,unsigned>, 4> CopyInfos;
764    MachineBasicBlock::iterator I = TailBB->begin();
765    while (I != TailBB->end()) {
766      MachineInstr *MI = &*I;
767      ++I;
768      if (MI->isPHI()) {
769        // Replace the uses of the def of the PHI with the register coming
770        // from PredBB.
771        ProcessPHI(MI, TailBB, PredBB, LocalVRMap, CopyInfos, UsedByPhi, true);
772      } else {
773        // Replace def of virtual registers with new registers, and update
774        // uses with PHI source register or the new registers.
775        DuplicateInstruction(MI, TailBB, PredBB, MF, LocalVRMap, UsedByPhi);
776      }
777    }
778    MachineBasicBlock::iterator Loc = PredBB->getFirstTerminator();
779    for (unsigned i = 0, e = CopyInfos.size(); i != e; ++i) {
780      Copies.push_back(BuildMI(*PredBB, Loc, DebugLoc(),
781                               TII->get(TargetOpcode::COPY),
782                               CopyInfos[i].first).addReg(CopyInfos[i].second));
783    }
784
785    // Simplify
786    TII->AnalyzeBranch(*PredBB, PredTBB, PredFBB, PredCond, true);
787
788    NumInstrDups += TailBB->size() - 1; // subtract one for removed branch
789
790    // Update the CFG.
791    PredBB->removeSuccessor(PredBB->succ_begin());
792    assert(PredBB->succ_empty() &&
793           "TailDuplicate called on block with multiple successors!");
794    for (MachineBasicBlock::succ_iterator I = TailBB->succ_begin(),
795           E = TailBB->succ_end(); I != E; ++I)
796      PredBB->addSuccessor(*I);
797
798    Changed = true;
799    ++NumTailDups;
800  }
801
802  // If TailBB was duplicated into all its predecessors except for the prior
803  // block, which falls through unconditionally, move the contents of this
804  // block into the prior block.
805  MachineBasicBlock *PrevBB = prior(MachineFunction::iterator(TailBB));
806  MachineBasicBlock *PriorTBB = 0, *PriorFBB = 0;
807  SmallVector<MachineOperand, 4> PriorCond;
808  // This has to check PrevBB->succ_size() because EH edges are ignored by
809  // AnalyzeBranch.
810  if (PrevBB->succ_size() == 1 &&
811      !TII->AnalyzeBranch(*PrevBB, PriorTBB, PriorFBB, PriorCond, true) &&
812      PriorCond.empty() && !PriorTBB && TailBB->pred_size() == 1 &&
813      !TailBB->hasAddressTaken()) {
814    DEBUG(dbgs() << "\nMerging into block: " << *PrevBB
815          << "From MBB: " << *TailBB);
816    if (PreRegAlloc) {
817      DenseMap<unsigned, unsigned> LocalVRMap;
818      SmallVector<std::pair<unsigned,unsigned>, 4> CopyInfos;
819      MachineBasicBlock::iterator I = TailBB->begin();
820      // Process PHI instructions first.
821      while (I != TailBB->end() && I->isPHI()) {
822        // Replace the uses of the def of the PHI with the register coming
823        // from PredBB.
824        MachineInstr *MI = &*I++;
825        ProcessPHI(MI, TailBB, PrevBB, LocalVRMap, CopyInfos, UsedByPhi, true);
826        if (MI->getParent())
827          MI->eraseFromParent();
828      }
829
830      // Now copy the non-PHI instructions.
831      while (I != TailBB->end()) {
832        // Replace def of virtual registers with new registers, and update
833        // uses with PHI source register or the new registers.
834        MachineInstr *MI = &*I++;
835        DuplicateInstruction(MI, TailBB, PrevBB, MF, LocalVRMap, UsedByPhi);
836        MI->eraseFromParent();
837      }
838      MachineBasicBlock::iterator Loc = PrevBB->getFirstTerminator();
839      for (unsigned i = 0, e = CopyInfos.size(); i != e; ++i) {
840        Copies.push_back(BuildMI(*PrevBB, Loc, DebugLoc(),
841                                 TII->get(TargetOpcode::COPY),
842                                 CopyInfos[i].first)
843                           .addReg(CopyInfos[i].second));
844      }
845    } else {
846      // No PHIs to worry about, just splice the instructions over.
847      PrevBB->splice(PrevBB->end(), TailBB, TailBB->begin(), TailBB->end());
848    }
849    PrevBB->removeSuccessor(PrevBB->succ_begin());
850    assert(PrevBB->succ_empty());
851    PrevBB->transferSuccessors(TailBB);
852    TDBBs.push_back(PrevBB);
853    Changed = true;
854  }
855
856  // If this is after register allocation, there are no phis to fix.
857  if (!PreRegAlloc)
858    return Changed;
859
860  // If we made no changes so far, we are safe.
861  if (!Changed)
862    return Changed;
863
864
865  // Handle the nasty case in that we duplicated a block that is part of a loop
866  // into some but not all of its predecessors. For example:
867  //    1 -> 2 <-> 3                 |
868  //          \                      |
869  //           \---> rest            |
870  // if we duplicate 2 into 1 but not into 3, we end up with
871  // 12 -> 3 <-> 2 -> rest           |
872  //   \             /               |
873  //    \----->-----/                |
874  // If there was a "var = phi(1, 3)" in 2, it has to be ultimately replaced
875  // with a phi in 3 (which now dominates 2).
876  // What we do here is introduce a copy in 3 of the register defined by the
877  // phi, just like when we are duplicating 2 into 3, but we don't copy any
878  // real instructions or remove the 3 -> 2 edge from the phi in 2.
879  for (SmallSetVector<MachineBasicBlock *, 8>::iterator PI = Preds.begin(),
880       PE = Preds.end(); PI != PE; ++PI) {
881    MachineBasicBlock *PredBB = *PI;
882    if (std::find(TDBBs.begin(), TDBBs.end(), PredBB) != TDBBs.end())
883      continue;
884
885    // EH edges
886    if (PredBB->succ_size() != 1)
887      continue;
888
889    DenseMap<unsigned, unsigned> LocalVRMap;
890    SmallVector<std::pair<unsigned,unsigned>, 4> CopyInfos;
891    MachineBasicBlock::iterator I = TailBB->begin();
892    // Process PHI instructions first.
893    while (I != TailBB->end() && I->isPHI()) {
894      // Replace the uses of the def of the PHI with the register coming
895      // from PredBB.
896      MachineInstr *MI = &*I++;
897      ProcessPHI(MI, TailBB, PredBB, LocalVRMap, CopyInfos, UsedByPhi, false);
898    }
899    MachineBasicBlock::iterator Loc = PredBB->getFirstTerminator();
900    for (unsigned i = 0, e = CopyInfos.size(); i != e; ++i) {
901      Copies.push_back(BuildMI(*PredBB, Loc, DebugLoc(),
902                               TII->get(TargetOpcode::COPY),
903                               CopyInfos[i].first).addReg(CopyInfos[i].second));
904    }
905  }
906
907  return Changed;
908}
909
910/// RemoveDeadBlock - Remove the specified dead machine basic block from the
911/// function, updating the CFG.
912void TailDuplicatePass::RemoveDeadBlock(MachineBasicBlock *MBB) {
913  assert(MBB->pred_empty() && "MBB must be dead!");
914  DEBUG(dbgs() << "\nRemoving MBB: " << *MBB);
915
916  // Remove all successors.
917  while (!MBB->succ_empty())
918    MBB->removeSuccessor(MBB->succ_end()-1);
919
920  // Remove the block.
921  MBB->eraseFromParent();
922}
923