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 
85596f483aSJessica Paquette STATISTIC(NumOutlined, "Number of candidates outlined");
86596f483aSJessica Paquette STATISTIC(FunctionsCreated, "Number of functions created");
87596f483aSJessica Paquette 
881eca23bdSJessica Paquette // Set to true if the user wants the outliner to run on linkonceodr linkage
891eca23bdSJessica Paquette // functions. This is false by default because the linker can dedupe linkonceodr
901eca23bdSJessica Paquette // functions. Since the outliner is confined to a single module (modulo LTO),
911eca23bdSJessica Paquette // this is off by default. It should, however, be the default behaviour in
921eca23bdSJessica Paquette // LTO.
931eca23bdSJessica Paquette static cl::opt<bool> EnableLinkOnceODROutlining(
946b7615aeSPuyan Lotfi     "enable-linkonceodr-outlining", cl::Hidden,
951eca23bdSJessica Paquette     cl::desc("Enable the machine outliner on linkonceodr functions"),
961eca23bdSJessica Paquette     cl::init(false));
971eca23bdSJessica Paquette 
98ffd5e121SPuyan Lotfi /// Number of times to re-run the outliner. This is not the total number of runs
99ffd5e121SPuyan Lotfi /// as the outliner will run at least one time. The default value is set to 0,
100ffd5e121SPuyan Lotfi /// meaning the outliner will run one time and rerun zero times after that.
101ffd5e121SPuyan Lotfi static cl::opt<unsigned> OutlinerReruns(
102ffd5e121SPuyan Lotfi     "machine-outliner-reruns", cl::init(0), cl::Hidden,
103ffd5e121SPuyan Lotfi     cl::desc(
104ffd5e121SPuyan Lotfi         "Number of times to rerun the outliner after the initial outline"));
1050d896278SJin Lin 
106596f483aSJessica Paquette namespace {
107596f483aSJessica Paquette 
1085f8f34e4SAdrian Prantl /// Maps \p MachineInstrs to unsigned integers and stores the mappings.
109596f483aSJessica Paquette struct InstructionMapper {
110596f483aSJessica Paquette 
1115f8f34e4SAdrian Prantl   /// The next available integer to assign to a \p MachineInstr that
112596f483aSJessica Paquette   /// cannot be outlined.
113596f483aSJessica Paquette   ///
114596f483aSJessica Paquette   /// Set to -3 for compatability with \p DenseMapInfo<unsigned>.
115596f483aSJessica Paquette   unsigned IllegalInstrNumber = -3;
116596f483aSJessica Paquette 
1175f8f34e4SAdrian Prantl   /// The next available integer to assign to a \p MachineInstr that can
118596f483aSJessica Paquette   /// be outlined.
119596f483aSJessica Paquette   unsigned LegalInstrNumber = 0;
120596f483aSJessica Paquette 
121596f483aSJessica Paquette   /// Correspondence from \p MachineInstrs to unsigned integers.
122596f483aSJessica Paquette   DenseMap<MachineInstr *, unsigned, MachineInstrExpressionTrait>
123596f483aSJessica Paquette       InstructionIntegerMap;
124596f483aSJessica Paquette 
125cad864d4SJessica Paquette   /// Correspondence between \p MachineBasicBlocks and target-defined flags.
126cad864d4SJessica Paquette   DenseMap<MachineBasicBlock *, unsigned> MBBFlagsMap;
127cad864d4SJessica Paquette 
128596f483aSJessica Paquette   /// The vector of unsigned integers that the module is mapped to.
129596f483aSJessica Paquette   std::vector<unsigned> UnsignedVec;
130596f483aSJessica Paquette 
1315f8f34e4SAdrian Prantl   /// Stores the location of the instruction associated with the integer
132596f483aSJessica Paquette   /// at index i in \p UnsignedVec for each index i.
133596f483aSJessica Paquette   std::vector<MachineBasicBlock::iterator> InstrList;
134596f483aSJessica Paquette 
135c991cf36SJessica Paquette   // Set if we added an illegal number in the previous step.
136c991cf36SJessica Paquette   // Since each illegal number is unique, we only need one of them between
137c991cf36SJessica Paquette   // each range of legal numbers. This lets us make sure we don't add more
138c991cf36SJessica Paquette   // than one illegal number per range.
139c991cf36SJessica Paquette   bool AddedIllegalLastTime = false;
140c991cf36SJessica Paquette 
1415f8f34e4SAdrian Prantl   /// Maps \p *It to a legal integer.
142596f483aSJessica Paquette   ///
143c4cf775aSJessica Paquette   /// Updates \p CanOutlineWithPrevInstr, \p HaveLegalRange, \p InstrListForMBB,
144ca3ed964SJessica Paquette   /// \p UnsignedVecForMBB, \p InstructionIntegerMap, and \p LegalInstrNumber.
145596f483aSJessica Paquette   ///
146596f483aSJessica Paquette   /// \returns The integer that \p *It was mapped to.
147267d266cSJessica Paquette   unsigned mapToLegalUnsigned(
148c4cf775aSJessica Paquette       MachineBasicBlock::iterator &It, bool &CanOutlineWithPrevInstr,
149c4cf775aSJessica Paquette       bool &HaveLegalRange, unsigned &NumLegalInBlock,
150267d266cSJessica Paquette       std::vector<unsigned> &UnsignedVecForMBB,
151267d266cSJessica Paquette       std::vector<MachineBasicBlock::iterator> &InstrListForMBB) {
152c991cf36SJessica Paquette     // We added something legal, so we should unset the AddedLegalLastTime
153c991cf36SJessica Paquette     // flag.
154c991cf36SJessica Paquette     AddedIllegalLastTime = false;
155596f483aSJessica Paquette 
156c4cf775aSJessica Paquette     // If we have at least two adjacent legal instructions (which may have
157c4cf775aSJessica Paquette     // invisible instructions in between), remember that.
158c4cf775aSJessica Paquette     if (CanOutlineWithPrevInstr)
159c4cf775aSJessica Paquette       HaveLegalRange = true;
160c4cf775aSJessica Paquette     CanOutlineWithPrevInstr = true;
161c4cf775aSJessica Paquette 
162267d266cSJessica Paquette     // Keep track of the number of legal instructions we insert.
163267d266cSJessica Paquette     NumLegalInBlock++;
164267d266cSJessica Paquette 
165596f483aSJessica Paquette     // Get the integer for this instruction or give it the current
166596f483aSJessica Paquette     // LegalInstrNumber.
167267d266cSJessica Paquette     InstrListForMBB.push_back(It);
168596f483aSJessica Paquette     MachineInstr &MI = *It;
169596f483aSJessica Paquette     bool WasInserted;
170596f483aSJessica Paquette     DenseMap<MachineInstr *, unsigned, MachineInstrExpressionTrait>::iterator
171596f483aSJessica Paquette         ResultIt;
172596f483aSJessica Paquette     std::tie(ResultIt, WasInserted) =
173596f483aSJessica Paquette         InstructionIntegerMap.insert(std::make_pair(&MI, LegalInstrNumber));
174596f483aSJessica Paquette     unsigned MINumber = ResultIt->second;
175596f483aSJessica Paquette 
176596f483aSJessica Paquette     // There was an insertion.
177ca3ed964SJessica Paquette     if (WasInserted)
178596f483aSJessica Paquette       LegalInstrNumber++;
179596f483aSJessica Paquette 
180267d266cSJessica Paquette     UnsignedVecForMBB.push_back(MINumber);
181596f483aSJessica Paquette 
182596f483aSJessica Paquette     // Make sure we don't overflow or use any integers reserved by the DenseMap.
183596f483aSJessica Paquette     if (LegalInstrNumber >= IllegalInstrNumber)
184596f483aSJessica Paquette       report_fatal_error("Instruction mapping overflow!");
185596f483aSJessica Paquette 
18678681be2SJessica Paquette     assert(LegalInstrNumber != DenseMapInfo<unsigned>::getEmptyKey() &&
18778681be2SJessica Paquette            "Tried to assign DenseMap tombstone or empty key to instruction.");
18878681be2SJessica Paquette     assert(LegalInstrNumber != DenseMapInfo<unsigned>::getTombstoneKey() &&
18978681be2SJessica Paquette            "Tried to assign DenseMap tombstone or empty key to instruction.");
190596f483aSJessica Paquette 
191596f483aSJessica Paquette     return MINumber;
192596f483aSJessica Paquette   }
193596f483aSJessica Paquette 
194596f483aSJessica Paquette   /// Maps \p *It to an illegal integer.
195596f483aSJessica Paquette   ///
196267d266cSJessica Paquette   /// Updates \p InstrListForMBB, \p UnsignedVecForMBB, and \p
197267d266cSJessica Paquette   /// IllegalInstrNumber.
198596f483aSJessica Paquette   ///
199596f483aSJessica Paquette   /// \returns The integer that \p *It was mapped to.
2006b7615aeSPuyan Lotfi   unsigned mapToIllegalUnsigned(
2016b7615aeSPuyan Lotfi       MachineBasicBlock::iterator &It, bool &CanOutlineWithPrevInstr,
2026b7615aeSPuyan Lotfi       std::vector<unsigned> &UnsignedVecForMBB,
203267d266cSJessica Paquette       std::vector<MachineBasicBlock::iterator> &InstrListForMBB) {
204c4cf775aSJessica Paquette     // Can't outline an illegal instruction. Set the flag.
205c4cf775aSJessica Paquette     CanOutlineWithPrevInstr = false;
206c4cf775aSJessica Paquette 
207c991cf36SJessica Paquette     // Only add one illegal number per range of legal numbers.
208c991cf36SJessica Paquette     if (AddedIllegalLastTime)
209c991cf36SJessica Paquette       return IllegalInstrNumber;
210c991cf36SJessica Paquette 
211c991cf36SJessica Paquette     // Remember that we added an illegal number last time.
212c991cf36SJessica Paquette     AddedIllegalLastTime = true;
213596f483aSJessica Paquette     unsigned MINumber = IllegalInstrNumber;
214596f483aSJessica Paquette 
215267d266cSJessica Paquette     InstrListForMBB.push_back(It);
216267d266cSJessica Paquette     UnsignedVecForMBB.push_back(IllegalInstrNumber);
217596f483aSJessica Paquette     IllegalInstrNumber--;
218596f483aSJessica Paquette 
219596f483aSJessica Paquette     assert(LegalInstrNumber < IllegalInstrNumber &&
220596f483aSJessica Paquette            "Instruction mapping overflow!");
221596f483aSJessica Paquette 
22278681be2SJessica Paquette     assert(IllegalInstrNumber != DenseMapInfo<unsigned>::getEmptyKey() &&
223596f483aSJessica Paquette            "IllegalInstrNumber cannot be DenseMap tombstone or empty key!");
224596f483aSJessica Paquette 
22578681be2SJessica Paquette     assert(IllegalInstrNumber != DenseMapInfo<unsigned>::getTombstoneKey() &&
226596f483aSJessica Paquette            "IllegalInstrNumber cannot be DenseMap tombstone or empty key!");
227596f483aSJessica Paquette 
228596f483aSJessica Paquette     return MINumber;
229596f483aSJessica Paquette   }
230596f483aSJessica Paquette 
2315f8f34e4SAdrian Prantl   /// Transforms a \p MachineBasicBlock into a \p vector of \p unsigneds
232596f483aSJessica Paquette   /// and appends it to \p UnsignedVec and \p InstrList.
233596f483aSJessica Paquette   ///
234596f483aSJessica Paquette   /// Two instructions are assigned the same integer if they are identical.
235596f483aSJessica Paquette   /// If an instruction is deemed unsafe to outline, then it will be assigned an
236596f483aSJessica Paquette   /// unique integer. The resulting mapping is placed into a suffix tree and
237596f483aSJessica Paquette   /// queried for candidates.
238596f483aSJessica Paquette   ///
239596f483aSJessica Paquette   /// \param MBB The \p MachineBasicBlock to be translated into integers.
240da08078fSEli Friedman   /// \param TII \p TargetInstrInfo for the function.
241596f483aSJessica Paquette   void convertToUnsignedVec(MachineBasicBlock &MBB,
242596f483aSJessica Paquette                             const TargetInstrInfo &TII) {
2433635c890SAlexander Kornienko     unsigned Flags = 0;
24482d9c0a3SJessica Paquette 
24582d9c0a3SJessica Paquette     // Don't even map in this case.
24682d9c0a3SJessica Paquette     if (!TII.isMBBSafeToOutlineFrom(MBB, Flags))
24782d9c0a3SJessica Paquette       return;
24882d9c0a3SJessica Paquette 
249cad864d4SJessica Paquette     // Store info for the MBB for later outlining.
250cad864d4SJessica Paquette     MBBFlagsMap[&MBB] = Flags;
251cad864d4SJessica Paquette 
252c991cf36SJessica Paquette     MachineBasicBlock::iterator It = MBB.begin();
253267d266cSJessica Paquette 
254267d266cSJessica Paquette     // The number of instructions in this block that will be considered for
255267d266cSJessica Paquette     // outlining.
256267d266cSJessica Paquette     unsigned NumLegalInBlock = 0;
257267d266cSJessica Paquette 
258c4cf775aSJessica Paquette     // True if we have at least two legal instructions which aren't separated
259c4cf775aSJessica Paquette     // by an illegal instruction.
260c4cf775aSJessica Paquette     bool HaveLegalRange = false;
261c4cf775aSJessica Paquette 
262c4cf775aSJessica Paquette     // True if we can perform outlining given the last mapped (non-invisible)
263c4cf775aSJessica Paquette     // instruction. This lets us know if we have a legal range.
264c4cf775aSJessica Paquette     bool CanOutlineWithPrevInstr = false;
265c4cf775aSJessica Paquette 
266267d266cSJessica Paquette     // FIXME: Should this all just be handled in the target, rather than using
267267d266cSJessica Paquette     // repeated calls to getOutliningType?
268267d266cSJessica Paquette     std::vector<unsigned> UnsignedVecForMBB;
269267d266cSJessica Paquette     std::vector<MachineBasicBlock::iterator> InstrListForMBB;
270267d266cSJessica Paquette 
27176166a1aSSimon Pilgrim     for (MachineBasicBlock::iterator Et = MBB.end(); It != Et; ++It) {
272596f483aSJessica Paquette       // Keep track of where this instruction is in the module.
2733291e735SJessica Paquette       switch (TII.getOutliningType(It, Flags)) {
274aa087327SJessica Paquette       case InstrType::Illegal:
2756b7615aeSPuyan Lotfi         mapToIllegalUnsigned(It, CanOutlineWithPrevInstr, UnsignedVecForMBB,
2766b7615aeSPuyan Lotfi                              InstrListForMBB);
277596f483aSJessica Paquette         break;
278596f483aSJessica Paquette 
279aa087327SJessica Paquette       case InstrType::Legal:
280c4cf775aSJessica Paquette         mapToLegalUnsigned(It, CanOutlineWithPrevInstr, HaveLegalRange,
281c4cf775aSJessica Paquette                            NumLegalInBlock, UnsignedVecForMBB, InstrListForMBB);
282596f483aSJessica Paquette         break;
283596f483aSJessica Paquette 
284aa087327SJessica Paquette       case InstrType::LegalTerminator:
285c4cf775aSJessica Paquette         mapToLegalUnsigned(It, CanOutlineWithPrevInstr, HaveLegalRange,
286c4cf775aSJessica Paquette                            NumLegalInBlock, UnsignedVecForMBB, InstrListForMBB);
287c991cf36SJessica Paquette         // The instruction also acts as a terminator, so we have to record that
288c991cf36SJessica Paquette         // in the string.
289c4cf775aSJessica Paquette         mapToIllegalUnsigned(It, CanOutlineWithPrevInstr, UnsignedVecForMBB,
290c4cf775aSJessica Paquette                              InstrListForMBB);
291042dc9e0SEli Friedman         break;
292042dc9e0SEli Friedman 
293aa087327SJessica Paquette       case InstrType::Invisible:
294c991cf36SJessica Paquette         // Normally this is set by mapTo(Blah)Unsigned, but we just want to
295c991cf36SJessica Paquette         // skip this instruction. So, unset the flag here.
296bd72988cSJessica Paquette         AddedIllegalLastTime = false;
297596f483aSJessica Paquette         break;
298596f483aSJessica Paquette       }
299596f483aSJessica Paquette     }
300596f483aSJessica Paquette 
301267d266cSJessica Paquette     // Are there enough legal instructions in the block for outlining to be
302267d266cSJessica Paquette     // possible?
303c4cf775aSJessica Paquette     if (HaveLegalRange) {
304596f483aSJessica Paquette       // After we're done every insertion, uniquely terminate this part of the
305596f483aSJessica Paquette       // "string". This makes sure we won't match across basic block or function
306596f483aSJessica Paquette       // boundaries since the "end" is encoded uniquely and thus appears in no
307596f483aSJessica Paquette       // repeated substring.
308c4cf775aSJessica Paquette       mapToIllegalUnsigned(It, CanOutlineWithPrevInstr, UnsignedVecForMBB,
309c4cf775aSJessica Paquette                            InstrListForMBB);
3101e3ed091SKazu Hirata       llvm::append_range(InstrList, InstrListForMBB);
3111e3ed091SKazu Hirata       llvm::append_range(UnsignedVec, UnsignedVecForMBB);
312267d266cSJessica Paquette     }
313596f483aSJessica Paquette   }
314596f483aSJessica Paquette 
315596f483aSJessica Paquette   InstructionMapper() {
316596f483aSJessica Paquette     // Make sure that the implementation of DenseMapInfo<unsigned> hasn't
317596f483aSJessica Paquette     // changed.
318596f483aSJessica Paquette     assert(DenseMapInfo<unsigned>::getEmptyKey() == (unsigned)-1 &&
319596f483aSJessica Paquette            "DenseMapInfo<unsigned>'s empty key isn't -1!");
320596f483aSJessica Paquette     assert(DenseMapInfo<unsigned>::getTombstoneKey() == (unsigned)-2 &&
321596f483aSJessica Paquette            "DenseMapInfo<unsigned>'s tombstone key isn't -2!");
322596f483aSJessica Paquette   }
323596f483aSJessica Paquette };
324596f483aSJessica Paquette 
3255f8f34e4SAdrian Prantl /// An interprocedural pass which finds repeated sequences of
326596f483aSJessica Paquette /// instructions and replaces them with calls to functions.
327596f483aSJessica Paquette ///
328596f483aSJessica Paquette /// Each instruction is mapped to an unsigned integer and placed in a string.
329596f483aSJessica Paquette /// The resulting mapping is then placed in a \p SuffixTree. The \p SuffixTree
330596f483aSJessica Paquette /// is then repeatedly queried for repeated sequences of instructions. Each
331596f483aSJessica Paquette /// non-overlapping repeated sequence is then placed in its own
332596f483aSJessica Paquette /// \p MachineFunction and each instance is then replaced with a call to that
333596f483aSJessica Paquette /// function.
334596f483aSJessica Paquette struct MachineOutliner : public ModulePass {
335596f483aSJessica Paquette 
336596f483aSJessica Paquette   static char ID;
337596f483aSJessica Paquette 
3385f8f34e4SAdrian Prantl   /// Set to true if the outliner should consider functions with
33913593843SJessica Paquette   /// linkonceodr linkage.
34013593843SJessica Paquette   bool OutlineFromLinkOnceODRs = false;
34113593843SJessica Paquette 
3420d896278SJin Lin   /// The current repeat number of machine outlining.
3430d896278SJin Lin   unsigned OutlineRepeatedNum = 0;
3440d896278SJin Lin 
3458bda1881SJessica Paquette   /// Set to true if the outliner should run on all functions in the module
3468bda1881SJessica Paquette   /// considered safe for outlining.
3478bda1881SJessica Paquette   /// Set to true by default for compatibility with llc's -run-pass option.
3488bda1881SJessica Paquette   /// Set when the pass is constructed in TargetPassConfig.
3498bda1881SJessica Paquette   bool RunOnAllFunctions = true;
3508bda1881SJessica Paquette 
351596f483aSJessica Paquette   StringRef getPassName() const override { return "Machine Outliner"; }
352596f483aSJessica Paquette 
353596f483aSJessica Paquette   void getAnalysisUsage(AnalysisUsage &AU) const override {
354cc382cf7SYuanfang Chen     AU.addRequired<MachineModuleInfoWrapperPass>();
355cc382cf7SYuanfang Chen     AU.addPreserved<MachineModuleInfoWrapperPass>();
356596f483aSJessica Paquette     AU.setPreservesAll();
357596f483aSJessica Paquette     ModulePass::getAnalysisUsage(AU);
358596f483aSJessica Paquette   }
359596f483aSJessica Paquette 
3601eca23bdSJessica Paquette   MachineOutliner() : ModulePass(ID) {
361596f483aSJessica Paquette     initializeMachineOutlinerPass(*PassRegistry::getPassRegistry());
362596f483aSJessica Paquette   }
363596f483aSJessica Paquette 
3641cc52a00SJessica Paquette   /// Remark output explaining that not outlining a set of candidates would be
3651cc52a00SJessica Paquette   /// better than outlining that set.
3661cc52a00SJessica Paquette   void emitNotOutliningCheaperRemark(
3671cc52a00SJessica Paquette       unsigned StringLen, std::vector<Candidate> &CandidatesForRepeatedSeq,
3681cc52a00SJessica Paquette       OutlinedFunction &OF);
3691cc52a00SJessica Paquette 
37058e706a6SJessica Paquette   /// Remark output explaining that a function was outlined.
37158e706a6SJessica Paquette   void emitOutlinedFunctionRemark(OutlinedFunction &OF);
37258e706a6SJessica Paquette 
373ce3a2dcfSJessica Paquette   /// Find all repeated substrings that satisfy the outlining cost model by
374ce3a2dcfSJessica Paquette   /// constructing a suffix tree.
37578681be2SJessica Paquette   ///
37678681be2SJessica Paquette   /// If a substring appears at least twice, then it must be represented by
3771cc52a00SJessica Paquette   /// an internal node which appears in at least two suffixes. Each suffix
3781cc52a00SJessica Paquette   /// is represented by a leaf node. To do this, we visit each internal node
3791cc52a00SJessica Paquette   /// in the tree, using the leaf children of each internal node. If an
3801cc52a00SJessica Paquette   /// internal node represents a beneficial substring, then we use each of
3811cc52a00SJessica Paquette   /// its leaf children to find the locations of its substring.
38278681be2SJessica Paquette   ///
38378681be2SJessica Paquette   /// \param Mapper Contains outlining mapping information.
3841cc52a00SJessica Paquette   /// \param[out] FunctionList Filled with a list of \p OutlinedFunctions
3851cc52a00SJessica Paquette   /// each type of candidate.
386ce3a2dcfSJessica Paquette   void findCandidates(InstructionMapper &Mapper,
38778681be2SJessica Paquette                       std::vector<OutlinedFunction> &FunctionList);
38878681be2SJessica Paquette 
3894ae3b71dSJessica Paquette   /// Replace the sequences of instructions represented by \p OutlinedFunctions
3904ae3b71dSJessica Paquette   /// with calls to functions.
391596f483aSJessica Paquette   ///
392596f483aSJessica Paquette   /// \param M The module we are outlining from.
393596f483aSJessica Paquette   /// \param FunctionList A list of functions to be inserted into the module.
394596f483aSJessica Paquette   /// \param Mapper Contains the instruction mappings for the module.
3954ae3b71dSJessica Paquette   bool outline(Module &M, std::vector<OutlinedFunction> &FunctionList,
3966b7615aeSPuyan Lotfi                InstructionMapper &Mapper, unsigned &OutlinedFunctionNum);
397596f483aSJessica Paquette 
398596f483aSJessica Paquette   /// Creates a function for \p OF and inserts it into the module.
399e18d6ff0SJessica Paquette   MachineFunction *createOutlinedFunction(Module &M, OutlinedFunction &OF,
400a3eb0facSJessica Paquette                                           InstructionMapper &Mapper,
401a3eb0facSJessica Paquette                                           unsigned Name);
402596f483aSJessica Paquette 
403ffd5e121SPuyan Lotfi   /// Calls 'doOutline()' 1 + OutlinerReruns times.
4047b166d51SJin Lin   bool runOnModule(Module &M) override;
405ab2dcff3SJin Lin 
406596f483aSJessica Paquette   /// Construct a suffix tree on the instructions in \p M and outline repeated
407596f483aSJessica Paquette   /// strings from that tree.
408a51fc8ddSPuyan Lotfi   bool doOutline(Module &M, unsigned &OutlinedFunctionNum);
409aa087327SJessica Paquette 
410aa087327SJessica Paquette   /// Return a DISubprogram for OF if one exists, and null otherwise. Helper
411aa087327SJessica Paquette   /// function for remark emission.
412aa087327SJessica Paquette   DISubprogram *getSubprogramOrNull(const OutlinedFunction &OF) {
413e18d6ff0SJessica Paquette     for (const Candidate &C : OF.Candidates)
4147ad25836SSimon Pilgrim       if (MachineFunction *MF = C.getMF())
4157ad25836SSimon Pilgrim         if (DISubprogram *SP = MF->getFunction().getSubprogram())
416aa087327SJessica Paquette           return SP;
417aa087327SJessica Paquette     return nullptr;
418aa087327SJessica Paquette   }
419050d1ac4SJessica Paquette 
420050d1ac4SJessica Paquette   /// Populate and \p InstructionMapper with instruction-to-integer mappings.
421050d1ac4SJessica Paquette   /// These are used to construct a suffix tree.
422050d1ac4SJessica Paquette   void populateMapper(InstructionMapper &Mapper, Module &M,
423050d1ac4SJessica Paquette                       MachineModuleInfo &MMI);
424596f483aSJessica Paquette 
4252386eab3SJessica Paquette   /// Initialize information necessary to output a size remark.
4262386eab3SJessica Paquette   /// FIXME: This should be handled by the pass manager, not the outliner.
4272386eab3SJessica Paquette   /// FIXME: This is nearly identical to the initSizeRemarkInfo in the legacy
4282386eab3SJessica Paquette   /// pass manager.
4296b7615aeSPuyan Lotfi   void initSizeRemarkInfo(const Module &M, const MachineModuleInfo &MMI,
4302386eab3SJessica Paquette                           StringMap<unsigned> &FunctionToInstrCount);
4312386eab3SJessica Paquette 
4322386eab3SJessica Paquette   /// Emit the remark.
4332386eab3SJessica Paquette   // FIXME: This should be handled by the pass manager, not the outliner.
4346b7615aeSPuyan Lotfi   void
4356b7615aeSPuyan Lotfi   emitInstrCountChangedRemark(const Module &M, const MachineModuleInfo &MMI,
4362386eab3SJessica Paquette                               const StringMap<unsigned> &FunctionToInstrCount);
4372386eab3SJessica Paquette };
438596f483aSJessica Paquette } // Anonymous namespace.
439596f483aSJessica Paquette 
440596f483aSJessica Paquette char MachineOutliner::ID = 0;
441596f483aSJessica Paquette 
442596f483aSJessica Paquette namespace llvm {
4438bda1881SJessica Paquette ModulePass *createMachineOutlinerPass(bool RunOnAllFunctions) {
4448bda1881SJessica Paquette   MachineOutliner *OL = new MachineOutliner();
4458bda1881SJessica Paquette   OL->RunOnAllFunctions = RunOnAllFunctions;
4468bda1881SJessica Paquette   return OL;
44713593843SJessica Paquette }
44813593843SJessica Paquette 
44978681be2SJessica Paquette } // namespace llvm
45078681be2SJessica Paquette 
45178681be2SJessica Paquette INITIALIZE_PASS(MachineOutliner, DEBUG_TYPE, "Machine Function Outliner", false,
45278681be2SJessica Paquette                 false)
45378681be2SJessica Paquette 
4541cc52a00SJessica Paquette void MachineOutliner::emitNotOutliningCheaperRemark(
4551cc52a00SJessica Paquette     unsigned StringLen, std::vector<Candidate> &CandidatesForRepeatedSeq,
4561cc52a00SJessica Paquette     OutlinedFunction &OF) {
457c991cf36SJessica Paquette   // FIXME: Right now, we arbitrarily choose some Candidate from the
458c991cf36SJessica Paquette   // OutlinedFunction. This isn't necessarily fixed, nor does it have to be.
459c991cf36SJessica Paquette   // We should probably sort these by function name or something to make sure
460c991cf36SJessica Paquette   // the remarks are stable.
4611cc52a00SJessica Paquette   Candidate &C = CandidatesForRepeatedSeq.front();
4621cc52a00SJessica Paquette   MachineOptimizationRemarkEmitter MORE(*(C.getMF()), nullptr);
4631cc52a00SJessica Paquette   MORE.emit([&]() {
4641cc52a00SJessica Paquette     MachineOptimizationRemarkMissed R(DEBUG_TYPE, "NotOutliningCheaper",
4651cc52a00SJessica Paquette                                       C.front()->getDebugLoc(), C.getMBB());
4661cc52a00SJessica Paquette     R << "Did not outline " << NV("Length", StringLen) << " instructions"
4671cc52a00SJessica Paquette       << " from " << NV("NumOccurrences", CandidatesForRepeatedSeq.size())
4681cc52a00SJessica Paquette       << " locations."
4691cc52a00SJessica Paquette       << " Bytes from outlining all occurrences ("
4701cc52a00SJessica Paquette       << NV("OutliningCost", OF.getOutliningCost()) << ")"
4711cc52a00SJessica Paquette       << " >= Unoutlined instruction bytes ("
4721cc52a00SJessica Paquette       << NV("NotOutliningCost", OF.getNotOutlinedCost()) << ")"
4731cc52a00SJessica Paquette       << " (Also found at: ";
4741cc52a00SJessica Paquette 
4751cc52a00SJessica Paquette     // Tell the user the other places the candidate was found.
4761cc52a00SJessica Paquette     for (unsigned i = 1, e = CandidatesForRepeatedSeq.size(); i < e; i++) {
4771cc52a00SJessica Paquette       R << NV((Twine("OtherStartLoc") + Twine(i)).str(),
4781cc52a00SJessica Paquette               CandidatesForRepeatedSeq[i].front()->getDebugLoc());
4791cc52a00SJessica Paquette       if (i != e - 1)
4801cc52a00SJessica Paquette         R << ", ";
4811cc52a00SJessica Paquette     }
4821cc52a00SJessica Paquette 
4831cc52a00SJessica Paquette     R << ")";
4841cc52a00SJessica Paquette     return R;
4851cc52a00SJessica Paquette   });
4861cc52a00SJessica Paquette }
4871cc52a00SJessica Paquette 
48858e706a6SJessica Paquette void MachineOutliner::emitOutlinedFunctionRemark(OutlinedFunction &OF) {
48958e706a6SJessica Paquette   MachineBasicBlock *MBB = &*OF.MF->begin();
49058e706a6SJessica Paquette   MachineOptimizationRemarkEmitter MORE(*OF.MF, nullptr);
49158e706a6SJessica Paquette   MachineOptimizationRemark R(DEBUG_TYPE, "OutlinedFunction",
49258e706a6SJessica Paquette                               MBB->findDebugLoc(MBB->begin()), MBB);
49358e706a6SJessica Paquette   R << "Saved " << NV("OutliningBenefit", OF.getBenefit()) << " bytes by "
49434b618bfSJessica Paquette     << "outlining " << NV("Length", OF.getNumInstrs()) << " instructions "
49558e706a6SJessica Paquette     << "from " << NV("NumOccurrences", OF.getOccurrenceCount())
49658e706a6SJessica Paquette     << " locations. "
49758e706a6SJessica Paquette     << "(Found at: ";
49858e706a6SJessica Paquette 
49958e706a6SJessica Paquette   // Tell the user the other places the candidate was found.
50058e706a6SJessica Paquette   for (size_t i = 0, e = OF.Candidates.size(); i < e; i++) {
50158e706a6SJessica Paquette 
50258e706a6SJessica Paquette     R << NV((Twine("StartLoc") + Twine(i)).str(),
503e18d6ff0SJessica Paquette             OF.Candidates[i].front()->getDebugLoc());
50458e706a6SJessica Paquette     if (i != e - 1)
50558e706a6SJessica Paquette       R << ", ";
50658e706a6SJessica Paquette   }
50758e706a6SJessica Paquette 
50858e706a6SJessica Paquette   R << ")";
50958e706a6SJessica Paquette 
51058e706a6SJessica Paquette   MORE.emit(R);
51158e706a6SJessica Paquette }
51258e706a6SJessica Paquette 
5136b7615aeSPuyan Lotfi void MachineOutliner::findCandidates(
5146b7615aeSPuyan Lotfi     InstructionMapper &Mapper, std::vector<OutlinedFunction> &FunctionList) {
51578681be2SJessica Paquette   FunctionList.clear();
516ce3a2dcfSJessica Paquette   SuffixTree ST(Mapper.UnsignedVec);
51778681be2SJessica Paquette 
518fbe7f5e9SDavid Tellenbach   // First, find all of the repeated substrings in the tree of minimum length
5194e54ef88SJessica Paquette   // 2.
520d87f5449SJessica Paquette   std::vector<Candidate> CandidatesForRepeatedSeq;
521d4e7d074SJessica Paquette   for (auto It = ST.begin(), Et = ST.end(); It != Et; ++It) {
522d4e7d074SJessica Paquette     CandidatesForRepeatedSeq.clear();
523d4e7d074SJessica Paquette     SuffixTree::RepeatedSubstring RS = *It;
5244e54ef88SJessica Paquette     unsigned StringLen = RS.Length;
5254e54ef88SJessica Paquette     for (const unsigned &StartIdx : RS.StartIndices) {
52652df8015SJessica Paquette       unsigned EndIdx = StartIdx + StringLen - 1;
52752df8015SJessica Paquette       // Trick: Discard some candidates that would be incompatible with the
52852df8015SJessica Paquette       // ones we've already found for this sequence. This will save us some
52952df8015SJessica Paquette       // work in candidate selection.
53052df8015SJessica Paquette       //
53152df8015SJessica Paquette       // If two candidates overlap, then we can't outline them both. This
53252df8015SJessica Paquette       // happens when we have candidates that look like, say
53352df8015SJessica Paquette       //
53452df8015SJessica Paquette       // AA (where each "A" is an instruction).
53552df8015SJessica Paquette       //
53652df8015SJessica Paquette       // We might have some portion of the module that looks like this:
53752df8015SJessica Paquette       // AAAAAA (6 A's)
53852df8015SJessica Paquette       //
53952df8015SJessica Paquette       // In this case, there are 5 different copies of "AA" in this range, but
54052df8015SJessica Paquette       // at most 3 can be outlined. If only outlining 3 of these is going to
54152df8015SJessica Paquette       // be unbeneficial, then we ought to not bother.
54252df8015SJessica Paquette       //
54352df8015SJessica Paquette       // Note that two things DON'T overlap when they look like this:
54452df8015SJessica Paquette       // start1...end1 .... start2...end2
54552df8015SJessica Paquette       // That is, one must either
54652df8015SJessica Paquette       // * End before the other starts
54752df8015SJessica Paquette       // * Start after the other ends
548*cfeecdf7SKazu Hirata       if (llvm::all_of(CandidatesForRepeatedSeq, [&StartIdx,
549*cfeecdf7SKazu Hirata                                                   &EndIdx](const Candidate &C) {
5504e54ef88SJessica Paquette             return (EndIdx < C.getStartIdx() || StartIdx > C.getEndIdx());
55152df8015SJessica Paquette           })) {
55252df8015SJessica Paquette         // It doesn't overlap with anything, so we can outline it.
55352df8015SJessica Paquette         // Each sequence is over [StartIt, EndIt].
554aa087327SJessica Paquette         // Save the candidate and its location.
555aa087327SJessica Paquette 
55652df8015SJessica Paquette         MachineBasicBlock::iterator StartIt = Mapper.InstrList[StartIdx];
55752df8015SJessica Paquette         MachineBasicBlock::iterator EndIt = Mapper.InstrList[EndIdx];
558cad864d4SJessica Paquette         MachineBasicBlock *MBB = StartIt->getParent();
55952df8015SJessica Paquette 
560aa087327SJessica Paquette         CandidatesForRepeatedSeq.emplace_back(StartIdx, StringLen, StartIt,
561cad864d4SJessica Paquette                                               EndIt, MBB, FunctionList.size(),
562cad864d4SJessica Paquette                                               Mapper.MBBFlagsMap[MBB]);
56352df8015SJessica Paquette       }
564809d708bSJessica Paquette     }
565809d708bSJessica Paquette 
566acc15e12SJessica Paquette     // We've found something we might want to outline.
567acc15e12SJessica Paquette     // Create an OutlinedFunction to store it and check if it'd be beneficial
568acc15e12SJessica Paquette     // to outline.
569ddb039a1SJessica Paquette     if (CandidatesForRepeatedSeq.size() < 2)
570da08078fSEli Friedman       continue;
571da08078fSEli Friedman 
572da08078fSEli Friedman     // Arbitrarily choose a TII from the first candidate.
573da08078fSEli Friedman     // FIXME: Should getOutliningCandidateInfo move to TargetMachine?
574da08078fSEli Friedman     const TargetInstrInfo *TII =
575da08078fSEli Friedman         CandidatesForRepeatedSeq[0].getMF()->getSubtarget().getInstrInfo();
576da08078fSEli Friedman 
5779d93c602SJessica Paquette     OutlinedFunction OF =
578da08078fSEli Friedman         TII->getOutliningCandidateInfo(CandidatesForRepeatedSeq);
5799d93c602SJessica Paquette 
580b2d53c5dSJessica Paquette     // If we deleted too many candidates, then there's nothing worth outlining.
581b2d53c5dSJessica Paquette     // FIXME: This should take target-specified instruction sizes into account.
582b2d53c5dSJessica Paquette     if (OF.Candidates.size() < 2)
5839d93c602SJessica Paquette       continue;
5849d93c602SJessica Paquette 
585ffe4abc5SJessica Paquette     // Is it better to outline this candidate than not?
586f94d1d29SJessica Paquette     if (OF.getBenefit() < 1) {
5871cc52a00SJessica Paquette       emitNotOutliningCheaperRemark(StringLen, CandidatesForRepeatedSeq, OF);
58878681be2SJessica Paquette       continue;
589ffe4abc5SJessica Paquette     }
59078681be2SJessica Paquette 
591acc15e12SJessica Paquette     FunctionList.push_back(OF);
59278681be2SJessica Paquette   }
593596f483aSJessica Paquette }
594596f483aSJessica Paquette 
5956b7615aeSPuyan Lotfi MachineFunction *MachineOutliner::createOutlinedFunction(
5966b7615aeSPuyan Lotfi     Module &M, OutlinedFunction &OF, InstructionMapper &Mapper, unsigned Name) {
597596f483aSJessica Paquette 
598ae6c9403SFangrui Song   // Create the function name. This should be unique.
599a3eb0facSJessica Paquette   // FIXME: We should have a better naming scheme. This should be stable,
600a3eb0facSJessica Paquette   // regardless of changes to the outliner's cost model/traversal order.
6010c4aab27SPuyan Lotfi   std::string FunctionName = "OUTLINED_FUNCTION_";
6020d896278SJin Lin   if (OutlineRepeatedNum > 0)
6030c4aab27SPuyan Lotfi     FunctionName += std::to_string(OutlineRepeatedNum + 1) + "_";
6040c4aab27SPuyan Lotfi   FunctionName += std::to_string(Name);
605596f483aSJessica Paquette 
606596f483aSJessica Paquette   // Create the function using an IR-level function.
607596f483aSJessica Paquette   LLVMContext &C = M.getContext();
608ae6c9403SFangrui Song   Function *F = Function::Create(FunctionType::get(Type::getVoidTy(C), false),
609ae6c9403SFangrui Song                                  Function::ExternalLinkage, FunctionName, M);
610596f483aSJessica Paquette 
611596f483aSJessica Paquette   // NOTE: If this is linkonceodr, then we can take advantage of linker deduping
612596f483aSJessica Paquette   // which gives us better results when we outline from linkonceodr functions.
613d506bf8eSJessica Paquette   F->setLinkage(GlobalValue::InternalLinkage);
614596f483aSJessica Paquette   F->setUnnamedAddr(GlobalValue::UnnamedAddr::Global);
615596f483aSJessica Paquette 
61625bef201SEli Friedman   // Set optsize/minsize, so we don't insert padding between outlined
61725bef201SEli Friedman   // functions.
61825bef201SEli Friedman   F->addFnAttr(Attribute::OptimizeForSize);
61925bef201SEli Friedman   F->addFnAttr(Attribute::MinSize);
62025bef201SEli Friedman 
621e3932eeeSJessica Paquette   // Include target features from an arbitrary candidate for the outlined
622e3932eeeSJessica Paquette   // function. This makes sure the outlined function knows what kinds of
623e3932eeeSJessica Paquette   // instructions are going into it. This is fine, since all parent functions
624e3932eeeSJessica Paquette   // must necessarily support the instructions that are in the outlined region.
625e18d6ff0SJessica Paquette   Candidate &FirstCand = OF.Candidates.front();
62634b618bfSJessica Paquette   const Function &ParentFn = FirstCand.getMF()->getFunction();
627e3932eeeSJessica Paquette   if (ParentFn.hasFnAttribute("target-features"))
628e3932eeeSJessica Paquette     F->addFnAttr(ParentFn.getFnAttribute("target-features"));
629e3932eeeSJessica Paquette 
630ca4c1ad8SDavid Green   // Set nounwind, so we don't generate eh_frame.
631ca4c1ad8SDavid Green   if (llvm::all_of(OF.Candidates, [](const outliner::Candidate &C) {
632ca4c1ad8SDavid Green         return C.getMF()->getFunction().hasFnAttribute(Attribute::NoUnwind);
633ca4c1ad8SDavid Green       }))
634ca4c1ad8SDavid Green     F->addFnAttr(Attribute::NoUnwind);
635ca4c1ad8SDavid Green 
636596f483aSJessica Paquette   BasicBlock *EntryBB = BasicBlock::Create(C, "entry", F);
637596f483aSJessica Paquette   IRBuilder<> Builder(EntryBB);
638596f483aSJessica Paquette   Builder.CreateRetVoid();
639596f483aSJessica Paquette 
640cc382cf7SYuanfang Chen   MachineModuleInfo &MMI = getAnalysis<MachineModuleInfoWrapperPass>().getMMI();
6417bda1958SMatthias Braun   MachineFunction &MF = MMI.getOrCreateMachineFunction(*F);
642596f483aSJessica Paquette   MachineBasicBlock &MBB = *MF.CreateMachineBasicBlock();
643596f483aSJessica Paquette   const TargetSubtargetInfo &STI = MF.getSubtarget();
644596f483aSJessica Paquette   const TargetInstrInfo &TII = *STI.getInstrInfo();
645596f483aSJessica Paquette 
646596f483aSJessica Paquette   // Insert the new function into the module.
647596f483aSJessica Paquette   MF.insert(MF.begin(), &MBB);
648596f483aSJessica Paquette 
6498d5024f7SAndrew Litteken   MachineFunction *OriginalMF = FirstCand.front()->getMF();
6508d5024f7SAndrew Litteken   const std::vector<MCCFIInstruction> &Instrs =
6518d5024f7SAndrew Litteken       OriginalMF->getFrameInstructions();
65234b618bfSJessica Paquette   for (auto I = FirstCand.front(), E = std::next(FirstCand.back()); I != E;
65334b618bfSJessica Paquette        ++I) {
6545b30d9adSMomchil Velikov     if (I->isDebugInstr())
6555b30d9adSMomchil Velikov       continue;
65634b618bfSJessica Paquette     MachineInstr *NewMI = MF.CloneMachineInstr(&*I);
6578d5024f7SAndrew Litteken     if (I->isCFIInstruction()) {
6588d5024f7SAndrew Litteken       unsigned CFIIndex = NewMI->getOperand(0).getCFIIndex();
6598d5024f7SAndrew Litteken       MCCFIInstruction CFI = Instrs[CFIIndex];
6608d5024f7SAndrew Litteken       (void)MF.addFrameInst(CFI);
6618d5024f7SAndrew Litteken     }
662c73c0307SChandler Carruth     NewMI->dropMemRefs(MF);
663596f483aSJessica Paquette 
664596f483aSJessica Paquette     // Don't keep debug information for outlined instructions.
665596f483aSJessica Paquette     NewMI->setDebugLoc(DebugLoc());
666596f483aSJessica Paquette     MBB.insert(MBB.end(), NewMI);
667596f483aSJessica Paquette   }
668596f483aSJessica Paquette 
6691a78b0bdSEli Friedman   // Set normal properties for a late MachineFunction.
6701a78b0bdSEli Friedman   MF.getProperties().reset(MachineFunctionProperties::Property::IsSSA);
6711a78b0bdSEli Friedman   MF.getProperties().set(MachineFunctionProperties::Property::NoPHIs);
6721a78b0bdSEli Friedman   MF.getProperties().set(MachineFunctionProperties::Property::NoVRegs);
6731a78b0bdSEli Friedman   MF.getProperties().set(MachineFunctionProperties::Property::TracksLiveness);
674cc06a782SJessica Paquette   MF.getRegInfo().freezeReservedRegs(MF);
675cc06a782SJessica Paquette 
6761a78b0bdSEli Friedman   // Compute live-in set for outlined fn
6771a78b0bdSEli Friedman   const MachineRegisterInfo &MRI = MF.getRegInfo();
6781a78b0bdSEli Friedman   const TargetRegisterInfo &TRI = *MRI.getTargetRegisterInfo();
6791a78b0bdSEli Friedman   LivePhysRegs LiveIns(TRI);
6801a78b0bdSEli Friedman   for (auto &Cand : OF.Candidates) {
6811a78b0bdSEli Friedman     // Figure out live-ins at the first instruction.
6821a78b0bdSEli Friedman     MachineBasicBlock &OutlineBB = *Cand.front()->getParent();
6831a78b0bdSEli Friedman     LivePhysRegs CandLiveIns(TRI);
6841a78b0bdSEli Friedman     CandLiveIns.addLiveOuts(OutlineBB);
6851a78b0bdSEli Friedman     for (const MachineInstr &MI :
6861a78b0bdSEli Friedman          reverse(make_range(Cand.front(), OutlineBB.end())))
6871a78b0bdSEli Friedman       CandLiveIns.stepBackward(MI);
6881a78b0bdSEli Friedman 
6891a78b0bdSEli Friedman     // The live-in set for the outlined function is the union of the live-ins
6901a78b0bdSEli Friedman     // from all the outlining points.
6911a78b0bdSEli Friedman     for (MCPhysReg Reg : make_range(CandLiveIns.begin(), CandLiveIns.end()))
6921a78b0bdSEli Friedman       LiveIns.addReg(Reg);
6931a78b0bdSEli Friedman   }
6941a78b0bdSEli Friedman   addLiveIns(MBB, LiveIns);
6951a78b0bdSEli Friedman 
6961a78b0bdSEli Friedman   TII.buildOutlinedFrame(MBB, MF, OF);
6971a78b0bdSEli Friedman 
698a499c3c2SJessica Paquette   // If there's a DISubprogram associated with this outlined function, then
699a499c3c2SJessica Paquette   // emit debug info for the outlined function.
700aa087327SJessica Paquette   if (DISubprogram *SP = getSubprogramOrNull(OF)) {
701a499c3c2SJessica Paquette     // We have a DISubprogram. Get its DICompileUnit.
702a499c3c2SJessica Paquette     DICompileUnit *CU = SP->getUnit();
703a499c3c2SJessica Paquette     DIBuilder DB(M, true, CU);
704a499c3c2SJessica Paquette     DIFile *Unit = SP->getFile();
705a499c3c2SJessica Paquette     Mangler Mg;
706a499c3c2SJessica Paquette     // Get the mangled name of the function for the linkage name.
707a499c3c2SJessica Paquette     std::string Dummy;
708a499c3c2SJessica Paquette     llvm::raw_string_ostream MangledNameStream(Dummy);
709a499c3c2SJessica Paquette     Mg.getNameWithPrefix(MangledNameStream, F, false);
710a499c3c2SJessica Paquette 
711cc06a782SJessica Paquette     DISubprogram *OutlinedSP = DB.createFunction(
712a499c3c2SJessica Paquette         Unit /* Context */, F->getName(), StringRef(MangledNameStream.str()),
713a499c3c2SJessica Paquette         Unit /* File */,
714a499c3c2SJessica Paquette         0 /* Line 0 is reserved for compiler-generated code. */,
715cc06a782SJessica Paquette         DB.createSubroutineType(DB.getOrCreateTypeArray(None)), /* void type */
716cda54210SPaul Robinson         0, /* Line 0 is reserved for compiler-generated code. */
717a499c3c2SJessica Paquette         DINode::DIFlags::FlagArtificial /* Compiler-generated code. */,
718cda54210SPaul Robinson         /* Outlined code is optimized code by definition. */
719cda54210SPaul Robinson         DISubprogram::SPFlagDefinition | DISubprogram::SPFlagOptimized);
720a499c3c2SJessica Paquette 
721a499c3c2SJessica Paquette     // Don't add any new variables to the subprogram.
722cc06a782SJessica Paquette     DB.finalizeSubprogram(OutlinedSP);
723a499c3c2SJessica Paquette 
724a499c3c2SJessica Paquette     // Attach subprogram to the function.
725cc06a782SJessica Paquette     F->setSubprogram(OutlinedSP);
726a499c3c2SJessica Paquette     // We're done with the DIBuilder.
727a499c3c2SJessica Paquette     DB.finalize();
728a499c3c2SJessica Paquette   }
729a499c3c2SJessica Paquette 
730596f483aSJessica Paquette   return &MF;
731596f483aSJessica Paquette }
732596f483aSJessica Paquette 
7334ae3b71dSJessica Paquette bool MachineOutliner::outline(Module &M,
7344ae3b71dSJessica Paquette                               std::vector<OutlinedFunction> &FunctionList,
735a51fc8ddSPuyan Lotfi                               InstructionMapper &Mapper,
736a51fc8ddSPuyan Lotfi                               unsigned &OutlinedFunctionNum) {
737596f483aSJessica Paquette 
738596f483aSJessica Paquette   bool OutlinedSomething = false;
739a3eb0facSJessica Paquette 
740962b3ae6SJessica Paquette   // Sort by benefit. The most beneficial functions should be outlined first.
741efd94c56SFangrui Song   llvm::stable_sort(FunctionList, [](const OutlinedFunction &LHS,
742efd94c56SFangrui Song                                      const OutlinedFunction &RHS) {
743962b3ae6SJessica Paquette     return LHS.getBenefit() > RHS.getBenefit();
744962b3ae6SJessica Paquette   });
745596f483aSJessica Paquette 
746962b3ae6SJessica Paquette   // Walk over each function, outlining them as we go along. Functions are
747962b3ae6SJessica Paquette   // outlined greedily, based off the sort above.
748962b3ae6SJessica Paquette   for (OutlinedFunction &OF : FunctionList) {
749962b3ae6SJessica Paquette     // If we outlined something that overlapped with a candidate in a previous
750962b3ae6SJessica Paquette     // step, then we can't outline from it.
751e18d6ff0SJessica Paquette     erase_if(OF.Candidates, [&Mapper](Candidate &C) {
752d9d9309bSJessica Paquette       return std::any_of(
753e18d6ff0SJessica Paquette           Mapper.UnsignedVec.begin() + C.getStartIdx(),
754e18d6ff0SJessica Paquette           Mapper.UnsignedVec.begin() + C.getEndIdx() + 1,
755d9d9309bSJessica Paquette           [](unsigned I) { return (I == static_cast<unsigned>(-1)); });
756235d877eSJessica Paquette     });
757596f483aSJessica Paquette 
758962b3ae6SJessica Paquette     // If we made it unbeneficial to outline this function, skip it.
75985af63d0SJessica Paquette     if (OF.getBenefit() < 1)
760596f483aSJessica Paquette       continue;
761596f483aSJessica Paquette 
762962b3ae6SJessica Paquette     // It's beneficial. Create the function and outline its sequence's
763962b3ae6SJessica Paquette     // occurrences.
764a3eb0facSJessica Paquette     OF.MF = createOutlinedFunction(M, OF, Mapper, OutlinedFunctionNum);
76558e706a6SJessica Paquette     emitOutlinedFunctionRemark(OF);
766acffa28cSJessica Paquette     FunctionsCreated++;
767a3eb0facSJessica Paquette     OutlinedFunctionNum++; // Created a function, move to the next name.
768596f483aSJessica Paquette     MachineFunction *MF = OF.MF;
769596f483aSJessica Paquette     const TargetSubtargetInfo &STI = MF->getSubtarget();
770596f483aSJessica Paquette     const TargetInstrInfo &TII = *STI.getInstrInfo();
771596f483aSJessica Paquette 
772962b3ae6SJessica Paquette     // Replace occurrences of the sequence with calls to the new function.
773e18d6ff0SJessica Paquette     for (Candidate &C : OF.Candidates) {
774962b3ae6SJessica Paquette       MachineBasicBlock &MBB = *C.getMBB();
775962b3ae6SJessica Paquette       MachineBasicBlock::iterator StartIt = C.front();
776962b3ae6SJessica Paquette       MachineBasicBlock::iterator EndIt = C.back();
777596f483aSJessica Paquette 
778962b3ae6SJessica Paquette       // Insert the call.
779962b3ae6SJessica Paquette       auto CallInst = TII.insertOutlinedCall(M, MBB, StartIt, *MF, C);
780962b3ae6SJessica Paquette 
781962b3ae6SJessica Paquette       // If the caller tracks liveness, then we need to make sure that
782962b3ae6SJessica Paquette       // anything we outline doesn't break liveness assumptions. The outlined
783962b3ae6SJessica Paquette       // functions themselves currently don't track liveness, but we should
784962b3ae6SJessica Paquette       // make sure that the ranges we yank things out of aren't wrong.
785aa087327SJessica Paquette       if (MBB.getParent()->getProperties().hasProperty(
7860b672491SJessica Paquette               MachineFunctionProperties::Property::TracksLiveness)) {
787fc6fda90SJin Lin         // The following code is to add implicit def operands to the call
78871d3869fSDjordje Todorovic         // instruction. It also updates call site information for moved
78971d3869fSDjordje Todorovic         // code.
790fc6fda90SJin Lin         SmallSet<Register, 2> UseRegs, DefRegs;
7910b672491SJessica Paquette         // Copy over the defs in the outlined range.
7920b672491SJessica Paquette         // First inst in outlined range <-- Anything that's defined in this
793962b3ae6SJessica Paquette         // ...                           .. range has to be added as an
794962b3ae6SJessica Paquette         // implicit Last inst in outlined range  <-- def to the call
79571d3869fSDjordje Todorovic         // instruction. Also remove call site information for outlined block
796fc6fda90SJin Lin         // of code. The exposed uses need to be copied in the outlined range.
797ffd5e121SPuyan Lotfi         for (MachineBasicBlock::reverse_iterator
798ffd5e121SPuyan Lotfi                  Iter = EndIt.getReverse(),
799fc6fda90SJin Lin                  Last = std::next(CallInst.getReverse());
800fc6fda90SJin Lin              Iter != Last; Iter++) {
801fc6fda90SJin Lin           MachineInstr *MI = &*Iter;
802fc6fda90SJin Lin           for (MachineOperand &MOP : MI->operands()) {
803fc6fda90SJin Lin             // Skip over anything that isn't a register.
804fc6fda90SJin Lin             if (!MOP.isReg())
805fc6fda90SJin Lin               continue;
806fc6fda90SJin Lin 
807fc6fda90SJin Lin             if (MOP.isDef()) {
808fc6fda90SJin Lin               // Introduce DefRegs set to skip the redundant register.
809fc6fda90SJin Lin               DefRegs.insert(MOP.getReg());
810fc6fda90SJin Lin               if (UseRegs.count(MOP.getReg()))
811fc6fda90SJin Lin                 // Since the regiester is modeled as defined,
812fc6fda90SJin Lin                 // it is not necessary to be put in use register set.
813fc6fda90SJin Lin                 UseRegs.erase(MOP.getReg());
814fc6fda90SJin Lin             } else if (!MOP.isUndef()) {
815fc6fda90SJin Lin               // Any register which is not undefined should
816fc6fda90SJin Lin               // be put in the use register set.
817fc6fda90SJin Lin               UseRegs.insert(MOP.getReg());
818fc6fda90SJin Lin             }
819fc6fda90SJin Lin           }
820fc6fda90SJin Lin           if (MI->isCandidateForCallSiteEntry())
821fc6fda90SJin Lin             MI->getMF()->eraseCallSiteInfo(MI);
822fc6fda90SJin Lin         }
823fc6fda90SJin Lin 
824fc6fda90SJin Lin         for (const Register &I : DefRegs)
825fc6fda90SJin Lin           // If it's a def, add it to the call instruction.
826ffd5e121SPuyan Lotfi           CallInst->addOperand(
827ffd5e121SPuyan Lotfi               MachineOperand::CreateReg(I, true, /* isDef = true */
828fc6fda90SJin Lin                                         true /* isImp = true */));
829fc6fda90SJin Lin 
830fc6fda90SJin Lin         for (const Register &I : UseRegs)
831fc6fda90SJin Lin           // If it's a exposed use, add it to the call instruction.
832fc6fda90SJin Lin           CallInst->addOperand(
833fc6fda90SJin Lin               MachineOperand::CreateReg(I, false, /* isDef = false */
834fc6fda90SJin Lin                                         true /* isImp = true */));
8350b672491SJessica Paquette       }
8360b672491SJessica Paquette 
837aa087327SJessica Paquette       // Erase from the point after where the call was inserted up to, and
838aa087327SJessica Paquette       // including, the final instruction in the sequence.
839aa087327SJessica Paquette       // Erase needs one past the end, so we need std::next there too.
840aa087327SJessica Paquette       MBB.erase(std::next(StartIt), std::next(EndIt));
841235d877eSJessica Paquette 
842d9d9309bSJessica Paquette       // Keep track of what we removed by marking them all as -1.
843235d877eSJessica Paquette       std::for_each(Mapper.UnsignedVec.begin() + C.getStartIdx(),
844235d877eSJessica Paquette                     Mapper.UnsignedVec.begin() + C.getEndIdx() + 1,
845d9d9309bSJessica Paquette                     [](unsigned &I) { I = static_cast<unsigned>(-1); });
846596f483aSJessica Paquette       OutlinedSomething = true;
847596f483aSJessica Paquette 
848596f483aSJessica Paquette       // Statistics.
849596f483aSJessica Paquette       NumOutlined++;
850596f483aSJessica Paquette     }
851962b3ae6SJessica Paquette   }
852596f483aSJessica Paquette 
853d34e60caSNicola Zaghen   LLVM_DEBUG(dbgs() << "OutlinedSomething = " << OutlinedSomething << "\n";);
854596f483aSJessica Paquette   return OutlinedSomething;
855596f483aSJessica Paquette }
856596f483aSJessica Paquette 
857050d1ac4SJessica Paquette void MachineOutliner::populateMapper(InstructionMapper &Mapper, Module &M,
858050d1ac4SJessica Paquette                                      MachineModuleInfo &MMI) {
859df82274fSJessica Paquette   // Build instruction mappings for each function in the module. Start by
860df82274fSJessica Paquette   // iterating over each Function in M.
861596f483aSJessica Paquette   for (Function &F : M) {
862596f483aSJessica Paquette 
863df82274fSJessica Paquette     // If there's nothing in F, then there's no reason to try and outline from
864df82274fSJessica Paquette     // it.
865df82274fSJessica Paquette     if (F.empty())
866596f483aSJessica Paquette       continue;
867596f483aSJessica Paquette 
868df82274fSJessica Paquette     // There's something in F. Check if it has a MachineFunction associated with
869df82274fSJessica Paquette     // it.
870df82274fSJessica Paquette     MachineFunction *MF = MMI.getMachineFunction(F);
871596f483aSJessica Paquette 
872df82274fSJessica Paquette     // If it doesn't, then there's nothing to outline from. Move to the next
873df82274fSJessica Paquette     // Function.
874df82274fSJessica Paquette     if (!MF)
875596f483aSJessica Paquette       continue;
876596f483aSJessica Paquette 
877da08078fSEli Friedman     const TargetInstrInfo *TII = MF->getSubtarget().getInstrInfo();
878da08078fSEli Friedman 
8798bda1881SJessica Paquette     if (!RunOnAllFunctions && !TII->shouldOutlineFromFunctionByDefault(*MF))
8808bda1881SJessica Paquette       continue;
8818bda1881SJessica Paquette 
882df82274fSJessica Paquette     // We have a MachineFunction. Ask the target if it's suitable for outlining.
883df82274fSJessica Paquette     // If it isn't, then move on to the next Function in the module.
884df82274fSJessica Paquette     if (!TII->isFunctionSafeToOutlineFrom(*MF, OutlineFromLinkOnceODRs))
885df82274fSJessica Paquette       continue;
886df82274fSJessica Paquette 
887df82274fSJessica Paquette     // We have a function suitable for outlining. Iterate over every
888df82274fSJessica Paquette     // MachineBasicBlock in MF and try to map its instructions to a list of
889df82274fSJessica Paquette     // unsigned integers.
890df82274fSJessica Paquette     for (MachineBasicBlock &MBB : *MF) {
891df82274fSJessica Paquette       // If there isn't anything in MBB, then there's no point in outlining from
892df82274fSJessica Paquette       // it.
893b320ca26SJessica Paquette       // If there are fewer than 2 instructions in the MBB, then it can't ever
894b320ca26SJessica Paquette       // contain something worth outlining.
895b320ca26SJessica Paquette       // FIXME: This should be based off of the maximum size in B of an outlined
896b320ca26SJessica Paquette       // call versus the size in B of the MBB.
897b320ca26SJessica Paquette       if (MBB.empty() || MBB.size() < 2)
898df82274fSJessica Paquette         continue;
899df82274fSJessica Paquette 
900df82274fSJessica Paquette       // Check if MBB could be the target of an indirect branch. If it is, then
901df82274fSJessica Paquette       // we don't want to outline from it.
902df82274fSJessica Paquette       if (MBB.hasAddressTaken())
903df82274fSJessica Paquette         continue;
904df82274fSJessica Paquette 
905df82274fSJessica Paquette       // MBB is suitable for outlining. Map it to a list of unsigneds.
906da08078fSEli Friedman       Mapper.convertToUnsignedVec(MBB, *TII);
907596f483aSJessica Paquette     }
908596f483aSJessica Paquette   }
909050d1ac4SJessica Paquette }
910050d1ac4SJessica Paquette 
9112386eab3SJessica Paquette void MachineOutliner::initSizeRemarkInfo(
9122386eab3SJessica Paquette     const Module &M, const MachineModuleInfo &MMI,
9132386eab3SJessica Paquette     StringMap<unsigned> &FunctionToInstrCount) {
9142386eab3SJessica Paquette   // Collect instruction counts for every function. We'll use this to emit
9152386eab3SJessica Paquette   // per-function size remarks later.
9162386eab3SJessica Paquette   for (const Function &F : M) {
9172386eab3SJessica Paquette     MachineFunction *MF = MMI.getMachineFunction(F);
9182386eab3SJessica Paquette 
9192386eab3SJessica Paquette     // We only care about MI counts here. If there's no MachineFunction at this
9202386eab3SJessica Paquette     // point, then there won't be after the outliner runs, so let's move on.
9212386eab3SJessica Paquette     if (!MF)
9222386eab3SJessica Paquette       continue;
9232386eab3SJessica Paquette     FunctionToInstrCount[F.getName().str()] = MF->getInstructionCount();
9242386eab3SJessica Paquette   }
9252386eab3SJessica Paquette }
9262386eab3SJessica Paquette 
9272386eab3SJessica Paquette void MachineOutliner::emitInstrCountChangedRemark(
9282386eab3SJessica Paquette     const Module &M, const MachineModuleInfo &MMI,
9292386eab3SJessica Paquette     const StringMap<unsigned> &FunctionToInstrCount) {
9302386eab3SJessica Paquette   // Iterate over each function in the module and emit remarks.
9312386eab3SJessica Paquette   // Note that we won't miss anything by doing this, because the outliner never
9322386eab3SJessica Paquette   // deletes functions.
9332386eab3SJessica Paquette   for (const Function &F : M) {
9342386eab3SJessica Paquette     MachineFunction *MF = MMI.getMachineFunction(F);
9352386eab3SJessica Paquette 
9362386eab3SJessica Paquette     // The outliner never deletes functions. If we don't have a MF here, then we
9372386eab3SJessica Paquette     // didn't have one prior to outlining either.
9382386eab3SJessica Paquette     if (!MF)
9392386eab3SJessica Paquette       continue;
9402386eab3SJessica Paquette 
941adcd0268SBenjamin Kramer     std::string Fname = std::string(F.getName());
9422386eab3SJessica Paquette     unsigned FnCountAfter = MF->getInstructionCount();
9432386eab3SJessica Paquette     unsigned FnCountBefore = 0;
9442386eab3SJessica Paquette 
9452386eab3SJessica Paquette     // Check if the function was recorded before.
9462386eab3SJessica Paquette     auto It = FunctionToInstrCount.find(Fname);
9472386eab3SJessica Paquette 
9482386eab3SJessica Paquette     // Did we have a previously-recorded size? If yes, then set FnCountBefore
9492386eab3SJessica Paquette     // to that.
9502386eab3SJessica Paquette     if (It != FunctionToInstrCount.end())
9512386eab3SJessica Paquette       FnCountBefore = It->second;
9522386eab3SJessica Paquette 
9532386eab3SJessica Paquette     // Compute the delta and emit a remark if there was a change.
9542386eab3SJessica Paquette     int64_t FnDelta = static_cast<int64_t>(FnCountAfter) -
9552386eab3SJessica Paquette                       static_cast<int64_t>(FnCountBefore);
9562386eab3SJessica Paquette     if (FnDelta == 0)
9572386eab3SJessica Paquette       continue;
9582386eab3SJessica Paquette 
9592386eab3SJessica Paquette     MachineOptimizationRemarkEmitter MORE(*MF, nullptr);
9602386eab3SJessica Paquette     MORE.emit([&]() {
9612386eab3SJessica Paquette       MachineOptimizationRemarkAnalysis R("size-info", "FunctionMISizeChange",
9626b7615aeSPuyan Lotfi                                           DiagnosticLocation(), &MF->front());
9632386eab3SJessica Paquette       R << DiagnosticInfoOptimizationBase::Argument("Pass", "Machine Outliner")
9642386eab3SJessica Paquette         << ": Function: "
9652386eab3SJessica Paquette         << DiagnosticInfoOptimizationBase::Argument("Function", F.getName())
9662386eab3SJessica Paquette         << ": MI instruction count changed from "
9672386eab3SJessica Paquette         << DiagnosticInfoOptimizationBase::Argument("MIInstrsBefore",
9682386eab3SJessica Paquette                                                     FnCountBefore)
9692386eab3SJessica Paquette         << " to "
9702386eab3SJessica Paquette         << DiagnosticInfoOptimizationBase::Argument("MIInstrsAfter",
9712386eab3SJessica Paquette                                                     FnCountAfter)
9722386eab3SJessica Paquette         << "; Delta: "
9732386eab3SJessica Paquette         << DiagnosticInfoOptimizationBase::Argument("Delta", FnDelta);
9742386eab3SJessica Paquette       return R;
9752386eab3SJessica Paquette     });
9762386eab3SJessica Paquette   }
9772386eab3SJessica Paquette }
9782386eab3SJessica Paquette 
979ffd5e121SPuyan Lotfi bool MachineOutliner::runOnModule(Module &M) {
980050d1ac4SJessica Paquette   // Check if there's anything in the module. If it's empty, then there's
981050d1ac4SJessica Paquette   // nothing to outline.
982050d1ac4SJessica Paquette   if (M.empty())
983050d1ac4SJessica Paquette     return false;
984050d1ac4SJessica Paquette 
985a51fc8ddSPuyan Lotfi   // Number to append to the current outlined function.
986a51fc8ddSPuyan Lotfi   unsigned OutlinedFunctionNum = 0;
987a51fc8ddSPuyan Lotfi 
988ffd5e121SPuyan Lotfi   OutlineRepeatedNum = 0;
989a51fc8ddSPuyan Lotfi   if (!doOutline(M, OutlinedFunctionNum))
990a51fc8ddSPuyan Lotfi     return false;
991ffd5e121SPuyan Lotfi 
992ffd5e121SPuyan Lotfi   for (unsigned I = 0; I < OutlinerReruns; ++I) {
993ffd5e121SPuyan Lotfi     OutlinedFunctionNum = 0;
994ffd5e121SPuyan Lotfi     OutlineRepeatedNum++;
995ffd5e121SPuyan Lotfi     if (!doOutline(M, OutlinedFunctionNum)) {
996ffd5e121SPuyan Lotfi       LLVM_DEBUG({
997ffd5e121SPuyan Lotfi         dbgs() << "Did not outline on iteration " << I + 2 << " out of "
998ffd5e121SPuyan Lotfi                << OutlinerReruns + 1 << "\n";
999ffd5e121SPuyan Lotfi       });
1000ffd5e121SPuyan Lotfi       break;
1001ffd5e121SPuyan Lotfi     }
1002ffd5e121SPuyan Lotfi   }
1003ffd5e121SPuyan Lotfi 
1004a51fc8ddSPuyan Lotfi   return true;
1005a51fc8ddSPuyan Lotfi }
1006a51fc8ddSPuyan Lotfi 
1007a51fc8ddSPuyan Lotfi bool MachineOutliner::doOutline(Module &M, unsigned &OutlinedFunctionNum) {
1008cc382cf7SYuanfang Chen   MachineModuleInfo &MMI = getAnalysis<MachineModuleInfoWrapperPass>().getMMI();
1009050d1ac4SJessica Paquette 
1010050d1ac4SJessica Paquette   // If the user passed -enable-machine-outliner=always or
1011050d1ac4SJessica Paquette   // -enable-machine-outliner, the pass will run on all functions in the module.
1012050d1ac4SJessica Paquette   // Otherwise, if the target supports default outlining, it will run on all
1013050d1ac4SJessica Paquette   // functions deemed by the target to be worth outlining from by default. Tell
1014050d1ac4SJessica Paquette   // the user how the outliner is running.
10156b7615aeSPuyan Lotfi   LLVM_DEBUG({
1016050d1ac4SJessica Paquette     dbgs() << "Machine Outliner: Running on ";
1017050d1ac4SJessica Paquette     if (RunOnAllFunctions)
1018050d1ac4SJessica Paquette       dbgs() << "all functions";
1019050d1ac4SJessica Paquette     else
1020050d1ac4SJessica Paquette       dbgs() << "target-default functions";
10216b7615aeSPuyan Lotfi     dbgs() << "\n";
10226b7615aeSPuyan Lotfi   });
1023050d1ac4SJessica Paquette 
1024050d1ac4SJessica Paquette   // If the user specifies that they want to outline from linkonceodrs, set
1025050d1ac4SJessica Paquette   // it here.
1026050d1ac4SJessica Paquette   OutlineFromLinkOnceODRs = EnableLinkOnceODROutlining;
1027050d1ac4SJessica Paquette   InstructionMapper Mapper;
1028050d1ac4SJessica Paquette 
1029050d1ac4SJessica Paquette   // Prepare instruction mappings for the suffix tree.
1030050d1ac4SJessica Paquette   populateMapper(Mapper, M, MMI);
1031596f483aSJessica Paquette   std::vector<OutlinedFunction> FunctionList;
1032596f483aSJessica Paquette 
1033acffa28cSJessica Paquette   // Find all of the outlining candidates.
1034ce3a2dcfSJessica Paquette   findCandidates(Mapper, FunctionList);
1035596f483aSJessica Paquette 
10362386eab3SJessica Paquette   // If we've requested size remarks, then collect the MI counts of every
10372386eab3SJessica Paquette   // function before outlining, and the MI counts after outlining.
10382386eab3SJessica Paquette   // FIXME: This shouldn't be in the outliner at all; it should ultimately be
10392386eab3SJessica Paquette   // the pass manager's responsibility.
10402386eab3SJessica Paquette   // This could pretty easily be placed in outline instead, but because we
10412386eab3SJessica Paquette   // really ultimately *don't* want this here, it's done like this for now
10422386eab3SJessica Paquette   // instead.
10432386eab3SJessica Paquette 
10442386eab3SJessica Paquette   // Check if we want size remarks.
10452386eab3SJessica Paquette   bool ShouldEmitSizeRemarks = M.shouldEmitInstrCountChangedRemark();
10462386eab3SJessica Paquette   StringMap<unsigned> FunctionToInstrCount;
10472386eab3SJessica Paquette   if (ShouldEmitSizeRemarks)
10482386eab3SJessica Paquette     initSizeRemarkInfo(M, MMI, FunctionToInstrCount);
10492386eab3SJessica Paquette 
1050acffa28cSJessica Paquette   // Outline each of the candidates and return true if something was outlined.
1051a51fc8ddSPuyan Lotfi   bool OutlinedSomething =
1052a51fc8ddSPuyan Lotfi       outline(M, FunctionList, Mapper, OutlinedFunctionNum);
1053729e6869SJessica Paquette 
10542386eab3SJessica Paquette   // If we outlined something, we definitely changed the MI count of the
10552386eab3SJessica Paquette   // module. If we've asked for size remarks, then output them.
10562386eab3SJessica Paquette   // FIXME: This should be in the pass manager.
10572386eab3SJessica Paquette   if (ShouldEmitSizeRemarks && OutlinedSomething)
10582386eab3SJessica Paquette     emitInstrCountChangedRemark(M, MMI, FunctionToInstrCount);
10592386eab3SJessica Paquette 
1060ffd5e121SPuyan Lotfi   LLVM_DEBUG({
1061ffd5e121SPuyan Lotfi     if (!OutlinedSomething)
1062ffd5e121SPuyan Lotfi       dbgs() << "Stopped outlining at iteration " << OutlineRepeatedNum
1063ffd5e121SPuyan Lotfi              << " because no changes were found.\n";
1064ffd5e121SPuyan Lotfi   });
1065ffd5e121SPuyan Lotfi 
1066729e6869SJessica Paquette   return OutlinedSomething;
1067596f483aSJessica Paquette }
1068