1 //===- llvm/PassManager.h - Pass Inftrastructre classes --------*- C++ -*-===//
3 // The LLVM Compiler Infrastructure
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
8 //===----------------------------------------------------------------------===//
10 // This file declares the LLVM Pass Manager infrastructure.
12 //===----------------------------------------------------------------------===//
14 #include "llvm/PassManager.h"
15 #include "llvm/ADT/SmallVector.h"
19 //===----------------------------------------------------------------------===//
21 // The Pass Manager Infrastructure manages passes. It's responsibilities are:
23 // o Manage optimization pass execution order
24 // o Make required Analysis information available before pass P is run
25 // o Release memory occupied by dead passes
26 // o If Analysis information is dirtied by a pass then regenerate Analysis
27 // information before it is consumed by another pass.
29 // Pass Manager Infrastructure uses multiple pass managers. They are
30 // PassManager, FunctionPassManager, MPPassManager, FPPassManager, BBPassManager.
31 // This class hierarcy uses multiple inheritance but pass managers do not derive
32 // from another pass manager.
34 // PassManager and FunctionPassManager are two top-level pass manager that
35 // represents the external interface of this entire pass manager infrastucture.
37 // Important classes :
39 // [o] class PMTopLevelManager;
41 // Two top level managers, PassManager and FunctionPassManager, derive from
42 // PMTopLevelManager. PMTopLevelManager manages information used by top level
43 // managers such as last user info.
45 // [o] class PMDataManager;
47 // PMDataManager manages information, e.g. list of available analysis info,
48 // used by a pass manager to manage execution order of passes. It also provides
49 // a place to implement common pass manager APIs. All pass managers derive from
52 // [o] class BBPassManager : public FunctionPass, public PMDataManager;
54 // BBPassManager manages BasicBlockPasses.
56 // [o] class FunctionPassManager;
58 // This is a external interface used by JIT to manage FunctionPasses. This
59 // interface relies on FunctionPassManagerImpl to do all the tasks.
61 // [o] class FunctionPassManagerImpl : public ModulePass, PMDataManager,
62 // public PMTopLevelManager;
64 // FunctionPassManagerImpl is a top level manager. It manages FPPassManagers
66 // [o] class FPPassManager : public ModulePass, public PMDataManager;
68 // FPPassManager manages FunctionPasses and BBPassManagers
70 // [o] class MPPassManager : public Pass, public PMDataManager;
72 // MPPassManager manages ModulePasses and FPPassManagers
74 // [o] class PassManager;
76 // This is a external interface used by various tools to manages passes. It
77 // relies on PassManagerImpl to do all the tasks.
79 // [o] class PassManagerImpl : public Pass, public PMDataManager,
80 // public PMDTopLevelManager
82 // PassManagerImpl is a top level pass manager responsible for managing
84 //===----------------------------------------------------------------------===//
86 #ifndef PASSMANAGERS_H
87 #define PASSMANAGERS_H
89 #include "llvm/Pass.h"
94 /// FunctionPassManager and PassManager, two top level managers, serve
95 /// as the public interface of pass manager infrastructure.
96 enum TopLevelManagerType {
97 TLM_Function, // FunctionPassManager
98 TLM_Pass // PassManager
101 // enums for debugging strings
102 enum PassDebuggingString {
103 EXECUTION_MSG, // "Executing Pass '"
104 MODIFICATION_MSG, // "' Made Modification '"
105 FREEING_MSG, // " Freeing Pass '"
106 ON_BASICBLOCK_MSG, // "' on BasicBlock '" + PassName + "'...\n"
107 ON_FUNCTION_MSG, // "' on Function '" + FunctionName + "'...\n"
108 ON_MODULE_MSG, // "' on Module '" + ModuleName + "'...\n"
109 ON_LOOP_MSG, // " 'on Loop ...\n'"
110 ON_CG_MSG // "' on Call Graph ...\n'"
113 //===----------------------------------------------------------------------===//
117 /// Top level pass managers (see PassManager.cpp) maintain active Pass Managers
118 /// using PMStack. Each Pass implements assignPassManager() to connect itself
119 /// with appropriate manager. assignPassManager() walks PMStack to find
120 /// suitable manager.
122 /// PMStack is just a wrapper around standard deque that overrides pop() and
126 typedef std::deque<PMDataManager *>::reverse_iterator iterator;
127 iterator begin() { return S.rbegin(); }
128 iterator end() { return S.rend(); }
130 void handleLastUserOverflow();
133 inline PMDataManager *top() { return S.back(); }
134 void push(PMDataManager *PM);
135 inline bool empty() { return S.empty(); }
139 std::deque<PMDataManager *> S;
143 //===----------------------------------------------------------------------===//
146 /// PMTopLevelManager manages LastUser info and collects common APIs used by
147 /// top level pass managers.
148 class PMTopLevelManager {
151 virtual unsigned getNumContainedManagers() const {
152 return (unsigned)PassManagers.size();
155 /// Schedule pass P for execution. Make sure that passes required by
156 /// P are run before P is run. Update analysis info maintained by
157 /// the manager. Remove dead passes. This is a recursive function.
158 void schedulePass(Pass *P);
160 /// This is implemented by top level pass manager and used by
161 /// schedulePass() to add analysis info passes that are not available.
162 virtual void addTopLevelPass(Pass *P) = 0;
164 /// Set pass P as the last user of the given analysis passes.
165 void setLastUser(SmallVector<Pass *, 12> &AnalysisPasses, Pass *P);
167 /// Collect passes whose last user is P
168 void collectLastUses(SmallVector<Pass *, 12> &LastUses, Pass *P);
170 /// Find the pass that implements Analysis AID. Search immutable
171 /// passes and all pass managers. If desired pass is not found
172 /// then return NULL.
173 Pass *findAnalysisPass(AnalysisID AID);
175 explicit PMTopLevelManager(enum TopLevelManagerType t);
176 virtual ~PMTopLevelManager();
178 /// Add immutable pass and initialize it.
179 inline void addImmutablePass(ImmutablePass *P) {
181 ImmutablePasses.push_back(P);
184 inline std::vector<ImmutablePass *>& getImmutablePasses() {
185 return ImmutablePasses;
188 void addPassManager(PMDataManager *Manager) {
189 PassManagers.push_back(Manager);
192 // Add Manager into the list of managers that are not directly
193 // maintained by this top level pass manager
194 inline void addIndirectPassManager(PMDataManager *Manager) {
195 IndirectPassManagers.push_back(Manager);
198 // Print passes managed by this top level manager.
199 void dumpPasses() const;
200 void dumpArguments() const;
202 void initializeAllAnalysisInfo();
204 // Active Pass Managers
209 /// Collection of pass managers
210 std::vector<PMDataManager *> PassManagers;
214 /// Collection of pass managers that are not directly maintained
215 /// by this pass manager
216 std::vector<PMDataManager *> IndirectPassManagers;
218 // Map to keep track of last user of the analysis pass.
219 // LastUser->second is the last user of Lastuser->first.
220 std::map<Pass *, Pass *> LastUser;
222 /// Immutable passes are managed by top level manager.
223 std::vector<ImmutablePass *> ImmutablePasses;
228 //===----------------------------------------------------------------------===//
231 /// PMDataManager provides the common place to manage the analysis data
232 /// used by pass managers.
233 class PMDataManager {
236 explicit PMDataManager(int Depth) : TPM(NULL), Depth(Depth) {
237 initializeAnalysisInfo();
240 virtual ~PMDataManager();
242 /// Augment AvailableAnalysis by adding analysis made available by pass P.
243 void recordAvailableAnalysis(Pass *P);
245 /// verifyPreservedAnalysis -- Verify analysis presreved by pass P.
246 void verifyPreservedAnalysis(Pass *P);
248 /// Remove Analysis that is not preserved by the pass
249 void removeNotPreservedAnalysis(Pass *P);
251 /// Remove dead passes
252 void removeDeadPasses(Pass *P, const char *Msg, enum PassDebuggingString);
254 /// Add pass P into the PassVector. Update
255 /// AvailableAnalysis appropriately if ProcessAnalysis is true.
256 void add(Pass *P, bool ProcessAnalysis = true);
258 /// Add RequiredPass into list of lower level passes required by pass P.
259 /// RequiredPass is run on the fly by Pass Manager when P requests it
260 /// through getAnalysis interface.
261 virtual void addLowerLevelRequiredPass(Pass *P, Pass *RequiredPass);
263 virtual Pass * getOnTheFlyPass(Pass *P, const PassInfo *PI, Function &F) {
264 assert (0 && "Unable to find on the fly pass");
268 /// Initialize available analysis information.
269 void initializeAnalysisInfo() {
270 AvailableAnalysis.clear();
271 for (unsigned i = 0; i < PMT_Last; ++i)
272 InheritedAnalysis[i] = NULL;
275 // Return true if P preserves high level analysis used by other
276 // passes that are managed by this manager.
277 bool preserveHigherLevelAnalysis(Pass *P);
280 /// Populate RequiredPasses with analysis pass that are required by
281 /// pass P and are available. Populate ReqPassNotAvailable with analysis
282 /// pass that are required by pass P but are not available.
283 void collectRequiredAnalysis(SmallVector<Pass *, 8> &RequiredPasses,
284 SmallVector<AnalysisID, 8> &ReqPassNotAvailable,
287 /// All Required analyses should be available to the pass as it runs! Here
288 /// we fill in the AnalysisImpls member of the pass so that it can
289 /// successfully use the getAnalysis() method to retrieve the
290 /// implementations it needs.
291 void initializeAnalysisImpl(Pass *P);
293 /// Find the pass that implements Analysis AID. If desired pass is not found
294 /// then return NULL.
295 Pass *findAnalysisPass(AnalysisID AID, bool Direction);
297 // Access toplevel manager
298 PMTopLevelManager *getTopLevelManager() { return TPM; }
299 void setTopLevelManager(PMTopLevelManager *T) { TPM = T; }
301 unsigned getDepth() const { return Depth; }
303 // Print routines used by debug-pass
304 void dumpLastUses(Pass *P, unsigned Offset) const;
305 void dumpPassArguments() const;
306 void dumpPassInfo(Pass *P, enum PassDebuggingString S1,
307 enum PassDebuggingString S2, const char *Msg);
308 void dumpAnalysisSetInfo(const char *Msg, Pass *P,
309 const std::vector<AnalysisID> &Set) const;
311 virtual unsigned getNumContainedPasses() const {
312 return (unsigned)PassVector.size();
315 virtual PassManagerType getPassManagerType() const {
316 assert ( 0 && "Invalid use of getPassManagerType");
320 std::map<AnalysisID, Pass*> *getAvailableAnalysis() {
321 return &AvailableAnalysis;
324 // Collect AvailableAnalysis from all the active Pass Managers.
325 void populateInheritedAnalysis(PMStack &PMS) {
327 for (PMStack::iterator I = PMS.begin(), E = PMS.end();
329 InheritedAnalysis[Index++] = (*I)->getAvailableAnalysis();
334 // Top level manager.
335 PMTopLevelManager *TPM;
337 // Collection of pass that are managed by this manager
338 std::vector<Pass *> PassVector;
340 // Collection of Analysis provided by Parent pass manager and
341 // used by current pass manager. At at time there can not be more
342 // then PMT_Last active pass mangers.
343 std::map<AnalysisID, Pass *> *InheritedAnalysis[PMT_Last];
346 // Set of available Analysis. This information is used while scheduling
347 // pass. If a pass requires an analysis which is not not available then
348 // equired analysis pass is scheduled to run before the pass itself is
350 std::map<AnalysisID, Pass*> AvailableAnalysis;
352 // Collection of higher level analysis used by the pass managed by
354 std::vector<Pass *> HigherLevelAnalysis;
359 //===----------------------------------------------------------------------===//
362 /// FPPassManager manages BBPassManagers and FunctionPasses.
363 /// It batches all function passes and basic block pass managers together and
364 /// sequence them to process one function at a time before processing next
367 class FPPassManager : public ModulePass, public PMDataManager {
371 explicit FPPassManager(int Depth)
372 : ModulePass(intptr_t(&ID)), PMDataManager(Depth) { }
374 /// run - Execute all of the passes scheduled for execution. Keep track of
375 /// whether any of the passes modifies the module, and if so, return true.
376 bool runOnFunction(Function &F);
377 bool runOnModule(Module &M);
379 /// doInitialization - Run all of the initializers for the function passes.
381 bool doInitialization(Module &M);
383 /// doFinalization - Run all of the finalizers for the function passes.
385 bool doFinalization(Module &M);
387 /// Pass Manager itself does not invalidate any analysis info.
388 void getAnalysisUsage(AnalysisUsage &Info) const {
389 Info.setPreservesAll();
392 // Print passes managed by this manager
393 void dumpPassStructure(unsigned Offset);
395 virtual const char *getPassName() const {
396 return "Function Pass Manager";
399 FunctionPass *getContainedPass(unsigned N) {
400 assert ( N < PassVector.size() && "Pass number out of range!");
401 FunctionPass *FP = static_cast<FunctionPass *>(PassVector[N]);
405 virtual PassManagerType getPassManagerType() const {
406 return PMT_FunctionPassManager;
412 extern void StartPassTimer(llvm::Pass *);
413 extern void StopPassTimer(llvm::Pass *);