blob: 2ff86aaa51cd9f45bf2beaf154bb5798ddf476cd [file] [log] [blame]
Quentin Colombet61b305e2015-05-05 17:38:16 +00001//===-- ShrinkWrap.cpp - Compute safe point for prolog/epilog insertion ---===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// This pass looks for safe point where the prologue and epilogue can be
11// inserted.
12// The safe point for the prologue (resp. epilogue) is called Save
13// (resp. Restore).
14// A point is safe for prologue (resp. epilogue) if and only if
15// it 1) dominates (resp. post-dominates) all the frame related operations and
16// between 2) two executions of the Save (resp. Restore) point there is an
17// execution of the Restore (resp. Save) point.
18//
19// For instance, the following points are safe:
20// for (int i = 0; i < 10; ++i) {
21// Save
22// ...
23// Restore
24// }
25// Indeed, the execution looks like Save -> Restore -> Save -> Restore ...
26// And the following points are not:
27// for (int i = 0; i < 10; ++i) {
28// Save
29// ...
30// }
31// for (int i = 0; i < 10; ++i) {
32// ...
33// Restore
34// }
35// Indeed, the execution looks like Save -> Save -> ... -> Restore -> Restore.
36//
37// This pass also ensures that the safe points are 3) cheaper than the regular
38// entry and exits blocks.
39//
40// Property #1 is ensured via the use of MachineDominatorTree and
41// MachinePostDominatorTree.
42// Property #2 is ensured via property #1 and MachineLoopInfo, i.e., both
43// points must be in the same loop.
44// Property #3 is ensured via the MachineBlockFrequencyInfo.
45//
Quentin Colombet9a8efc02015-11-06 21:00:13 +000046// If this pass found points matching all these properties, then
Chad Rosiera1080102015-12-22 15:06:47 +000047// MachineFrameInfo is updated with this information.
Quentin Colombet61b305e2015-05-05 17:38:16 +000048//===----------------------------------------------------------------------===//
Quentin Colombet9a8efc02015-11-06 21:00:13 +000049#include "llvm/ADT/BitVector.h"
50#include "llvm/ADT/SetVector.h"
Quentin Colombet61b305e2015-05-05 17:38:16 +000051#include "llvm/ADT/Statistic.h"
52// To check for profitability.
53#include "llvm/CodeGen/MachineBlockFrequencyInfo.h"
54// For property #1 for Save.
55#include "llvm/CodeGen/MachineDominators.h"
56#include "llvm/CodeGen/MachineFunctionPass.h"
57// To record the result of the analysis.
58#include "llvm/CodeGen/MachineFrameInfo.h"
59// For property #2.
60#include "llvm/CodeGen/MachineLoopInfo.h"
61// For property #1 for Restore.
62#include "llvm/CodeGen/MachinePostDominators.h"
63#include "llvm/CodeGen/Passes.h"
64// To know about callee-saved.
65#include "llvm/CodeGen/RegisterClassInfo.h"
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +000066#include "llvm/CodeGen/RegisterScavenging.h"
Quentin Colombet94dc1e02015-11-12 18:13:42 +000067#include "llvm/MC/MCAsmInfo.h"
Quentin Colombet61b305e2015-05-05 17:38:16 +000068#include "llvm/Support/Debug.h"
Quentin Colombet80835882015-05-27 06:25:48 +000069// To query the target about frame lowering.
70#include "llvm/Target/TargetFrameLowering.h"
Quentin Colombet61b305e2015-05-05 17:38:16 +000071// To know about frame setup operation.
72#include "llvm/Target/TargetInstrInfo.h"
Quentin Colombet94dc1e02015-11-12 18:13:42 +000073#include "llvm/Target/TargetMachine.h"
Quentin Colombet61b305e2015-05-05 17:38:16 +000074// To access TargetInstrInfo.
75#include "llvm/Target/TargetSubtargetInfo.h"
76
77#define DEBUG_TYPE "shrink-wrap"
78
79using namespace llvm;
80
81STATISTIC(NumFunc, "Number of functions");
82STATISTIC(NumCandidates, "Number of shrink-wrapping candidates");
83STATISTIC(NumCandidatesDropped,
84 "Number of shrink-wrapping candidates dropped because of frequency");
85
Kit Bartond3cc1672015-08-31 18:26:45 +000086static cl::opt<cl::boolOrDefault>
87 EnableShrinkWrapOpt("enable-shrink-wrap", cl::Hidden,
88 cl::desc("enable the shrink-wrapping pass"));
89
Quentin Colombet61b305e2015-05-05 17:38:16 +000090namespace {
91/// \brief Class to determine where the safe point to insert the
92/// prologue and epilogue are.
93/// Unlike the paper from Fred C. Chow, PLDI'88, that introduces the
94/// shrink-wrapping term for prologue/epilogue placement, this pass
95/// does not rely on expensive data-flow analysis. Instead we use the
96/// dominance properties and loop information to decide which point
97/// are safe for such insertion.
98class ShrinkWrap : public MachineFunctionPass {
99 /// Hold callee-saved information.
100 RegisterClassInfo RCI;
101 MachineDominatorTree *MDT;
102 MachinePostDominatorTree *MPDT;
103 /// Current safe point found for the prologue.
104 /// The prologue will be inserted before the first instruction
105 /// in this basic block.
106 MachineBasicBlock *Save;
107 /// Current safe point found for the epilogue.
108 /// The epilogue will be inserted before the first terminator instruction
109 /// in this basic block.
110 MachineBasicBlock *Restore;
111 /// Hold the information of the basic block frequency.
112 /// Use to check the profitability of the new points.
113 MachineBlockFrequencyInfo *MBFI;
114 /// Hold the loop information. Used to determine if Save and Restore
115 /// are in the same loop.
116 MachineLoopInfo *MLI;
117 /// Frequency of the Entry block.
118 uint64_t EntryFreq;
119 /// Current opcode for frame setup.
Matthias Braunfa3872e2015-05-18 20:27:55 +0000120 unsigned FrameSetupOpcode;
Quentin Colombet61b305e2015-05-05 17:38:16 +0000121 /// Current opcode for frame destroy.
Matthias Braunfa3872e2015-05-18 20:27:55 +0000122 unsigned FrameDestroyOpcode;
Quentin Colombet61b305e2015-05-05 17:38:16 +0000123 /// Entry block.
124 const MachineBasicBlock *Entry;
Quentin Colombet9a8efc02015-11-06 21:00:13 +0000125 typedef SmallSetVector<unsigned, 16> SetOfRegs;
126 /// Registers that need to be saved for the current function.
127 mutable SetOfRegs CurrentCSRs;
128 /// Current MachineFunction.
129 MachineFunction *MachineFunc;
Quentin Colombet61b305e2015-05-05 17:38:16 +0000130
131 /// \brief Check if \p MI uses or defines a callee-saved register or
132 /// a frame index. If this is the case, this means \p MI must happen
133 /// after Save and before Restore.
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000134 bool useOrDefCSROrFI(const MachineInstr &MI, RegScavenger *RS) const;
Quentin Colombet61b305e2015-05-05 17:38:16 +0000135
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000136 const SetOfRegs &getCurrentCSRs(RegScavenger *RS) const {
Quentin Colombet9a8efc02015-11-06 21:00:13 +0000137 if (CurrentCSRs.empty()) {
138 BitVector SavedRegs;
139 const TargetFrameLowering *TFI =
140 MachineFunc->getSubtarget().getFrameLowering();
141
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000142 TFI->determineCalleeSaves(*MachineFunc, SavedRegs, RS);
Quentin Colombet9a8efc02015-11-06 21:00:13 +0000143
144 for (int Reg = SavedRegs.find_first(); Reg != -1;
145 Reg = SavedRegs.find_next(Reg))
146 CurrentCSRs.insert((unsigned)Reg);
147 }
148 return CurrentCSRs;
149 }
150
Quentin Colombet61b305e2015-05-05 17:38:16 +0000151 /// \brief Update the Save and Restore points such that \p MBB is in
152 /// the region that is dominated by Save and post-dominated by Restore
153 /// and Save and Restore still match the safe point definition.
154 /// Such point may not exist and Save and/or Restore may be null after
155 /// this call.
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000156 void updateSaveRestorePoints(MachineBasicBlock &MBB, RegScavenger *RS);
Quentin Colombet61b305e2015-05-05 17:38:16 +0000157
158 /// \brief Initialize the pass for \p MF.
159 void init(MachineFunction &MF) {
160 RCI.runOnMachineFunction(MF);
161 MDT = &getAnalysis<MachineDominatorTree>();
162 MPDT = &getAnalysis<MachinePostDominatorTree>();
163 Save = nullptr;
164 Restore = nullptr;
165 MBFI = &getAnalysis<MachineBlockFrequencyInfo>();
166 MLI = &getAnalysis<MachineLoopInfo>();
167 EntryFreq = MBFI->getEntryFreq();
168 const TargetInstrInfo &TII = *MF.getSubtarget().getInstrInfo();
169 FrameSetupOpcode = TII.getCallFrameSetupOpcode();
170 FrameDestroyOpcode = TII.getCallFrameDestroyOpcode();
171 Entry = &MF.front();
Quentin Colombet9a8efc02015-11-06 21:00:13 +0000172 CurrentCSRs.clear();
173 MachineFunc = &MF;
Quentin Colombet61b305e2015-05-05 17:38:16 +0000174
175 ++NumFunc;
176 }
177
178 /// Check whether or not Save and Restore points are still interesting for
179 /// shrink-wrapping.
180 bool ArePointsInteresting() const { return Save != Entry && Save && Restore; }
181
Kit Bartond3cc1672015-08-31 18:26:45 +0000182 /// \brief Check if shrink wrapping is enabled for this target and function.
183 static bool isShrinkWrapEnabled(const MachineFunction &MF);
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000184
Quentin Colombet61b305e2015-05-05 17:38:16 +0000185public:
186 static char ID;
187
188 ShrinkWrap() : MachineFunctionPass(ID) {
189 initializeShrinkWrapPass(*PassRegistry::getPassRegistry());
190 }
191
192 void getAnalysisUsage(AnalysisUsage &AU) const override {
193 AU.setPreservesAll();
194 AU.addRequired<MachineBlockFrequencyInfo>();
195 AU.addRequired<MachineDominatorTree>();
196 AU.addRequired<MachinePostDominatorTree>();
197 AU.addRequired<MachineLoopInfo>();
198 MachineFunctionPass::getAnalysisUsage(AU);
199 }
200
201 const char *getPassName() const override {
202 return "Shrink Wrapping analysis";
203 }
204
205 /// \brief Perform the shrink-wrapping analysis and update
206 /// the MachineFrameInfo attached to \p MF with the results.
207 bool runOnMachineFunction(MachineFunction &MF) override;
208};
209} // End anonymous namespace.
210
211char ShrinkWrap::ID = 0;
212char &llvm::ShrinkWrapID = ShrinkWrap::ID;
213
214INITIALIZE_PASS_BEGIN(ShrinkWrap, "shrink-wrap", "Shrink Wrap Pass", false,
215 false)
216INITIALIZE_PASS_DEPENDENCY(MachineBlockFrequencyInfo)
217INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
218INITIALIZE_PASS_DEPENDENCY(MachinePostDominatorTree)
219INITIALIZE_PASS_DEPENDENCY(MachineLoopInfo)
220INITIALIZE_PASS_END(ShrinkWrap, "shrink-wrap", "Shrink Wrap Pass", false, false)
221
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000222bool ShrinkWrap::useOrDefCSROrFI(const MachineInstr &MI,
223 RegScavenger *RS) const {
Quentin Colombet61b305e2015-05-05 17:38:16 +0000224 if (MI.getOpcode() == FrameSetupOpcode ||
225 MI.getOpcode() == FrameDestroyOpcode) {
226 DEBUG(dbgs() << "Frame instruction: " << MI << '\n');
227 return true;
228 }
229 for (const MachineOperand &MO : MI.operands()) {
Quentin Colombet9a8efc02015-11-06 21:00:13 +0000230 bool UseOrDefCSR = false;
Quentin Colombet61b305e2015-05-05 17:38:16 +0000231 if (MO.isReg()) {
232 unsigned PhysReg = MO.getReg();
233 if (!PhysReg)
234 continue;
235 assert(TargetRegisterInfo::isPhysicalRegister(PhysReg) &&
236 "Unallocated register?!");
Quentin Colombet9a8efc02015-11-06 21:00:13 +0000237 UseOrDefCSR = RCI.getLastCalleeSavedAlias(PhysReg);
238 } else if (MO.isRegMask()) {
239 // Check if this regmask clobbers any of the CSRs.
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000240 for (unsigned Reg : getCurrentCSRs(RS)) {
Quentin Colombet9a8efc02015-11-06 21:00:13 +0000241 if (MO.clobbersPhysReg(Reg)) {
242 UseOrDefCSR = true;
243 break;
244 }
245 }
Quentin Colombet61b305e2015-05-05 17:38:16 +0000246 }
Quentin Colombet9a8efc02015-11-06 21:00:13 +0000247 if (UseOrDefCSR || MO.isFI()) {
248 DEBUG(dbgs() << "Use or define CSR(" << UseOrDefCSR << ") or FI("
249 << MO.isFI() << "): " << MI << '\n');
Quentin Colombet61b305e2015-05-05 17:38:16 +0000250 return true;
251 }
252 }
253 return false;
254}
255
256/// \brief Helper function to find the immediate (post) dominator.
257template <typename ListOfBBs, typename DominanceAnalysis>
258MachineBasicBlock *FindIDom(MachineBasicBlock &Block, ListOfBBs BBs,
259 DominanceAnalysis &Dom) {
260 MachineBasicBlock *IDom = &Block;
261 for (MachineBasicBlock *BB : BBs) {
262 IDom = Dom.findNearestCommonDominator(IDom, BB);
263 if (!IDom)
264 break;
265 }
Michael Kuperstein037c9982016-01-06 18:40:11 +0000266 if (IDom == &Block)
267 return nullptr;
Quentin Colombet61b305e2015-05-05 17:38:16 +0000268 return IDom;
269}
270
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000271void ShrinkWrap::updateSaveRestorePoints(MachineBasicBlock &MBB,
272 RegScavenger *RS) {
Quentin Colombet61b305e2015-05-05 17:38:16 +0000273 // Get rid of the easy cases first.
274 if (!Save)
275 Save = &MBB;
276 else
277 Save = MDT->findNearestCommonDominator(Save, &MBB);
278
279 if (!Save) {
280 DEBUG(dbgs() << "Found a block that is not reachable from Entry\n");
281 return;
282 }
283
284 if (!Restore)
285 Restore = &MBB;
286 else
287 Restore = MPDT->findNearestCommonDominator(Restore, &MBB);
288
289 // Make sure we would be able to insert the restore code before the
290 // terminator.
291 if (Restore == &MBB) {
292 for (const MachineInstr &Terminator : MBB.terminators()) {
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000293 if (!useOrDefCSROrFI(Terminator, RS))
Quentin Colombet61b305e2015-05-05 17:38:16 +0000294 continue;
295 // One of the terminator needs to happen before the restore point.
296 if (MBB.succ_empty()) {
297 Restore = nullptr;
298 break;
299 }
300 // Look for a restore point that post-dominates all the successors.
301 // The immediate post-dominator is what we are looking for.
302 Restore = FindIDom<>(*Restore, Restore->successors(), *MPDT);
303 break;
304 }
305 }
306
307 if (!Restore) {
308 DEBUG(dbgs() << "Restore point needs to be spanned on several blocks\n");
309 return;
310 }
311
312 // Make sure Save and Restore are suitable for shrink-wrapping:
313 // 1. all path from Save needs to lead to Restore before exiting.
314 // 2. all path to Restore needs to go through Save from Entry.
315 // We achieve that by making sure that:
316 // A. Save dominates Restore.
317 // B. Restore post-dominates Save.
318 // C. Save and Restore are in the same loop.
319 bool SaveDominatesRestore = false;
320 bool RestorePostDominatesSave = false;
321 while (Save && Restore &&
322 (!(SaveDominatesRestore = MDT->dominates(Save, Restore)) ||
323 !(RestorePostDominatesSave = MPDT->dominates(Restore, Save)) ||
Quentin Colombetb82786e2015-12-15 03:28:11 +0000324 // Post-dominance is not enough in loops to ensure that all uses/defs
325 // are after the prologue and before the epilogue at runtime.
326 // E.g.,
327 // while(1) {
328 // Save
329 // Restore
330 // if (...)
331 // break;
332 // use/def CSRs
333 // }
334 // All the uses/defs of CSRs are dominated by Save and post-dominated
335 // by Restore. However, the CSRs uses are still reachable after
336 // Restore and before Save are executed.
337 //
338 // For now, just push the restore/save points outside of loops.
339 // FIXME: Refine the criteria to still find interesting cases
340 // for loops.
341 MLI->getLoopFor(Save) || MLI->getLoopFor(Restore))) {
Quentin Colombet61b305e2015-05-05 17:38:16 +0000342 // Fix (A).
343 if (!SaveDominatesRestore) {
344 Save = MDT->findNearestCommonDominator(Save, Restore);
345 continue;
346 }
347 // Fix (B).
348 if (!RestorePostDominatesSave)
349 Restore = MPDT->findNearestCommonDominator(Restore, Save);
350
351 // Fix (C).
Quentin Colombetb82786e2015-12-15 03:28:11 +0000352 if (Save && Restore &&
353 (MLI->getLoopFor(Save) || MLI->getLoopFor(Restore))) {
Kit Bartona7bf96a2015-08-06 19:01:57 +0000354 if (MLI->getLoopDepth(Save) > MLI->getLoopDepth(Restore)) {
355 // Push Save outside of this loop if immediate dominator is different
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000356 // from save block. If immediate dominator is not different, bail out.
Michael Kuperstein037c9982016-01-06 18:40:11 +0000357 Save = FindIDom<>(*Save, Save->predecessors(), *MDT);
358 if (!Save)
Kit Bartona7bf96a2015-08-06 19:01:57 +0000359 break;
Quentin Colombetb82786e2015-12-15 03:28:11 +0000360 } else {
Quentin Colombetdc29c972015-09-15 18:19:39 +0000361 // If the loop does not exit, there is no point in looking
362 // for a post-dominator outside the loop.
363 SmallVector<MachineBasicBlock*, 4> ExitBlocks;
364 MLI->getLoopFor(Restore)->getExitingBlocks(ExitBlocks);
Quentin Colombetb4c68862015-09-17 23:21:34 +0000365 // Push Restore outside of this loop.
366 // Look for the immediate post-dominator of the loop exits.
367 MachineBasicBlock *IPdom = Restore;
368 for (MachineBasicBlock *LoopExitBB: ExitBlocks) {
369 IPdom = FindIDom<>(*IPdom, LoopExitBB->successors(), *MPDT);
370 if (!IPdom)
371 break;
Quentin Colombetdc29c972015-09-15 18:19:39 +0000372 }
Quentin Colombetb4c68862015-09-17 23:21:34 +0000373 // If the immediate post-dominator is not in a less nested loop,
374 // then we are stuck in a program with an infinite loop.
375 // In that case, we will not find a safe point, hence, bail out.
376 if (IPdom && MLI->getLoopDepth(IPdom) < MLI->getLoopDepth(Restore))
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000377 Restore = IPdom;
Kit Bartona7bf96a2015-08-06 19:01:57 +0000378 else {
379 Restore = nullptr;
380 break;
381 }
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000382 }
Quentin Colombet61b305e2015-05-05 17:38:16 +0000383 }
384 }
385}
386
387bool ShrinkWrap::runOnMachineFunction(MachineFunction &MF) {
Kit Bartond3cc1672015-08-31 18:26:45 +0000388 if (MF.empty() || !isShrinkWrapEnabled(MF))
Quentin Colombet61b305e2015-05-05 17:38:16 +0000389 return false;
Kit Bartond3cc1672015-08-31 18:26:45 +0000390
Quentin Colombet61b305e2015-05-05 17:38:16 +0000391 DEBUG(dbgs() << "**** Analysing " << MF.getName() << '\n');
392
393 init(MF);
394
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000395 const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
396 std::unique_ptr<RegScavenger> RS(
397 TRI->requiresRegisterScavenging(MF) ? new RegScavenger() : nullptr);
398
Quentin Colombet61b305e2015-05-05 17:38:16 +0000399 for (MachineBasicBlock &MBB : MF) {
400 DEBUG(dbgs() << "Look into: " << MBB.getNumber() << ' ' << MBB.getName()
401 << '\n');
402
Quentin Colombet94dc1e02015-11-12 18:13:42 +0000403 if (MBB.isEHFuncletEntry()) {
404 DEBUG(dbgs() << "EH Funclets are not supported yet.\n");
405 return false;
406 }
407
Quentin Colombet61b305e2015-05-05 17:38:16 +0000408 for (const MachineInstr &MI : MBB) {
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000409 if (!useOrDefCSROrFI(MI, RS.get()))
Quentin Colombet61b305e2015-05-05 17:38:16 +0000410 continue;
411 // Save (resp. restore) point must dominate (resp. post dominate)
412 // MI. Look for the proper basic block for those.
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000413 updateSaveRestorePoints(MBB, RS.get());
Quentin Colombet61b305e2015-05-05 17:38:16 +0000414 // If we are at a point where we cannot improve the placement of
415 // save/restore instructions, just give up.
416 if (!ArePointsInteresting()) {
417 DEBUG(dbgs() << "No Shrink wrap candidate found\n");
418 return false;
419 }
420 // No need to look for other instructions, this basic block
421 // will already be part of the handled region.
422 break;
423 }
424 }
425 if (!ArePointsInteresting()) {
426 // If the points are not interesting at this point, then they must be null
427 // because it means we did not encounter any frame/CSR related code.
428 // Otherwise, we would have returned from the previous loop.
429 assert(!Save && !Restore && "We miss a shrink-wrap opportunity?!");
430 DEBUG(dbgs() << "Nothing to shrink-wrap\n");
431 return false;
432 }
433
434 DEBUG(dbgs() << "\n ** Results **\nFrequency of the Entry: " << EntryFreq
435 << '\n');
436
Quentin Colombet80835882015-05-27 06:25:48 +0000437 const TargetFrameLowering *TFI = MF.getSubtarget().getFrameLowering();
Quentin Colombet61b305e2015-05-05 17:38:16 +0000438 do {
439 DEBUG(dbgs() << "Shrink wrap candidates (#, Name, Freq):\nSave: "
440 << Save->getNumber() << ' ' << Save->getName() << ' '
441 << MBFI->getBlockFreq(Save).getFrequency() << "\nRestore: "
442 << Restore->getNumber() << ' ' << Restore->getName() << ' '
443 << MBFI->getBlockFreq(Restore).getFrequency() << '\n');
444
Quentin Colombet80835882015-05-27 06:25:48 +0000445 bool IsSaveCheap, TargetCanUseSaveAsPrologue = false;
446 if (((IsSaveCheap = EntryFreq >= MBFI->getBlockFreq(Save).getFrequency()) &&
447 EntryFreq >= MBFI->getBlockFreq(Restore).getFrequency()) &&
448 ((TargetCanUseSaveAsPrologue = TFI->canUseAsPrologue(*Save)) &&
449 TFI->canUseAsEpilogue(*Restore)))
Quentin Colombet61b305e2015-05-05 17:38:16 +0000450 break;
Quentin Colombet80835882015-05-27 06:25:48 +0000451 DEBUG(dbgs() << "New points are too expensive or invalid for the target\n");
Quentin Colombet61b305e2015-05-05 17:38:16 +0000452 MachineBasicBlock *NewBB;
Quentin Colombet80835882015-05-27 06:25:48 +0000453 if (!IsSaveCheap || !TargetCanUseSaveAsPrologue) {
Quentin Colombet61b305e2015-05-05 17:38:16 +0000454 Save = FindIDom<>(*Save, Save->predecessors(), *MDT);
455 if (!Save)
456 break;
457 NewBB = Save;
458 } else {
459 // Restore is expensive.
460 Restore = FindIDom<>(*Restore, Restore->successors(), *MPDT);
461 if (!Restore)
462 break;
463 NewBB = Restore;
464 }
Arnaud A. de Grandmaison4e89e9f2015-11-20 21:54:27 +0000465 updateSaveRestorePoints(*NewBB, RS.get());
Quentin Colombet61b305e2015-05-05 17:38:16 +0000466 } while (Save && Restore);
467
468 if (!ArePointsInteresting()) {
469 ++NumCandidatesDropped;
470 return false;
471 }
472
473 DEBUG(dbgs() << "Final shrink wrap candidates:\nSave: " << Save->getNumber()
474 << ' ' << Save->getName() << "\nRestore: "
475 << Restore->getNumber() << ' ' << Restore->getName() << '\n');
476
477 MachineFrameInfo *MFI = MF.getFrameInfo();
478 MFI->setSavePoint(Save);
479 MFI->setRestorePoint(Restore);
480 ++NumCandidates;
481 return false;
482}
Kit Bartond3cc1672015-08-31 18:26:45 +0000483
484bool ShrinkWrap::isShrinkWrapEnabled(const MachineFunction &MF) {
485 const TargetFrameLowering *TFI = MF.getSubtarget().getFrameLowering();
486
487 switch (EnableShrinkWrapOpt) {
488 case cl::BOU_UNSET:
Quentin Colombet94dc1e02015-11-12 18:13:42 +0000489 return TFI->enableShrinkWrapping(MF) &&
Quentin Colombetaeb85932015-11-12 18:16:27 +0000490 // Windows with CFI has some limitations that make it impossible
Quentin Colombet94dc1e02015-11-12 18:13:42 +0000491 // to use shrink-wrapping.
Quentin Colombet2cdcfd22015-11-14 01:55:17 +0000492 !MF.getTarget().getMCAsmInfo()->usesWindowsCFI() &&
493 // Sanitizers look at the value of the stack at the location
494 // of the crash. Since a crash can happen anywhere, the
495 // frame must be lowered before anything else happen for the
496 // sanitizers to be able to get a correct stack frame.
497 !(MF.getFunction()->hasFnAttribute(Attribute::SanitizeAddress) ||
498 MF.getFunction()->hasFnAttribute(Attribute::SanitizeThread) ||
499 MF.getFunction()->hasFnAttribute(Attribute::SanitizeMemory));
Kit Bartond3cc1672015-08-31 18:26:45 +0000500 // If EnableShrinkWrap is set, it takes precedence on whatever the
501 // target sets. The rational is that we assume we want to test
502 // something related to shrink-wrapping.
503 case cl::BOU_TRUE:
504 return true;
505 case cl::BOU_FALSE:
506 return false;
507 }
508 llvm_unreachable("Invalid shrink-wrapping state");
509}