1596f483aSJessica Paquette //===---- MachineOutliner.cpp - Outline instructions -----------*- C++ -*-===//
2596f483aSJessica Paquette //
32946cd70SChandler Carruth // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
42946cd70SChandler Carruth // See https://llvm.org/LICENSE.txt for license information.
52946cd70SChandler Carruth // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6596f483aSJessica Paquette //
7596f483aSJessica Paquette //===----------------------------------------------------------------------===//
8596f483aSJessica Paquette ///
9596f483aSJessica Paquette /// \file
10596f483aSJessica Paquette /// Replaces repeated sequences of instructions with function calls.
11596f483aSJessica Paquette ///
12596f483aSJessica Paquette /// This works by placing every instruction from every basic block in a
13596f483aSJessica Paquette /// suffix tree, and repeatedly querying that tree for repeated sequences of
14596f483aSJessica Paquette /// instructions. If a sequence of instructions appears often, then it ought
15596f483aSJessica Paquette /// to be beneficial to pull out into a function.
16596f483aSJessica Paquette ///
174cf187b5SJessica Paquette /// The MachineOutliner communicates with a given target using hooks defined in
184cf187b5SJessica Paquette /// TargetInstrInfo.h. The target supplies the outliner with information on how
194cf187b5SJessica Paquette /// a specific sequence of instructions should be outlined. This information
204cf187b5SJessica Paquette /// is used to deduce the number of instructions necessary to
214cf187b5SJessica Paquette ///
224cf187b5SJessica Paquette /// * Create an outlined function
234cf187b5SJessica Paquette /// * Call that outlined function
244cf187b5SJessica Paquette ///
254cf187b5SJessica Paquette /// Targets must implement
264cf187b5SJessica Paquette ///   * getOutliningCandidateInfo
2732de26d4SJessica Paquette ///   * buildOutlinedFrame
284cf187b5SJessica Paquette ///   * insertOutlinedCall
294cf187b5SJessica Paquette ///   * isFunctionSafeToOutlineFrom
304cf187b5SJessica Paquette ///
314cf187b5SJessica Paquette /// in order to make use of the MachineOutliner.
324cf187b5SJessica Paquette ///
33596f483aSJessica Paquette /// This was originally presented at the 2016 LLVM Developers' Meeting in the
34596f483aSJessica Paquette /// talk "Reducing Code Size Using Outlining". For a high-level overview of
35596f483aSJessica Paquette /// how this pass works, the talk is available on YouTube at
36596f483aSJessica Paquette ///
37596f483aSJessica Paquette /// https://www.youtube.com/watch?v=yorld-WSOeU
38596f483aSJessica Paquette ///
39596f483aSJessica Paquette /// The slides for the talk are available at
40596f483aSJessica Paquette ///
41596f483aSJessica Paquette /// http://www.llvm.org/devmtg/2016-11/Slides/Paquette-Outliner.pdf
42596f483aSJessica Paquette ///
43596f483aSJessica Paquette /// The talk provides an overview of how the outliner finds candidates and
44596f483aSJessica Paquette /// ultimately outlines them. It describes how the main data structure for this
45596f483aSJessica Paquette /// pass, the suffix tree, is queried and purged for candidates. It also gives
46596f483aSJessica Paquette /// a simplified suffix tree construction algorithm for suffix trees based off
47596f483aSJessica Paquette /// of the algorithm actually used here, Ukkonen's algorithm.
48596f483aSJessica Paquette ///
49596f483aSJessica Paquette /// For the original RFC for this pass, please see
50596f483aSJessica Paquette ///
51596f483aSJessica Paquette /// http://lists.llvm.org/pipermail/llvm-dev/2016-August/104170.html
52596f483aSJessica Paquette ///
53596f483aSJessica Paquette /// For more information on the suffix tree data structure, please see
54596f483aSJessica Paquette /// https://www.cs.helsinki.fi/u/ukkonen/SuffixT1withFigs.pdf
55596f483aSJessica Paquette ///
56596f483aSJessica Paquette //===----------------------------------------------------------------------===//
57aa087327SJessica Paquette #include "llvm/CodeGen/MachineOutliner.h"
58596f483aSJessica Paquette #include "llvm/ADT/DenseMap.h"
59fc6fda90SJin Lin #include "llvm/ADT/SmallSet.h"
60596f483aSJessica Paquette #include "llvm/ADT/Statistic.h"
61596f483aSJessica Paquette #include "llvm/ADT/Twine.h"
62596f483aSJessica Paquette #include "llvm/CodeGen/MachineModuleInfo.h"
63ffe4abc5SJessica Paquette #include "llvm/CodeGen/MachineOptimizationRemarkEmitter.h"
64596f483aSJessica Paquette #include "llvm/CodeGen/Passes.h"
653f833edcSDavid Blaikie #include "llvm/CodeGen/TargetInstrInfo.h"
66b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetSubtargetInfo.h"
67729e6869SJessica Paquette #include "llvm/IR/DIBuilder.h"
68596f483aSJessica Paquette #include "llvm/IR/IRBuilder.h"
69a499c3c2SJessica Paquette #include "llvm/IR/Mangler.h"
7005da2fe5SReid Kleckner #include "llvm/InitializePasses.h"
711eca23bdSJessica Paquette #include "llvm/Support/CommandLine.h"
72596f483aSJessica Paquette #include "llvm/Support/Debug.h"
73bb677cacSAndrew Litteken #include "llvm/Support/SuffixTree.h"
74596f483aSJessica Paquette #include "llvm/Support/raw_ostream.h"
75596f483aSJessica Paquette #include <functional>
76596f483aSJessica Paquette #include <tuple>
77596f483aSJessica Paquette #include <vector>
78596f483aSJessica Paquette 
79596f483aSJessica Paquette #define DEBUG_TYPE "machine-outliner"
80596f483aSJessica Paquette 
81596f483aSJessica Paquette using namespace llvm;
82ffe4abc5SJessica Paquette using namespace ore;
83aa087327SJessica Paquette using namespace outliner;
84596f483aSJessica Paquette 
8512389e37SJessica Paquette // Statistics for outlined functions.
86596f483aSJessica Paquette STATISTIC(NumOutlined, "Number of candidates outlined");
87596f483aSJessica Paquette STATISTIC(FunctionsCreated, "Number of functions created");
88596f483aSJessica Paquette 
8912389e37SJessica Paquette // Statistics for instruction mapping.
9012389e37SJessica Paquette STATISTIC(NumLegalInUnsignedVec, "Number of legal instrs in unsigned vector");
9112389e37SJessica Paquette STATISTIC(NumIllegalInUnsignedVec,
9212389e37SJessica Paquette           "Number of illegal instrs in unsigned vector");
9312389e37SJessica Paquette STATISTIC(NumInvisible, "Number of invisible instrs in unsigned vector");
9412389e37SJessica Paquette STATISTIC(UnsignedVecSize, "Size of unsigned vector");
9512389e37SJessica Paquette 
961eca23bdSJessica Paquette // Set to true if the user wants the outliner to run on linkonceodr linkage
971eca23bdSJessica Paquette // functions. This is false by default because the linker can dedupe linkonceodr
981eca23bdSJessica Paquette // functions. Since the outliner is confined to a single module (modulo LTO),
991eca23bdSJessica Paquette // this is off by default. It should, however, be the default behaviour in
1001eca23bdSJessica Paquette // LTO.
1011eca23bdSJessica Paquette static cl::opt<bool> EnableLinkOnceODROutlining(
1026b7615aeSPuyan Lotfi     "enable-linkonceodr-outlining", cl::Hidden,
1031eca23bdSJessica Paquette     cl::desc("Enable the machine outliner on linkonceodr functions"),
1041eca23bdSJessica Paquette     cl::init(false));
1051eca23bdSJessica Paquette 
106ffd5e121SPuyan Lotfi /// Number of times to re-run the outliner. This is not the total number of runs
107ffd5e121SPuyan Lotfi /// as the outliner will run at least one time. The default value is set to 0,
108ffd5e121SPuyan Lotfi /// meaning the outliner will run one time and rerun zero times after that.
109ffd5e121SPuyan Lotfi static cl::opt<unsigned> OutlinerReruns(
110ffd5e121SPuyan Lotfi     "machine-outliner-reruns", cl::init(0), cl::Hidden,
111ffd5e121SPuyan Lotfi     cl::desc(
112ffd5e121SPuyan Lotfi         "Number of times to rerun the outliner after the initial outline"));
1130d896278SJin Lin 
114596f483aSJessica Paquette namespace {
115596f483aSJessica Paquette 
1165f8f34e4SAdrian Prantl /// Maps \p MachineInstrs to unsigned integers and stores the mappings.
117596f483aSJessica Paquette struct InstructionMapper {
118596f483aSJessica Paquette 
1195f8f34e4SAdrian Prantl   /// The next available integer to assign to a \p MachineInstr that
120596f483aSJessica Paquette   /// cannot be outlined.
121596f483aSJessica Paquette   ///
122596f483aSJessica Paquette   /// Set to -3 for compatability with \p DenseMapInfo<unsigned>.
123596f483aSJessica Paquette   unsigned IllegalInstrNumber = -3;
124596f483aSJessica Paquette 
1255f8f34e4SAdrian Prantl   /// The next available integer to assign to a \p MachineInstr that can
126596f483aSJessica Paquette   /// be outlined.
127596f483aSJessica Paquette   unsigned LegalInstrNumber = 0;
128596f483aSJessica Paquette 
129596f483aSJessica Paquette   /// Correspondence from \p MachineInstrs to unsigned integers.
130596f483aSJessica Paquette   DenseMap<MachineInstr *, unsigned, MachineInstrExpressionTrait>
131596f483aSJessica Paquette       InstructionIntegerMap;
132596f483aSJessica Paquette 
133cad864d4SJessica Paquette   /// Correspondence between \p MachineBasicBlocks and target-defined flags.
134cad864d4SJessica Paquette   DenseMap<MachineBasicBlock *, unsigned> MBBFlagsMap;
135cad864d4SJessica Paquette 
136596f483aSJessica Paquette   /// The vector of unsigned integers that the module is mapped to.
137596f483aSJessica Paquette   std::vector<unsigned> UnsignedVec;
138596f483aSJessica Paquette 
1395f8f34e4SAdrian Prantl   /// Stores the location of the instruction associated with the integer
140596f483aSJessica Paquette   /// at index i in \p UnsignedVec for each index i.
141596f483aSJessica Paquette   std::vector<MachineBasicBlock::iterator> InstrList;
142596f483aSJessica Paquette 
143c991cf36SJessica Paquette   // Set if we added an illegal number in the previous step.
144c991cf36SJessica Paquette   // Since each illegal number is unique, we only need one of them between
145c991cf36SJessica Paquette   // each range of legal numbers. This lets us make sure we don't add more
146c991cf36SJessica Paquette   // than one illegal number per range.
147c991cf36SJessica Paquette   bool AddedIllegalLastTime = false;
148c991cf36SJessica Paquette 
1495f8f34e4SAdrian Prantl   /// Maps \p *It to a legal integer.
150596f483aSJessica Paquette   ///
151c4cf775aSJessica Paquette   /// Updates \p CanOutlineWithPrevInstr, \p HaveLegalRange, \p InstrListForMBB,
152ca3ed964SJessica Paquette   /// \p UnsignedVecForMBB, \p InstructionIntegerMap, and \p LegalInstrNumber.
153596f483aSJessica Paquette   ///
154596f483aSJessica Paquette   /// \returns The integer that \p *It was mapped to.
155267d266cSJessica Paquette   unsigned mapToLegalUnsigned(
156c4cf775aSJessica Paquette       MachineBasicBlock::iterator &It, bool &CanOutlineWithPrevInstr,
157c4cf775aSJessica Paquette       bool &HaveLegalRange, unsigned &NumLegalInBlock,
158267d266cSJessica Paquette       std::vector<unsigned> &UnsignedVecForMBB,
159267d266cSJessica Paquette       std::vector<MachineBasicBlock::iterator> &InstrListForMBB) {
160c991cf36SJessica Paquette     // We added something legal, so we should unset the AddedLegalLastTime
161c991cf36SJessica Paquette     // flag.
162c991cf36SJessica Paquette     AddedIllegalLastTime = false;
163596f483aSJessica Paquette 
164c4cf775aSJessica Paquette     // If we have at least two adjacent legal instructions (which may have
165c4cf775aSJessica Paquette     // invisible instructions in between), remember that.
166c4cf775aSJessica Paquette     if (CanOutlineWithPrevInstr)
167c4cf775aSJessica Paquette       HaveLegalRange = true;
168c4cf775aSJessica Paquette     CanOutlineWithPrevInstr = true;
169c4cf775aSJessica Paquette 
170267d266cSJessica Paquette     // Keep track of the number of legal instructions we insert.
171267d266cSJessica Paquette     NumLegalInBlock++;
172267d266cSJessica Paquette 
173596f483aSJessica Paquette     // Get the integer for this instruction or give it the current
174596f483aSJessica Paquette     // LegalInstrNumber.
175267d266cSJessica Paquette     InstrListForMBB.push_back(It);
176596f483aSJessica Paquette     MachineInstr &MI = *It;
177596f483aSJessica Paquette     bool WasInserted;
178596f483aSJessica Paquette     DenseMap<MachineInstr *, unsigned, MachineInstrExpressionTrait>::iterator
179596f483aSJessica Paquette         ResultIt;
180596f483aSJessica Paquette     std::tie(ResultIt, WasInserted) =
181596f483aSJessica Paquette         InstructionIntegerMap.insert(std::make_pair(&MI, LegalInstrNumber));
182596f483aSJessica Paquette     unsigned MINumber = ResultIt->second;
183596f483aSJessica Paquette 
184596f483aSJessica Paquette     // There was an insertion.
185ca3ed964SJessica Paquette     if (WasInserted)
186596f483aSJessica Paquette       LegalInstrNumber++;
187596f483aSJessica Paquette 
188267d266cSJessica Paquette     UnsignedVecForMBB.push_back(MINumber);
189596f483aSJessica Paquette 
190596f483aSJessica Paquette     // Make sure we don't overflow or use any integers reserved by the DenseMap.
191596f483aSJessica Paquette     if (LegalInstrNumber >= IllegalInstrNumber)
192596f483aSJessica Paquette       report_fatal_error("Instruction mapping overflow!");
193596f483aSJessica Paquette 
19478681be2SJessica Paquette     assert(LegalInstrNumber != DenseMapInfo<unsigned>::getEmptyKey() &&
19578681be2SJessica Paquette            "Tried to assign DenseMap tombstone or empty key to instruction.");
19678681be2SJessica Paquette     assert(LegalInstrNumber != DenseMapInfo<unsigned>::getTombstoneKey() &&
19778681be2SJessica Paquette            "Tried to assign DenseMap tombstone or empty key to instruction.");
198596f483aSJessica Paquette 
19912389e37SJessica Paquette     // Statistics.
20012389e37SJessica Paquette     ++NumLegalInUnsignedVec;
201596f483aSJessica Paquette     return MINumber;
202596f483aSJessica Paquette   }
203596f483aSJessica Paquette 
204596f483aSJessica Paquette   /// Maps \p *It to an illegal integer.
205596f483aSJessica Paquette   ///
206267d266cSJessica Paquette   /// Updates \p InstrListForMBB, \p UnsignedVecForMBB, and \p
207267d266cSJessica Paquette   /// IllegalInstrNumber.
208596f483aSJessica Paquette   ///
209596f483aSJessica Paquette   /// \returns The integer that \p *It was mapped to.
2106b7615aeSPuyan Lotfi   unsigned mapToIllegalUnsigned(
2116b7615aeSPuyan Lotfi       MachineBasicBlock::iterator &It, bool &CanOutlineWithPrevInstr,
2126b7615aeSPuyan Lotfi       std::vector<unsigned> &UnsignedVecForMBB,
213267d266cSJessica Paquette       std::vector<MachineBasicBlock::iterator> &InstrListForMBB) {
214c4cf775aSJessica Paquette     // Can't outline an illegal instruction. Set the flag.
215c4cf775aSJessica Paquette     CanOutlineWithPrevInstr = false;
216c4cf775aSJessica Paquette 
217c991cf36SJessica Paquette     // Only add one illegal number per range of legal numbers.
218c991cf36SJessica Paquette     if (AddedIllegalLastTime)
219c991cf36SJessica Paquette       return IllegalInstrNumber;
220c991cf36SJessica Paquette 
221c991cf36SJessica Paquette     // Remember that we added an illegal number last time.
222c991cf36SJessica Paquette     AddedIllegalLastTime = true;
223596f483aSJessica Paquette     unsigned MINumber = IllegalInstrNumber;
224596f483aSJessica Paquette 
225267d266cSJessica Paquette     InstrListForMBB.push_back(It);
226267d266cSJessica Paquette     UnsignedVecForMBB.push_back(IllegalInstrNumber);
227596f483aSJessica Paquette     IllegalInstrNumber--;
22812389e37SJessica Paquette     // Statistics.
22912389e37SJessica Paquette     ++NumIllegalInUnsignedVec;
230596f483aSJessica Paquette 
231596f483aSJessica Paquette     assert(LegalInstrNumber < IllegalInstrNumber &&
232596f483aSJessica Paquette            "Instruction mapping overflow!");
233596f483aSJessica Paquette 
23478681be2SJessica Paquette     assert(IllegalInstrNumber != DenseMapInfo<unsigned>::getEmptyKey() &&
235596f483aSJessica Paquette            "IllegalInstrNumber cannot be DenseMap tombstone or empty key!");
236596f483aSJessica Paquette 
23778681be2SJessica Paquette     assert(IllegalInstrNumber != DenseMapInfo<unsigned>::getTombstoneKey() &&
238596f483aSJessica Paquette            "IllegalInstrNumber cannot be DenseMap tombstone or empty key!");
239596f483aSJessica Paquette 
240596f483aSJessica Paquette     return MINumber;
241596f483aSJessica Paquette   }
242596f483aSJessica Paquette 
2435f8f34e4SAdrian Prantl   /// Transforms a \p MachineBasicBlock into a \p vector of \p unsigneds
244596f483aSJessica Paquette   /// and appends it to \p UnsignedVec and \p InstrList.
245596f483aSJessica Paquette   ///
246596f483aSJessica Paquette   /// Two instructions are assigned the same integer if they are identical.
247596f483aSJessica Paquette   /// If an instruction is deemed unsafe to outline, then it will be assigned an
248596f483aSJessica Paquette   /// unique integer. The resulting mapping is placed into a suffix tree and
249596f483aSJessica Paquette   /// queried for candidates.
250596f483aSJessica Paquette   ///
251596f483aSJessica Paquette   /// \param MBB The \p MachineBasicBlock to be translated into integers.
252da08078fSEli Friedman   /// \param TII \p TargetInstrInfo for the function.
253596f483aSJessica Paquette   void convertToUnsignedVec(MachineBasicBlock &MBB,
254596f483aSJessica Paquette                             const TargetInstrInfo &TII) {
2553635c890SAlexander Kornienko     unsigned Flags = 0;
25682d9c0a3SJessica Paquette 
25782d9c0a3SJessica Paquette     // Don't even map in this case.
25882d9c0a3SJessica Paquette     if (!TII.isMBBSafeToOutlineFrom(MBB, Flags))
25982d9c0a3SJessica Paquette       return;
26082d9c0a3SJessica Paquette 
261cad864d4SJessica Paquette     // Store info for the MBB for later outlining.
262cad864d4SJessica Paquette     MBBFlagsMap[&MBB] = Flags;
263cad864d4SJessica Paquette 
264c991cf36SJessica Paquette     MachineBasicBlock::iterator It = MBB.begin();
265267d266cSJessica Paquette 
266267d266cSJessica Paquette     // The number of instructions in this block that will be considered for
267267d266cSJessica Paquette     // outlining.
268267d266cSJessica Paquette     unsigned NumLegalInBlock = 0;
269267d266cSJessica Paquette 
270c4cf775aSJessica Paquette     // True if we have at least two legal instructions which aren't separated
271c4cf775aSJessica Paquette     // by an illegal instruction.
272c4cf775aSJessica Paquette     bool HaveLegalRange = false;
273c4cf775aSJessica Paquette 
274c4cf775aSJessica Paquette     // True if we can perform outlining given the last mapped (non-invisible)
275c4cf775aSJessica Paquette     // instruction. This lets us know if we have a legal range.
276c4cf775aSJessica Paquette     bool CanOutlineWithPrevInstr = false;
277c4cf775aSJessica Paquette 
278267d266cSJessica Paquette     // FIXME: Should this all just be handled in the target, rather than using
279267d266cSJessica Paquette     // repeated calls to getOutliningType?
280267d266cSJessica Paquette     std::vector<unsigned> UnsignedVecForMBB;
281267d266cSJessica Paquette     std::vector<MachineBasicBlock::iterator> InstrListForMBB;
282267d266cSJessica Paquette 
283*68c718c8SJessica Paquette     for (MachineBasicBlock::iterator Et = MBB.end(); It != Et; ++It) {
284596f483aSJessica Paquette       // Keep track of where this instruction is in the module.
2853291e735SJessica Paquette       switch (TII.getOutliningType(It, Flags)) {
286aa087327SJessica Paquette       case InstrType::Illegal:
2876b7615aeSPuyan Lotfi         mapToIllegalUnsigned(It, CanOutlineWithPrevInstr, UnsignedVecForMBB,
2886b7615aeSPuyan Lotfi                              InstrListForMBB);
289596f483aSJessica Paquette         break;
290596f483aSJessica Paquette 
291aa087327SJessica Paquette       case InstrType::Legal:
292c4cf775aSJessica Paquette         mapToLegalUnsigned(It, CanOutlineWithPrevInstr, HaveLegalRange,
293*68c718c8SJessica Paquette                            NumLegalInBlock, UnsignedVecForMBB, InstrListForMBB);
294596f483aSJessica Paquette         break;
295596f483aSJessica Paquette 
296aa087327SJessica Paquette       case InstrType::LegalTerminator:
297c4cf775aSJessica Paquette         mapToLegalUnsigned(It, CanOutlineWithPrevInstr, HaveLegalRange,
298*68c718c8SJessica Paquette                            NumLegalInBlock, UnsignedVecForMBB, InstrListForMBB);
299*68c718c8SJessica Paquette         // The instruction also acts as a terminator, so we have to record that
300*68c718c8SJessica Paquette         // in the string.
301c4cf775aSJessica Paquette         mapToIllegalUnsigned(It, CanOutlineWithPrevInstr, UnsignedVecForMBB,
302c4cf775aSJessica Paquette                              InstrListForMBB);
303042dc9e0SEli Friedman         break;
304042dc9e0SEli Friedman 
305aa087327SJessica Paquette       case InstrType::Invisible:
306c991cf36SJessica Paquette         // Normally this is set by mapTo(Blah)Unsigned, but we just want to
307c991cf36SJessica Paquette         // skip this instruction. So, unset the flag here.
30812389e37SJessica Paquette         ++NumInvisible;
309bd72988cSJessica Paquette         AddedIllegalLastTime = false;
310596f483aSJessica Paquette         break;
311596f483aSJessica Paquette       }
312596f483aSJessica Paquette     }
313596f483aSJessica Paquette 
314267d266cSJessica Paquette     // Are there enough legal instructions in the block for outlining to be
315267d266cSJessica Paquette     // possible?
316c4cf775aSJessica Paquette     if (HaveLegalRange) {
317596f483aSJessica Paquette       // After we're done every insertion, uniquely terminate this part of the
318596f483aSJessica Paquette       // "string". This makes sure we won't match across basic block or function
319596f483aSJessica Paquette       // boundaries since the "end" is encoded uniquely and thus appears in no
320596f483aSJessica Paquette       // repeated substring.
321c4cf775aSJessica Paquette       mapToIllegalUnsigned(It, CanOutlineWithPrevInstr, UnsignedVecForMBB,
322c4cf775aSJessica Paquette                            InstrListForMBB);
3231e3ed091SKazu Hirata       llvm::append_range(InstrList, InstrListForMBB);
3241e3ed091SKazu Hirata       llvm::append_range(UnsignedVec, UnsignedVecForMBB);
325267d266cSJessica Paquette     }
326596f483aSJessica Paquette   }
327596f483aSJessica Paquette 
328596f483aSJessica Paquette   InstructionMapper() {
329596f483aSJessica Paquette     // Make sure that the implementation of DenseMapInfo<unsigned> hasn't
330596f483aSJessica Paquette     // changed.
331596f483aSJessica Paquette     assert(DenseMapInfo<unsigned>::getEmptyKey() == (unsigned)-1 &&
332596f483aSJessica Paquette            "DenseMapInfo<unsigned>'s empty key isn't -1!");
333596f483aSJessica Paquette     assert(DenseMapInfo<unsigned>::getTombstoneKey() == (unsigned)-2 &&
334596f483aSJessica Paquette            "DenseMapInfo<unsigned>'s tombstone key isn't -2!");
335596f483aSJessica Paquette   }
336596f483aSJessica Paquette };
337596f483aSJessica Paquette 
3385f8f34e4SAdrian Prantl /// An interprocedural pass which finds repeated sequences of
339596f483aSJessica Paquette /// instructions and replaces them with calls to functions.
340596f483aSJessica Paquette ///
341596f483aSJessica Paquette /// Each instruction is mapped to an unsigned integer and placed in a string.
342596f483aSJessica Paquette /// The resulting mapping is then placed in a \p SuffixTree. The \p SuffixTree
343596f483aSJessica Paquette /// is then repeatedly queried for repeated sequences of instructions. Each
344596f483aSJessica Paquette /// non-overlapping repeated sequence is then placed in its own
345596f483aSJessica Paquette /// \p MachineFunction and each instance is then replaced with a call to that
346596f483aSJessica Paquette /// function.
347596f483aSJessica Paquette struct MachineOutliner : public ModulePass {
348596f483aSJessica Paquette 
349596f483aSJessica Paquette   static char ID;
350596f483aSJessica Paquette 
3515f8f34e4SAdrian Prantl   /// Set to true if the outliner should consider functions with
35213593843SJessica Paquette   /// linkonceodr linkage.
35313593843SJessica Paquette   bool OutlineFromLinkOnceODRs = false;
35413593843SJessica Paquette 
3550d896278SJin Lin   /// The current repeat number of machine outlining.
3560d896278SJin Lin   unsigned OutlineRepeatedNum = 0;
3570d896278SJin Lin 
3588bda1881SJessica Paquette   /// Set to true if the outliner should run on all functions in the module
3598bda1881SJessica Paquette   /// considered safe for outlining.
3608bda1881SJessica Paquette   /// Set to true by default for compatibility with llc's -run-pass option.
3618bda1881SJessica Paquette   /// Set when the pass is constructed in TargetPassConfig.
3628bda1881SJessica Paquette   bool RunOnAllFunctions = true;
3638bda1881SJessica Paquette 
364596f483aSJessica Paquette   StringRef getPassName() const override { return "Machine Outliner"; }
365596f483aSJessica Paquette 
366596f483aSJessica Paquette   void getAnalysisUsage(AnalysisUsage &AU) const override {
367cc382cf7SYuanfang Chen     AU.addRequired<MachineModuleInfoWrapperPass>();
368cc382cf7SYuanfang Chen     AU.addPreserved<MachineModuleInfoWrapperPass>();
369596f483aSJessica Paquette     AU.setPreservesAll();
370596f483aSJessica Paquette     ModulePass::getAnalysisUsage(AU);
371596f483aSJessica Paquette   }
372596f483aSJessica Paquette 
3731eca23bdSJessica Paquette   MachineOutliner() : ModulePass(ID) {
374596f483aSJessica Paquette     initializeMachineOutlinerPass(*PassRegistry::getPassRegistry());
375596f483aSJessica Paquette   }
376596f483aSJessica Paquette 
3771cc52a00SJessica Paquette   /// Remark output explaining that not outlining a set of candidates would be
3781cc52a00SJessica Paquette   /// better than outlining that set.
3791cc52a00SJessica Paquette   void emitNotOutliningCheaperRemark(
3801cc52a00SJessica Paquette       unsigned StringLen, std::vector<Candidate> &CandidatesForRepeatedSeq,
3811cc52a00SJessica Paquette       OutlinedFunction &OF);
3821cc52a00SJessica Paquette 
38358e706a6SJessica Paquette   /// Remark output explaining that a function was outlined.
38458e706a6SJessica Paquette   void emitOutlinedFunctionRemark(OutlinedFunction &OF);
38558e706a6SJessica Paquette 
386ce3a2dcfSJessica Paquette   /// Find all repeated substrings that satisfy the outlining cost model by
387ce3a2dcfSJessica Paquette   /// constructing a suffix tree.
38878681be2SJessica Paquette   ///
38978681be2SJessica Paquette   /// If a substring appears at least twice, then it must be represented by
3901cc52a00SJessica Paquette   /// an internal node which appears in at least two suffixes. Each suffix
3911cc52a00SJessica Paquette   /// is represented by a leaf node. To do this, we visit each internal node
3921cc52a00SJessica Paquette   /// in the tree, using the leaf children of each internal node. If an
3931cc52a00SJessica Paquette   /// internal node represents a beneficial substring, then we use each of
3941cc52a00SJessica Paquette   /// its leaf children to find the locations of its substring.
39578681be2SJessica Paquette   ///
39678681be2SJessica Paquette   /// \param Mapper Contains outlining mapping information.
3971cc52a00SJessica Paquette   /// \param[out] FunctionList Filled with a list of \p OutlinedFunctions
3981cc52a00SJessica Paquette   /// each type of candidate.
399ce3a2dcfSJessica Paquette   void findCandidates(InstructionMapper &Mapper,
40078681be2SJessica Paquette                       std::vector<OutlinedFunction> &FunctionList);
40178681be2SJessica Paquette 
4024ae3b71dSJessica Paquette   /// Replace the sequences of instructions represented by \p OutlinedFunctions
4034ae3b71dSJessica Paquette   /// with calls to functions.
404596f483aSJessica Paquette   ///
405596f483aSJessica Paquette   /// \param M The module we are outlining from.
406596f483aSJessica Paquette   /// \param FunctionList A list of functions to be inserted into the module.
407596f483aSJessica Paquette   /// \param Mapper Contains the instruction mappings for the module.
4084ae3b71dSJessica Paquette   bool outline(Module &M, std::vector<OutlinedFunction> &FunctionList,
4096b7615aeSPuyan Lotfi                InstructionMapper &Mapper, unsigned &OutlinedFunctionNum);
410596f483aSJessica Paquette 
411596f483aSJessica Paquette   /// Creates a function for \p OF and inserts it into the module.
412e18d6ff0SJessica Paquette   MachineFunction *createOutlinedFunction(Module &M, OutlinedFunction &OF,
413a3eb0facSJessica Paquette                                           InstructionMapper &Mapper,
414a3eb0facSJessica Paquette                                           unsigned Name);
415596f483aSJessica Paquette 
416ffd5e121SPuyan Lotfi   /// Calls 'doOutline()' 1 + OutlinerReruns times.
4177b166d51SJin Lin   bool runOnModule(Module &M) override;
418ab2dcff3SJin Lin 
419596f483aSJessica Paquette   /// Construct a suffix tree on the instructions in \p M and outline repeated
420596f483aSJessica Paquette   /// strings from that tree.
421a51fc8ddSPuyan Lotfi   bool doOutline(Module &M, unsigned &OutlinedFunctionNum);
422aa087327SJessica Paquette 
423aa087327SJessica Paquette   /// Return a DISubprogram for OF if one exists, and null otherwise. Helper
424aa087327SJessica Paquette   /// function for remark emission.
425aa087327SJessica Paquette   DISubprogram *getSubprogramOrNull(const OutlinedFunction &OF) {
426e18d6ff0SJessica Paquette     for (const Candidate &C : OF.Candidates)
4277ad25836SSimon Pilgrim       if (MachineFunction *MF = C.getMF())
4287ad25836SSimon Pilgrim         if (DISubprogram *SP = MF->getFunction().getSubprogram())
429aa087327SJessica Paquette           return SP;
430aa087327SJessica Paquette     return nullptr;
431aa087327SJessica Paquette   }
432050d1ac4SJessica Paquette 
433050d1ac4SJessica Paquette   /// Populate and \p InstructionMapper with instruction-to-integer mappings.
434050d1ac4SJessica Paquette   /// These are used to construct a suffix tree.
435050d1ac4SJessica Paquette   void populateMapper(InstructionMapper &Mapper, Module &M,
436050d1ac4SJessica Paquette                       MachineModuleInfo &MMI);
437596f483aSJessica Paquette 
4382386eab3SJessica Paquette   /// Initialize information necessary to output a size remark.
4392386eab3SJessica Paquette   /// FIXME: This should be handled by the pass manager, not the outliner.
4402386eab3SJessica Paquette   /// FIXME: This is nearly identical to the initSizeRemarkInfo in the legacy
4412386eab3SJessica Paquette   /// pass manager.
4426b7615aeSPuyan Lotfi   void initSizeRemarkInfo(const Module &M, const MachineModuleInfo &MMI,
4432386eab3SJessica Paquette                           StringMap<unsigned> &FunctionToInstrCount);
4442386eab3SJessica Paquette 
4452386eab3SJessica Paquette   /// Emit the remark.
4462386eab3SJessica Paquette   // FIXME: This should be handled by the pass manager, not the outliner.
4476b7615aeSPuyan Lotfi   void
4486b7615aeSPuyan Lotfi   emitInstrCountChangedRemark(const Module &M, const MachineModuleInfo &MMI,
4492386eab3SJessica Paquette                               const StringMap<unsigned> &FunctionToInstrCount);
4502386eab3SJessica Paquette };
451596f483aSJessica Paquette } // Anonymous namespace.
452596f483aSJessica Paquette 
453596f483aSJessica Paquette char MachineOutliner::ID = 0;
454596f483aSJessica Paquette 
455596f483aSJessica Paquette namespace llvm {
4568bda1881SJessica Paquette ModulePass *createMachineOutlinerPass(bool RunOnAllFunctions) {
4578bda1881SJessica Paquette   MachineOutliner *OL = new MachineOutliner();
4588bda1881SJessica Paquette   OL->RunOnAllFunctions = RunOnAllFunctions;
4598bda1881SJessica Paquette   return OL;
46013593843SJessica Paquette }
46113593843SJessica Paquette 
46278681be2SJessica Paquette } // namespace llvm
46378681be2SJessica Paquette 
46478681be2SJessica Paquette INITIALIZE_PASS(MachineOutliner, DEBUG_TYPE, "Machine Function Outliner", false,
46578681be2SJessica Paquette                 false)
46678681be2SJessica Paquette 
4671cc52a00SJessica Paquette void MachineOutliner::emitNotOutliningCheaperRemark(
4681cc52a00SJessica Paquette     unsigned StringLen, std::vector<Candidate> &CandidatesForRepeatedSeq,
4691cc52a00SJessica Paquette     OutlinedFunction &OF) {
470c991cf36SJessica Paquette   // FIXME: Right now, we arbitrarily choose some Candidate from the
471c991cf36SJessica Paquette   // OutlinedFunction. This isn't necessarily fixed, nor does it have to be.
472c991cf36SJessica Paquette   // We should probably sort these by function name or something to make sure
473c991cf36SJessica Paquette   // the remarks are stable.
4741cc52a00SJessica Paquette   Candidate &C = CandidatesForRepeatedSeq.front();
4751cc52a00SJessica Paquette   MachineOptimizationRemarkEmitter MORE(*(C.getMF()), nullptr);
4761cc52a00SJessica Paquette   MORE.emit([&]() {
4771cc52a00SJessica Paquette     MachineOptimizationRemarkMissed R(DEBUG_TYPE, "NotOutliningCheaper",
4781cc52a00SJessica Paquette                                       C.front()->getDebugLoc(), C.getMBB());
4791cc52a00SJessica Paquette     R << "Did not outline " << NV("Length", StringLen) << " instructions"
4801cc52a00SJessica Paquette       << " from " << NV("NumOccurrences", CandidatesForRepeatedSeq.size())
4811cc52a00SJessica Paquette       << " locations."
4821cc52a00SJessica Paquette       << " Bytes from outlining all occurrences ("
4831cc52a00SJessica Paquette       << NV("OutliningCost", OF.getOutliningCost()) << ")"
4841cc52a00SJessica Paquette       << " >= Unoutlined instruction bytes ("
4851cc52a00SJessica Paquette       << NV("NotOutliningCost", OF.getNotOutlinedCost()) << ")"
4861cc52a00SJessica Paquette       << " (Also found at: ";
4871cc52a00SJessica Paquette 
4881cc52a00SJessica Paquette     // Tell the user the other places the candidate was found.
4891cc52a00SJessica Paquette     for (unsigned i = 1, e = CandidatesForRepeatedSeq.size(); i < e; i++) {
4901cc52a00SJessica Paquette       R << NV((Twine("OtherStartLoc") + Twine(i)).str(),
4911cc52a00SJessica Paquette               CandidatesForRepeatedSeq[i].front()->getDebugLoc());
4921cc52a00SJessica Paquette       if (i != e - 1)
4931cc52a00SJessica Paquette         R << ", ";
4941cc52a00SJessica Paquette     }
4951cc52a00SJessica Paquette 
4961cc52a00SJessica Paquette     R << ")";
4971cc52a00SJessica Paquette     return R;
4981cc52a00SJessica Paquette   });
4991cc52a00SJessica Paquette }
5001cc52a00SJessica Paquette 
50158e706a6SJessica Paquette void MachineOutliner::emitOutlinedFunctionRemark(OutlinedFunction &OF) {
50258e706a6SJessica Paquette   MachineBasicBlock *MBB = &*OF.MF->begin();
50358e706a6SJessica Paquette   MachineOptimizationRemarkEmitter MORE(*OF.MF, nullptr);
50458e706a6SJessica Paquette   MachineOptimizationRemark R(DEBUG_TYPE, "OutlinedFunction",
50558e706a6SJessica Paquette                               MBB->findDebugLoc(MBB->begin()), MBB);
50658e706a6SJessica Paquette   R << "Saved " << NV("OutliningBenefit", OF.getBenefit()) << " bytes by "
50734b618bfSJessica Paquette     << "outlining " << NV("Length", OF.getNumInstrs()) << " instructions "
50858e706a6SJessica Paquette     << "from " << NV("NumOccurrences", OF.getOccurrenceCount())
50958e706a6SJessica Paquette     << " locations. "
51058e706a6SJessica Paquette     << "(Found at: ";
51158e706a6SJessica Paquette 
51258e706a6SJessica Paquette   // Tell the user the other places the candidate was found.
51358e706a6SJessica Paquette   for (size_t i = 0, e = OF.Candidates.size(); i < e; i++) {
51458e706a6SJessica Paquette 
51558e706a6SJessica Paquette     R << NV((Twine("StartLoc") + Twine(i)).str(),
516e18d6ff0SJessica Paquette             OF.Candidates[i].front()->getDebugLoc());
51758e706a6SJessica Paquette     if (i != e - 1)
51858e706a6SJessica Paquette       R << ", ";
51958e706a6SJessica Paquette   }
52058e706a6SJessica Paquette 
52158e706a6SJessica Paquette   R << ")";
52258e706a6SJessica Paquette 
52358e706a6SJessica Paquette   MORE.emit(R);
52458e706a6SJessica Paquette }
52558e706a6SJessica Paquette 
5266b7615aeSPuyan Lotfi void MachineOutliner::findCandidates(
5276b7615aeSPuyan Lotfi     InstructionMapper &Mapper, std::vector<OutlinedFunction> &FunctionList) {
52878681be2SJessica Paquette   FunctionList.clear();
529ce3a2dcfSJessica Paquette   SuffixTree ST(Mapper.UnsignedVec);
53078681be2SJessica Paquette 
531fbe7f5e9SDavid Tellenbach   // First, find all of the repeated substrings in the tree of minimum length
5324e54ef88SJessica Paquette   // 2.
533d87f5449SJessica Paquette   std::vector<Candidate> CandidatesForRepeatedSeq;
53422f00f61SKazu Hirata   for (const SuffixTree::RepeatedSubstring &RS : ST) {
535d4e7d074SJessica Paquette     CandidatesForRepeatedSeq.clear();
5364e54ef88SJessica Paquette     unsigned StringLen = RS.Length;
5374e54ef88SJessica Paquette     for (const unsigned &StartIdx : RS.StartIndices) {
53852df8015SJessica Paquette       unsigned EndIdx = StartIdx + StringLen - 1;
53952df8015SJessica Paquette       // Trick: Discard some candidates that would be incompatible with the
54052df8015SJessica Paquette       // ones we've already found for this sequence. This will save us some
54152df8015SJessica Paquette       // work in candidate selection.
54252df8015SJessica Paquette       //
54352df8015SJessica Paquette       // If two candidates overlap, then we can't outline them both. This
54452df8015SJessica Paquette       // happens when we have candidates that look like, say
54552df8015SJessica Paquette       //
54652df8015SJessica Paquette       // AA (where each "A" is an instruction).
54752df8015SJessica Paquette       //
54852df8015SJessica Paquette       // We might have some portion of the module that looks like this:
54952df8015SJessica Paquette       // AAAAAA (6 A's)
55052df8015SJessica Paquette       //
55152df8015SJessica Paquette       // In this case, there are 5 different copies of "AA" in this range, but
55252df8015SJessica Paquette       // at most 3 can be outlined. If only outlining 3 of these is going to
55352df8015SJessica Paquette       // be unbeneficial, then we ought to not bother.
55452df8015SJessica Paquette       //
55552df8015SJessica Paquette       // Note that two things DON'T overlap when they look like this:
55652df8015SJessica Paquette       // start1...end1 .... start2...end2
55752df8015SJessica Paquette       // That is, one must either
55852df8015SJessica Paquette       // * End before the other starts
55952df8015SJessica Paquette       // * Start after the other ends
560cfeecdf7SKazu Hirata       if (llvm::all_of(CandidatesForRepeatedSeq, [&StartIdx,
561cfeecdf7SKazu Hirata                                                   &EndIdx](const Candidate &C) {
5624e54ef88SJessica Paquette             return (EndIdx < C.getStartIdx() || StartIdx > C.getEndIdx());
56352df8015SJessica Paquette           })) {
56452df8015SJessica Paquette         // It doesn't overlap with anything, so we can outline it.
56552df8015SJessica Paquette         // Each sequence is over [StartIt, EndIt].
566aa087327SJessica Paquette         // Save the candidate and its location.
567aa087327SJessica Paquette 
56852df8015SJessica Paquette         MachineBasicBlock::iterator StartIt = Mapper.InstrList[StartIdx];
56952df8015SJessica Paquette         MachineBasicBlock::iterator EndIt = Mapper.InstrList[EndIdx];
570cad864d4SJessica Paquette         MachineBasicBlock *MBB = StartIt->getParent();
57152df8015SJessica Paquette 
572aa087327SJessica Paquette         CandidatesForRepeatedSeq.emplace_back(StartIdx, StringLen, StartIt,
573cad864d4SJessica Paquette                                               EndIt, MBB, FunctionList.size(),
574cad864d4SJessica Paquette                                               Mapper.MBBFlagsMap[MBB]);
57552df8015SJessica Paquette       }
576809d708bSJessica Paquette     }
577809d708bSJessica Paquette 
578acc15e12SJessica Paquette     // We've found something we might want to outline.
579acc15e12SJessica Paquette     // Create an OutlinedFunction to store it and check if it'd be beneficial
580acc15e12SJessica Paquette     // to outline.
581ddb039a1SJessica Paquette     if (CandidatesForRepeatedSeq.size() < 2)
582da08078fSEli Friedman       continue;
583da08078fSEli Friedman 
584da08078fSEli Friedman     // Arbitrarily choose a TII from the first candidate.
585da08078fSEli Friedman     // FIXME: Should getOutliningCandidateInfo move to TargetMachine?
586da08078fSEli Friedman     const TargetInstrInfo *TII =
587da08078fSEli Friedman         CandidatesForRepeatedSeq[0].getMF()->getSubtarget().getInstrInfo();
588da08078fSEli Friedman 
5899d93c602SJessica Paquette     OutlinedFunction OF =
590da08078fSEli Friedman         TII->getOutliningCandidateInfo(CandidatesForRepeatedSeq);
5919d93c602SJessica Paquette 
592b2d53c5dSJessica Paquette     // If we deleted too many candidates, then there's nothing worth outlining.
593b2d53c5dSJessica Paquette     // FIXME: This should take target-specified instruction sizes into account.
594b2d53c5dSJessica Paquette     if (OF.Candidates.size() < 2)
5959d93c602SJessica Paquette       continue;
5969d93c602SJessica Paquette 
597ffe4abc5SJessica Paquette     // Is it better to outline this candidate than not?
598f94d1d29SJessica Paquette     if (OF.getBenefit() < 1) {
5991cc52a00SJessica Paquette       emitNotOutliningCheaperRemark(StringLen, CandidatesForRepeatedSeq, OF);
60078681be2SJessica Paquette       continue;
601ffe4abc5SJessica Paquette     }
60278681be2SJessica Paquette 
603acc15e12SJessica Paquette     FunctionList.push_back(OF);
60478681be2SJessica Paquette   }
605596f483aSJessica Paquette }
606596f483aSJessica Paquette 
6076b7615aeSPuyan Lotfi MachineFunction *MachineOutliner::createOutlinedFunction(
6086b7615aeSPuyan Lotfi     Module &M, OutlinedFunction &OF, InstructionMapper &Mapper, unsigned Name) {
609596f483aSJessica Paquette 
610ae6c9403SFangrui Song   // Create the function name. This should be unique.
611a3eb0facSJessica Paquette   // FIXME: We should have a better naming scheme. This should be stable,
612a3eb0facSJessica Paquette   // regardless of changes to the outliner's cost model/traversal order.
6130c4aab27SPuyan Lotfi   std::string FunctionName = "OUTLINED_FUNCTION_";
6140d896278SJin Lin   if (OutlineRepeatedNum > 0)
6150c4aab27SPuyan Lotfi     FunctionName += std::to_string(OutlineRepeatedNum + 1) + "_";
6160c4aab27SPuyan Lotfi   FunctionName += std::to_string(Name);
617596f483aSJessica Paquette 
618596f483aSJessica Paquette   // Create the function using an IR-level function.
619596f483aSJessica Paquette   LLVMContext &C = M.getContext();
620ae6c9403SFangrui Song   Function *F = Function::Create(FunctionType::get(Type::getVoidTy(C), false),
621ae6c9403SFangrui Song                                  Function::ExternalLinkage, FunctionName, M);
622596f483aSJessica Paquette 
623596f483aSJessica Paquette   // NOTE: If this is linkonceodr, then we can take advantage of linker deduping
624596f483aSJessica Paquette   // which gives us better results when we outline from linkonceodr functions.
625d506bf8eSJessica Paquette   F->setLinkage(GlobalValue::InternalLinkage);
626596f483aSJessica Paquette   F->setUnnamedAddr(GlobalValue::UnnamedAddr::Global);
627596f483aSJessica Paquette 
62825bef201SEli Friedman   // Set optsize/minsize, so we don't insert padding between outlined
62925bef201SEli Friedman   // functions.
63025bef201SEli Friedman   F->addFnAttr(Attribute::OptimizeForSize);
63125bef201SEli Friedman   F->addFnAttr(Attribute::MinSize);
63225bef201SEli Friedman 
633e18d6ff0SJessica Paquette   Candidate &FirstCand = OF.Candidates.front();
634f5f28d5bSTies Stuij   const TargetInstrInfo &TII =
635f5f28d5bSTies Stuij       *FirstCand.getMF()->getSubtarget().getInstrInfo();
636e3932eeeSJessica Paquette 
637f5f28d5bSTies Stuij   TII.mergeOutliningCandidateAttributes(*F, OF.Candidates);
638ca4c1ad8SDavid Green 
6396398903aSMomchil Velikov   // Set uwtable, so we generate eh_frame.
6406398903aSMomchil Velikov   UWTableKind UW = std::accumulate(
6416398903aSMomchil Velikov       OF.Candidates.cbegin(), OF.Candidates.cend(), UWTableKind::None,
6426398903aSMomchil Velikov       [](UWTableKind K, const outliner::Candidate &C) {
6436398903aSMomchil Velikov         return std::max(K, C.getMF()->getFunction().getUWTableKind());
6446398903aSMomchil Velikov       });
6456398903aSMomchil Velikov   if (UW != UWTableKind::None)
6466398903aSMomchil Velikov     F->setUWTableKind(UW);
6476398903aSMomchil Velikov 
648596f483aSJessica Paquette   BasicBlock *EntryBB = BasicBlock::Create(C, "entry", F);
649596f483aSJessica Paquette   IRBuilder<> Builder(EntryBB);
650596f483aSJessica Paquette   Builder.CreateRetVoid();
651596f483aSJessica Paquette 
652cc382cf7SYuanfang Chen   MachineModuleInfo &MMI = getAnalysis<MachineModuleInfoWrapperPass>().getMMI();
6537bda1958SMatthias Braun   MachineFunction &MF = MMI.getOrCreateMachineFunction(*F);
654596f483aSJessica Paquette   MachineBasicBlock &MBB = *MF.CreateMachineBasicBlock();
655596f483aSJessica Paquette 
656596f483aSJessica Paquette   // Insert the new function into the module.
657596f483aSJessica Paquette   MF.insert(MF.begin(), &MBB);
658596f483aSJessica Paquette 
6598d5024f7SAndrew Litteken   MachineFunction *OriginalMF = FirstCand.front()->getMF();
6608d5024f7SAndrew Litteken   const std::vector<MCCFIInstruction> &Instrs =
6618d5024f7SAndrew Litteken       OriginalMF->getFrameInstructions();
66234b618bfSJessica Paquette   for (auto I = FirstCand.front(), E = std::next(FirstCand.back()); I != E;
66334b618bfSJessica Paquette        ++I) {
6645b30d9adSMomchil Velikov     if (I->isDebugInstr())
6655b30d9adSMomchil Velikov       continue;
66634b618bfSJessica Paquette     MachineInstr *NewMI = MF.CloneMachineInstr(&*I);
6678d5024f7SAndrew Litteken     if (I->isCFIInstruction()) {
6688d5024f7SAndrew Litteken       unsigned CFIIndex = NewMI->getOperand(0).getCFIIndex();
6698d5024f7SAndrew Litteken       MCCFIInstruction CFI = Instrs[CFIIndex];
6708d5024f7SAndrew Litteken       (void)MF.addFrameInst(CFI);
6718d5024f7SAndrew Litteken     }
672c73c0307SChandler Carruth     NewMI->dropMemRefs(MF);
673596f483aSJessica Paquette 
674596f483aSJessica Paquette     // Don't keep debug information for outlined instructions.
675596f483aSJessica Paquette     NewMI->setDebugLoc(DebugLoc());
676596f483aSJessica Paquette     MBB.insert(MBB.end(), NewMI);
677596f483aSJessica Paquette   }
678596f483aSJessica Paquette 
6791a78b0bdSEli Friedman   // Set normal properties for a late MachineFunction.
6801a78b0bdSEli Friedman   MF.getProperties().reset(MachineFunctionProperties::Property::IsSSA);
6811a78b0bdSEli Friedman   MF.getProperties().set(MachineFunctionProperties::Property::NoPHIs);
6821a78b0bdSEli Friedman   MF.getProperties().set(MachineFunctionProperties::Property::NoVRegs);
6831a78b0bdSEli Friedman   MF.getProperties().set(MachineFunctionProperties::Property::TracksLiveness);
684cc06a782SJessica Paquette   MF.getRegInfo().freezeReservedRegs(MF);
685cc06a782SJessica Paquette 
6861a78b0bdSEli Friedman   // Compute live-in set for outlined fn
6871a78b0bdSEli Friedman   const MachineRegisterInfo &MRI = MF.getRegInfo();
6881a78b0bdSEli Friedman   const TargetRegisterInfo &TRI = *MRI.getTargetRegisterInfo();
6891a78b0bdSEli Friedman   LivePhysRegs LiveIns(TRI);
6901a78b0bdSEli Friedman   for (auto &Cand : OF.Candidates) {
6911a78b0bdSEli Friedman     // Figure out live-ins at the first instruction.
6921a78b0bdSEli Friedman     MachineBasicBlock &OutlineBB = *Cand.front()->getParent();
6931a78b0bdSEli Friedman     LivePhysRegs CandLiveIns(TRI);
6941a78b0bdSEli Friedman     CandLiveIns.addLiveOuts(OutlineBB);
6951a78b0bdSEli Friedman     for (const MachineInstr &MI :
6961a78b0bdSEli Friedman          reverse(make_range(Cand.front(), OutlineBB.end())))
6971a78b0bdSEli Friedman       CandLiveIns.stepBackward(MI);
6981a78b0bdSEli Friedman 
6991a78b0bdSEli Friedman     // The live-in set for the outlined function is the union of the live-ins
7001a78b0bdSEli Friedman     // from all the outlining points.
7016a6e3821SKazu Hirata     for (MCPhysReg Reg : CandLiveIns)
7021a78b0bdSEli Friedman       LiveIns.addReg(Reg);
7031a78b0bdSEli Friedman   }
7041a78b0bdSEli Friedman   addLiveIns(MBB, LiveIns);
7051a78b0bdSEli Friedman 
7061a78b0bdSEli Friedman   TII.buildOutlinedFrame(MBB, MF, OF);
7071a78b0bdSEli Friedman 
708a499c3c2SJessica Paquette   // If there's a DISubprogram associated with this outlined function, then
709a499c3c2SJessica Paquette   // emit debug info for the outlined function.
710aa087327SJessica Paquette   if (DISubprogram *SP = getSubprogramOrNull(OF)) {
711a499c3c2SJessica Paquette     // We have a DISubprogram. Get its DICompileUnit.
712a499c3c2SJessica Paquette     DICompileUnit *CU = SP->getUnit();
713a499c3c2SJessica Paquette     DIBuilder DB(M, true, CU);
714a499c3c2SJessica Paquette     DIFile *Unit = SP->getFile();
715a499c3c2SJessica Paquette     Mangler Mg;
716a499c3c2SJessica Paquette     // Get the mangled name of the function for the linkage name.
717a499c3c2SJessica Paquette     std::string Dummy;
718a499c3c2SJessica Paquette     llvm::raw_string_ostream MangledNameStream(Dummy);
719a499c3c2SJessica Paquette     Mg.getNameWithPrefix(MangledNameStream, F, false);
720a499c3c2SJessica Paquette 
721cc06a782SJessica Paquette     DISubprogram *OutlinedSP = DB.createFunction(
722a499c3c2SJessica Paquette         Unit /* Context */, F->getName(), StringRef(MangledNameStream.str()),
723a499c3c2SJessica Paquette         Unit /* File */,
724a499c3c2SJessica Paquette         0 /* Line 0 is reserved for compiler-generated code. */,
725cc06a782SJessica Paquette         DB.createSubroutineType(DB.getOrCreateTypeArray(None)), /* void type */
726cda54210SPaul Robinson         0, /* Line 0 is reserved for compiler-generated code. */
727a499c3c2SJessica Paquette         DINode::DIFlags::FlagArtificial /* Compiler-generated code. */,
728cda54210SPaul Robinson         /* Outlined code is optimized code by definition. */
729cda54210SPaul Robinson         DISubprogram::SPFlagDefinition | DISubprogram::SPFlagOptimized);
730a499c3c2SJessica Paquette 
731a499c3c2SJessica Paquette     // Don't add any new variables to the subprogram.
732cc06a782SJessica Paquette     DB.finalizeSubprogram(OutlinedSP);
733a499c3c2SJessica Paquette 
734a499c3c2SJessica Paquette     // Attach subprogram to the function.
735cc06a782SJessica Paquette     F->setSubprogram(OutlinedSP);
736a499c3c2SJessica Paquette     // We're done with the DIBuilder.
737a499c3c2SJessica Paquette     DB.finalize();
738a499c3c2SJessica Paquette   }
739a499c3c2SJessica Paquette 
740596f483aSJessica Paquette   return &MF;
741596f483aSJessica Paquette }
742596f483aSJessica Paquette 
7434ae3b71dSJessica Paquette bool MachineOutliner::outline(Module &M,
7444ae3b71dSJessica Paquette                               std::vector<OutlinedFunction> &FunctionList,
745a51fc8ddSPuyan Lotfi                               InstructionMapper &Mapper,
746a51fc8ddSPuyan Lotfi                               unsigned &OutlinedFunctionNum) {
747596f483aSJessica Paquette 
748596f483aSJessica Paquette   bool OutlinedSomething = false;
749a3eb0facSJessica Paquette 
750962b3ae6SJessica Paquette   // Sort by benefit. The most beneficial functions should be outlined first.
751efd94c56SFangrui Song   llvm::stable_sort(FunctionList, [](const OutlinedFunction &LHS,
752efd94c56SFangrui Song                                      const OutlinedFunction &RHS) {
753962b3ae6SJessica Paquette     return LHS.getBenefit() > RHS.getBenefit();
754962b3ae6SJessica Paquette   });
755596f483aSJessica Paquette 
756962b3ae6SJessica Paquette   // Walk over each function, outlining them as we go along. Functions are
757962b3ae6SJessica Paquette   // outlined greedily, based off the sort above.
758962b3ae6SJessica Paquette   for (OutlinedFunction &OF : FunctionList) {
759962b3ae6SJessica Paquette     // If we outlined something that overlapped with a candidate in a previous
760962b3ae6SJessica Paquette     // step, then we can't outline from it.
761e18d6ff0SJessica Paquette     erase_if(OF.Candidates, [&Mapper](Candidate &C) {
762d9d9309bSJessica Paquette       return std::any_of(
763e18d6ff0SJessica Paquette           Mapper.UnsignedVec.begin() + C.getStartIdx(),
764e18d6ff0SJessica Paquette           Mapper.UnsignedVec.begin() + C.getEndIdx() + 1,
765d9d9309bSJessica Paquette           [](unsigned I) { return (I == static_cast<unsigned>(-1)); });
766235d877eSJessica Paquette     });
767596f483aSJessica Paquette 
768962b3ae6SJessica Paquette     // If we made it unbeneficial to outline this function, skip it.
76985af63d0SJessica Paquette     if (OF.getBenefit() < 1)
770596f483aSJessica Paquette       continue;
771596f483aSJessica Paquette 
772962b3ae6SJessica Paquette     // It's beneficial. Create the function and outline its sequence's
773962b3ae6SJessica Paquette     // occurrences.
774a3eb0facSJessica Paquette     OF.MF = createOutlinedFunction(M, OF, Mapper, OutlinedFunctionNum);
77558e706a6SJessica Paquette     emitOutlinedFunctionRemark(OF);
776acffa28cSJessica Paquette     FunctionsCreated++;
777a3eb0facSJessica Paquette     OutlinedFunctionNum++; // Created a function, move to the next name.
778596f483aSJessica Paquette     MachineFunction *MF = OF.MF;
779596f483aSJessica Paquette     const TargetSubtargetInfo &STI = MF->getSubtarget();
780596f483aSJessica Paquette     const TargetInstrInfo &TII = *STI.getInstrInfo();
781596f483aSJessica Paquette 
782962b3ae6SJessica Paquette     // Replace occurrences of the sequence with calls to the new function.
783e18d6ff0SJessica Paquette     for (Candidate &C : OF.Candidates) {
784962b3ae6SJessica Paquette       MachineBasicBlock &MBB = *C.getMBB();
785962b3ae6SJessica Paquette       MachineBasicBlock::iterator StartIt = C.front();
786962b3ae6SJessica Paquette       MachineBasicBlock::iterator EndIt = C.back();
787596f483aSJessica Paquette 
788962b3ae6SJessica Paquette       // Insert the call.
789962b3ae6SJessica Paquette       auto CallInst = TII.insertOutlinedCall(M, MBB, StartIt, *MF, C);
790962b3ae6SJessica Paquette 
791962b3ae6SJessica Paquette       // If the caller tracks liveness, then we need to make sure that
792962b3ae6SJessica Paquette       // anything we outline doesn't break liveness assumptions. The outlined
793962b3ae6SJessica Paquette       // functions themselves currently don't track liveness, but we should
794962b3ae6SJessica Paquette       // make sure that the ranges we yank things out of aren't wrong.
795aa087327SJessica Paquette       if (MBB.getParent()->getProperties().hasProperty(
7960b672491SJessica Paquette               MachineFunctionProperties::Property::TracksLiveness)) {
797fc6fda90SJin Lin         // The following code is to add implicit def operands to the call
79871d3869fSDjordje Todorovic         // instruction. It also updates call site information for moved
79971d3869fSDjordje Todorovic         // code.
800fc6fda90SJin Lin         SmallSet<Register, 2> UseRegs, DefRegs;
8010b672491SJessica Paquette         // Copy over the defs in the outlined range.
8020b672491SJessica Paquette         // First inst in outlined range <-- Anything that's defined in this
803962b3ae6SJessica Paquette         // ...                           .. range has to be added as an
804962b3ae6SJessica Paquette         // implicit Last inst in outlined range  <-- def to the call
80571d3869fSDjordje Todorovic         // instruction. Also remove call site information for outlined block
806fc6fda90SJin Lin         // of code. The exposed uses need to be copied in the outlined range.
807ffd5e121SPuyan Lotfi         for (MachineBasicBlock::reverse_iterator
808ffd5e121SPuyan Lotfi                  Iter = EndIt.getReverse(),
809fc6fda90SJin Lin                  Last = std::next(CallInst.getReverse());
810fc6fda90SJin Lin              Iter != Last; Iter++) {
811fc6fda90SJin Lin           MachineInstr *MI = &*Iter;
8121e9fa0b1SDianQK           SmallSet<Register, 2> InstrUseRegs;
813fc6fda90SJin Lin           for (MachineOperand &MOP : MI->operands()) {
814fc6fda90SJin Lin             // Skip over anything that isn't a register.
815fc6fda90SJin Lin             if (!MOP.isReg())
816fc6fda90SJin Lin               continue;
817fc6fda90SJin Lin 
818fc6fda90SJin Lin             if (MOP.isDef()) {
819fc6fda90SJin Lin               // Introduce DefRegs set to skip the redundant register.
820fc6fda90SJin Lin               DefRegs.insert(MOP.getReg());
8211e9fa0b1SDianQK               if (UseRegs.count(MOP.getReg()) &&
8221e9fa0b1SDianQK                   !InstrUseRegs.count(MOP.getReg()))
823fc6fda90SJin Lin                 // Since the regiester is modeled as defined,
824fc6fda90SJin Lin                 // it is not necessary to be put in use register set.
825fc6fda90SJin Lin                 UseRegs.erase(MOP.getReg());
826fc6fda90SJin Lin             } else if (!MOP.isUndef()) {
827fc6fda90SJin Lin               // Any register which is not undefined should
828fc6fda90SJin Lin               // be put in the use register set.
829fc6fda90SJin Lin               UseRegs.insert(MOP.getReg());
8301e9fa0b1SDianQK               InstrUseRegs.insert(MOP.getReg());
831fc6fda90SJin Lin             }
832fc6fda90SJin Lin           }
833fc6fda90SJin Lin           if (MI->isCandidateForCallSiteEntry())
834fc6fda90SJin Lin             MI->getMF()->eraseCallSiteInfo(MI);
835fc6fda90SJin Lin         }
836fc6fda90SJin Lin 
837fc6fda90SJin Lin         for (const Register &I : DefRegs)
838fc6fda90SJin Lin           // If it's a def, add it to the call instruction.
839ffd5e121SPuyan Lotfi           CallInst->addOperand(
840ffd5e121SPuyan Lotfi               MachineOperand::CreateReg(I, true, /* isDef = true */
841fc6fda90SJin Lin                                         true /* isImp = true */));
842fc6fda90SJin Lin 
843fc6fda90SJin Lin         for (const Register &I : UseRegs)
844fc6fda90SJin Lin           // If it's a exposed use, add it to the call instruction.
845fc6fda90SJin Lin           CallInst->addOperand(
846fc6fda90SJin Lin               MachineOperand::CreateReg(I, false, /* isDef = false */
847fc6fda90SJin Lin                                         true /* isImp = true */));
8480b672491SJessica Paquette       }
8490b672491SJessica Paquette 
850aa087327SJessica Paquette       // Erase from the point after where the call was inserted up to, and
851aa087327SJessica Paquette       // including, the final instruction in the sequence.
852aa087327SJessica Paquette       // Erase needs one past the end, so we need std::next there too.
853aa087327SJessica Paquette       MBB.erase(std::next(StartIt), std::next(EndIt));
854235d877eSJessica Paquette 
855d9d9309bSJessica Paquette       // Keep track of what we removed by marking them all as -1.
856235d877eSJessica Paquette       std::for_each(Mapper.UnsignedVec.begin() + C.getStartIdx(),
857235d877eSJessica Paquette                     Mapper.UnsignedVec.begin() + C.getEndIdx() + 1,
858d9d9309bSJessica Paquette                     [](unsigned &I) { I = static_cast<unsigned>(-1); });
859596f483aSJessica Paquette       OutlinedSomething = true;
860596f483aSJessica Paquette 
861596f483aSJessica Paquette       // Statistics.
862596f483aSJessica Paquette       NumOutlined++;
863596f483aSJessica Paquette     }
864962b3ae6SJessica Paquette   }
865596f483aSJessica Paquette 
866d34e60caSNicola Zaghen   LLVM_DEBUG(dbgs() << "OutlinedSomething = " << OutlinedSomething << "\n";);
867596f483aSJessica Paquette   return OutlinedSomething;
868596f483aSJessica Paquette }
869596f483aSJessica Paquette 
870050d1ac4SJessica Paquette void MachineOutliner::populateMapper(InstructionMapper &Mapper, Module &M,
871050d1ac4SJessica Paquette                                      MachineModuleInfo &MMI) {
872df82274fSJessica Paquette   // Build instruction mappings for each function in the module. Start by
873df82274fSJessica Paquette   // iterating over each Function in M.
874596f483aSJessica Paquette   for (Function &F : M) {
875596f483aSJessica Paquette 
876df82274fSJessica Paquette     // If there's nothing in F, then there's no reason to try and outline from
877df82274fSJessica Paquette     // it.
878df82274fSJessica Paquette     if (F.empty())
879596f483aSJessica Paquette       continue;
880596f483aSJessica Paquette 
881df82274fSJessica Paquette     // There's something in F. Check if it has a MachineFunction associated with
882df82274fSJessica Paquette     // it.
883df82274fSJessica Paquette     MachineFunction *MF = MMI.getMachineFunction(F);
884596f483aSJessica Paquette 
885df82274fSJessica Paquette     // If it doesn't, then there's nothing to outline from. Move to the next
886df82274fSJessica Paquette     // Function.
887df82274fSJessica Paquette     if (!MF)
888596f483aSJessica Paquette       continue;
889596f483aSJessica Paquette 
890da08078fSEli Friedman     const TargetInstrInfo *TII = MF->getSubtarget().getInstrInfo();
891da08078fSEli Friedman 
8928bda1881SJessica Paquette     if (!RunOnAllFunctions && !TII->shouldOutlineFromFunctionByDefault(*MF))
8938bda1881SJessica Paquette       continue;
8948bda1881SJessica Paquette 
895df82274fSJessica Paquette     // We have a MachineFunction. Ask the target if it's suitable for outlining.
896df82274fSJessica Paquette     // If it isn't, then move on to the next Function in the module.
897df82274fSJessica Paquette     if (!TII->isFunctionSafeToOutlineFrom(*MF, OutlineFromLinkOnceODRs))
898df82274fSJessica Paquette       continue;
899df82274fSJessica Paquette 
900df82274fSJessica Paquette     // We have a function suitable for outlining. Iterate over every
901df82274fSJessica Paquette     // MachineBasicBlock in MF and try to map its instructions to a list of
902df82274fSJessica Paquette     // unsigned integers.
903df82274fSJessica Paquette     for (MachineBasicBlock &MBB : *MF) {
904df82274fSJessica Paquette       // If there isn't anything in MBB, then there's no point in outlining from
905df82274fSJessica Paquette       // it.
906b320ca26SJessica Paquette       // If there are fewer than 2 instructions in the MBB, then it can't ever
907b320ca26SJessica Paquette       // contain something worth outlining.
908b320ca26SJessica Paquette       // FIXME: This should be based off of the maximum size in B of an outlined
909b320ca26SJessica Paquette       // call versus the size in B of the MBB.
910b320ca26SJessica Paquette       if (MBB.empty() || MBB.size() < 2)
911df82274fSJessica Paquette         continue;
912df82274fSJessica Paquette 
913df82274fSJessica Paquette       // Check if MBB could be the target of an indirect branch. If it is, then
914df82274fSJessica Paquette       // we don't want to outline from it.
915df82274fSJessica Paquette       if (MBB.hasAddressTaken())
916df82274fSJessica Paquette         continue;
917df82274fSJessica Paquette 
918df82274fSJessica Paquette       // MBB is suitable for outlining. Map it to a list of unsigneds.
919da08078fSEli Friedman       Mapper.convertToUnsignedVec(MBB, *TII);
920596f483aSJessica Paquette     }
92112389e37SJessica Paquette 
92212389e37SJessica Paquette     // Statistics.
92312389e37SJessica Paquette     UnsignedVecSize = Mapper.UnsignedVec.size();
924596f483aSJessica Paquette   }
925050d1ac4SJessica Paquette }
926050d1ac4SJessica Paquette 
9272386eab3SJessica Paquette void MachineOutliner::initSizeRemarkInfo(
9282386eab3SJessica Paquette     const Module &M, const MachineModuleInfo &MMI,
9292386eab3SJessica Paquette     StringMap<unsigned> &FunctionToInstrCount) {
9302386eab3SJessica Paquette   // Collect instruction counts for every function. We'll use this to emit
9312386eab3SJessica Paquette   // per-function size remarks later.
9322386eab3SJessica Paquette   for (const Function &F : M) {
9332386eab3SJessica Paquette     MachineFunction *MF = MMI.getMachineFunction(F);
9342386eab3SJessica Paquette 
9352386eab3SJessica Paquette     // We only care about MI counts here. If there's no MachineFunction at this
9362386eab3SJessica Paquette     // point, then there won't be after the outliner runs, so let's move on.
9372386eab3SJessica Paquette     if (!MF)
9382386eab3SJessica Paquette       continue;
9392386eab3SJessica Paquette     FunctionToInstrCount[F.getName().str()] = MF->getInstructionCount();
9402386eab3SJessica Paquette   }
9412386eab3SJessica Paquette }
9422386eab3SJessica Paquette 
9432386eab3SJessica Paquette void MachineOutliner::emitInstrCountChangedRemark(
9442386eab3SJessica Paquette     const Module &M, const MachineModuleInfo &MMI,
9452386eab3SJessica Paquette     const StringMap<unsigned> &FunctionToInstrCount) {
9462386eab3SJessica Paquette   // Iterate over each function in the module and emit remarks.
9472386eab3SJessica Paquette   // Note that we won't miss anything by doing this, because the outliner never
9482386eab3SJessica Paquette   // deletes functions.
9492386eab3SJessica Paquette   for (const Function &F : M) {
9502386eab3SJessica Paquette     MachineFunction *MF = MMI.getMachineFunction(F);
9512386eab3SJessica Paquette 
9522386eab3SJessica Paquette     // The outliner never deletes functions. If we don't have a MF here, then we
9532386eab3SJessica Paquette     // didn't have one prior to outlining either.
9542386eab3SJessica Paquette     if (!MF)
9552386eab3SJessica Paquette       continue;
9562386eab3SJessica Paquette 
957adcd0268SBenjamin Kramer     std::string Fname = std::string(F.getName());
9582386eab3SJessica Paquette     unsigned FnCountAfter = MF->getInstructionCount();
9592386eab3SJessica Paquette     unsigned FnCountBefore = 0;
9602386eab3SJessica Paquette 
9612386eab3SJessica Paquette     // Check if the function was recorded before.
9622386eab3SJessica Paquette     auto It = FunctionToInstrCount.find(Fname);
9632386eab3SJessica Paquette 
9642386eab3SJessica Paquette     // Did we have a previously-recorded size? If yes, then set FnCountBefore
9652386eab3SJessica Paquette     // to that.
9662386eab3SJessica Paquette     if (It != FunctionToInstrCount.end())
9672386eab3SJessica Paquette       FnCountBefore = It->second;
9682386eab3SJessica Paquette 
9692386eab3SJessica Paquette     // Compute the delta and emit a remark if there was a change.
9702386eab3SJessica Paquette     int64_t FnDelta = static_cast<int64_t>(FnCountAfter) -
9712386eab3SJessica Paquette                       static_cast<int64_t>(FnCountBefore);
9722386eab3SJessica Paquette     if (FnDelta == 0)
9732386eab3SJessica Paquette       continue;
9742386eab3SJessica Paquette 
9752386eab3SJessica Paquette     MachineOptimizationRemarkEmitter MORE(*MF, nullptr);
9762386eab3SJessica Paquette     MORE.emit([&]() {
9772386eab3SJessica Paquette       MachineOptimizationRemarkAnalysis R("size-info", "FunctionMISizeChange",
9786b7615aeSPuyan Lotfi                                           DiagnosticLocation(), &MF->front());
9792386eab3SJessica Paquette       R << DiagnosticInfoOptimizationBase::Argument("Pass", "Machine Outliner")
9802386eab3SJessica Paquette         << ": Function: "
9812386eab3SJessica Paquette         << DiagnosticInfoOptimizationBase::Argument("Function", F.getName())
9822386eab3SJessica Paquette         << ": MI instruction count changed from "
9832386eab3SJessica Paquette         << DiagnosticInfoOptimizationBase::Argument("MIInstrsBefore",
9842386eab3SJessica Paquette                                                     FnCountBefore)
9852386eab3SJessica Paquette         << " to "
9862386eab3SJessica Paquette         << DiagnosticInfoOptimizationBase::Argument("MIInstrsAfter",
9872386eab3SJessica Paquette                                                     FnCountAfter)
9882386eab3SJessica Paquette         << "; Delta: "
9892386eab3SJessica Paquette         << DiagnosticInfoOptimizationBase::Argument("Delta", FnDelta);
9902386eab3SJessica Paquette       return R;
9912386eab3SJessica Paquette     });
9922386eab3SJessica Paquette   }
9932386eab3SJessica Paquette }
9942386eab3SJessica Paquette 
995ffd5e121SPuyan Lotfi bool MachineOutliner::runOnModule(Module &M) {
996050d1ac4SJessica Paquette   // Check if there's anything in the module. If it's empty, then there's
997050d1ac4SJessica Paquette   // nothing to outline.
998050d1ac4SJessica Paquette   if (M.empty())
999050d1ac4SJessica Paquette     return false;
1000050d1ac4SJessica Paquette 
1001a51fc8ddSPuyan Lotfi   // Number to append to the current outlined function.
1002a51fc8ddSPuyan Lotfi   unsigned OutlinedFunctionNum = 0;
1003a51fc8ddSPuyan Lotfi 
1004ffd5e121SPuyan Lotfi   OutlineRepeatedNum = 0;
1005a51fc8ddSPuyan Lotfi   if (!doOutline(M, OutlinedFunctionNum))
1006a51fc8ddSPuyan Lotfi     return false;
1007ffd5e121SPuyan Lotfi 
1008ffd5e121SPuyan Lotfi   for (unsigned I = 0; I < OutlinerReruns; ++I) {
1009ffd5e121SPuyan Lotfi     OutlinedFunctionNum = 0;
1010ffd5e121SPuyan Lotfi     OutlineRepeatedNum++;
1011ffd5e121SPuyan Lotfi     if (!doOutline(M, OutlinedFunctionNum)) {
1012ffd5e121SPuyan Lotfi       LLVM_DEBUG({
1013ffd5e121SPuyan Lotfi         dbgs() << "Did not outline on iteration " << I + 2 << " out of "
1014ffd5e121SPuyan Lotfi                << OutlinerReruns + 1 << "\n";
1015ffd5e121SPuyan Lotfi       });
1016ffd5e121SPuyan Lotfi       break;
1017ffd5e121SPuyan Lotfi     }
1018ffd5e121SPuyan Lotfi   }
1019ffd5e121SPuyan Lotfi 
1020a51fc8ddSPuyan Lotfi   return true;
1021a51fc8ddSPuyan Lotfi }
1022a51fc8ddSPuyan Lotfi 
1023a51fc8ddSPuyan Lotfi bool MachineOutliner::doOutline(Module &M, unsigned &OutlinedFunctionNum) {
1024cc382cf7SYuanfang Chen   MachineModuleInfo &MMI = getAnalysis<MachineModuleInfoWrapperPass>().getMMI();
1025050d1ac4SJessica Paquette 
1026050d1ac4SJessica Paquette   // If the user passed -enable-machine-outliner=always or
1027050d1ac4SJessica Paquette   // -enable-machine-outliner, the pass will run on all functions in the module.
1028050d1ac4SJessica Paquette   // Otherwise, if the target supports default outlining, it will run on all
1029050d1ac4SJessica Paquette   // functions deemed by the target to be worth outlining from by default. Tell
1030050d1ac4SJessica Paquette   // the user how the outliner is running.
10316b7615aeSPuyan Lotfi   LLVM_DEBUG({
1032050d1ac4SJessica Paquette     dbgs() << "Machine Outliner: Running on ";
1033050d1ac4SJessica Paquette     if (RunOnAllFunctions)
1034050d1ac4SJessica Paquette       dbgs() << "all functions";
1035050d1ac4SJessica Paquette     else
1036050d1ac4SJessica Paquette       dbgs() << "target-default functions";
10376b7615aeSPuyan Lotfi     dbgs() << "\n";
10386b7615aeSPuyan Lotfi   });
1039050d1ac4SJessica Paquette 
1040050d1ac4SJessica Paquette   // If the user specifies that they want to outline from linkonceodrs, set
1041050d1ac4SJessica Paquette   // it here.
1042050d1ac4SJessica Paquette   OutlineFromLinkOnceODRs = EnableLinkOnceODROutlining;
1043050d1ac4SJessica Paquette   InstructionMapper Mapper;
1044050d1ac4SJessica Paquette 
1045050d1ac4SJessica Paquette   // Prepare instruction mappings for the suffix tree.
1046050d1ac4SJessica Paquette   populateMapper(Mapper, M, MMI);
1047596f483aSJessica Paquette   std::vector<OutlinedFunction> FunctionList;
1048596f483aSJessica Paquette 
1049acffa28cSJessica Paquette   // Find all of the outlining candidates.
1050ce3a2dcfSJessica Paquette   findCandidates(Mapper, FunctionList);
1051596f483aSJessica Paquette 
10522386eab3SJessica Paquette   // If we've requested size remarks, then collect the MI counts of every
10532386eab3SJessica Paquette   // function before outlining, and the MI counts after outlining.
10542386eab3SJessica Paquette   // FIXME: This shouldn't be in the outliner at all; it should ultimately be
10552386eab3SJessica Paquette   // the pass manager's responsibility.
10562386eab3SJessica Paquette   // This could pretty easily be placed in outline instead, but because we
10572386eab3SJessica Paquette   // really ultimately *don't* want this here, it's done like this for now
10582386eab3SJessica Paquette   // instead.
10592386eab3SJessica Paquette 
10602386eab3SJessica Paquette   // Check if we want size remarks.
10612386eab3SJessica Paquette   bool ShouldEmitSizeRemarks = M.shouldEmitInstrCountChangedRemark();
10622386eab3SJessica Paquette   StringMap<unsigned> FunctionToInstrCount;
10632386eab3SJessica Paquette   if (ShouldEmitSizeRemarks)
10642386eab3SJessica Paquette     initSizeRemarkInfo(M, MMI, FunctionToInstrCount);
10652386eab3SJessica Paquette 
1066acffa28cSJessica Paquette   // Outline each of the candidates and return true if something was outlined.
1067a51fc8ddSPuyan Lotfi   bool OutlinedSomething =
1068a51fc8ddSPuyan Lotfi       outline(M, FunctionList, Mapper, OutlinedFunctionNum);
1069729e6869SJessica Paquette 
10702386eab3SJessica Paquette   // If we outlined something, we definitely changed the MI count of the
10712386eab3SJessica Paquette   // module. If we've asked for size remarks, then output them.
10722386eab3SJessica Paquette   // FIXME: This should be in the pass manager.
10732386eab3SJessica Paquette   if (ShouldEmitSizeRemarks && OutlinedSomething)
10742386eab3SJessica Paquette     emitInstrCountChangedRemark(M, MMI, FunctionToInstrCount);
10752386eab3SJessica Paquette 
1076ffd5e121SPuyan Lotfi   LLVM_DEBUG({
1077ffd5e121SPuyan Lotfi     if (!OutlinedSomething)
1078ffd5e121SPuyan Lotfi       dbgs() << "Stopped outlining at iteration " << OutlineRepeatedNum
1079ffd5e121SPuyan Lotfi              << " because no changes were found.\n";
1080ffd5e121SPuyan Lotfi   });
1081ffd5e121SPuyan Lotfi 
1082729e6869SJessica Paquette   return OutlinedSomething;
1083596f483aSJessica Paquette }
1084