LLVM 23.0.0git
FunctionPropertiesAnalysis.cpp
Go to the documentation of this file.
1//===- FunctionPropertiesAnalysis.cpp - Function Properties Analysis ------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// This file defines the FunctionPropertiesInfo and FunctionPropertiesAnalysis
10// classes used to extract function properties.
11//
12//===----------------------------------------------------------------------===//
13
15#include "llvm/ADT/STLExtras.h"
16#include "llvm/ADT/SetVector.h"
17#include "llvm/ADT/Statistic.h"
19#include "llvm/IR/CFG.h"
20#include "llvm/IR/Constants.h"
21#include "llvm/IR/Dominators.h"
26#include <deque>
27
28using namespace llvm;
29
30#define DEBUG_TYPE "func-properties-stats"
31
32#define FUNCTION_PROPERTY(Name, Description) STATISTIC(Num##Name, Description);
33#define DETAILED_FUNCTION_PROPERTY(Name, Description) \
34 STATISTIC(Num##Name, Description);
35#include "llvm/IR/FunctionProperties.def"
36
37namespace llvm {
39 "enable-detailed-function-properties", cl::Hidden, cl::init(false),
40 cl::desc("Whether or not to compute detailed function properties."));
41
43 "big-basic-block-instruction-threshold", cl::Hidden, cl::init(500),
44 cl::desc("The minimum number of instructions a basic block should contain "
45 "before being considered big."));
46
48 "medium-basic-block-instruction-threshold", cl::Hidden, cl::init(15),
49 cl::desc("The minimum number of instructions a basic block should contain "
50 "before being considered medium-sized."));
51} // namespace llvm
52
54 "call-with-many-arguments-threshold", cl::Hidden, cl::init(4),
55 cl::desc("The minimum number of arguments a function call must have before "
56 "it is considered having many arguments."));
57
58namespace {
59int64_t getNumBlocksFromCond(const BasicBlock &BB) {
60 int64_t Ret = 0;
61 if (const auto *BI = dyn_cast<BranchInst>(BB.getTerminator())) {
62 if (BI->isConditional())
63 Ret += BI->getNumSuccessors();
64 } else if (const auto *SI = dyn_cast<SwitchInst>(BB.getTerminator())) {
65 Ret += (SI->getNumCases() + (nullptr != SI->getDefaultDest()));
66 }
67 return Ret;
68}
69
70int64_t getUses(const Function &F) {
71 return ((!F.hasLocalLinkage()) ? 1 : 0) + F.getNumUses();
72}
73} // namespace
74
75void FunctionPropertiesInfo::reIncludeBB(const BasicBlock &BB) {
76 updateForBB(BB, +1);
77}
78
79void FunctionPropertiesInfo::updateForBB(const BasicBlock &BB,
80 int64_t Direction) {
81 assert(Direction == 1 || Direction == -1);
84 (Direction * getNumBlocksFromCond(BB));
85 for (const auto &I : BB) {
86 if (auto *CS = dyn_cast<CallBase>(&I)) {
87 const auto *Callee = CS->getCalledFunction();
88 if (Callee && !Callee->isIntrinsic() && !Callee->isDeclaration())
90 }
91 if (I.getOpcode() == Instruction::Load) {
93 } else if (I.getOpcode() == Instruction::Store) {
95 }
96 }
97 TotalInstructionCount += Direction * BB.sizeWithoutDebug();
98
100 unsigned SuccessorCount = succ_size(&BB);
101 if (SuccessorCount == 1)
103 else if (SuccessorCount == 2)
105 else if (SuccessorCount > 2)
107
108 unsigned PredecessorCount = pred_size(&BB);
109 if (PredecessorCount == 1)
111 else if (PredecessorCount == 2)
113 else if (PredecessorCount > 2)
115
120 else
122
123 // Calculate critical edges by looking through all successors of a basic
124 // block that has multiple successors and finding ones that have multiple
125 // predecessors, which represent critical edges.
126 if (SuccessorCount > 1) {
127 for (const auto *Successor : successors(&BB)) {
128 if (pred_size(Successor) > 1)
130 }
131 }
132
133 ControlFlowEdgeCount += Direction * SuccessorCount;
134
135 const Instruction *TI = BB.getTerminator();
136 const int64_t InstructionSuccessorCount = TI->getNumSuccessors();
137 if (isa<BranchInst>(TI)) {
139 BranchSuccessorCount += Direction * InstructionSuccessorCount;
140 const auto *BI = dyn_cast<BranchInst>(TI);
141 if (BI->isConditional())
143 else
145 } else if (isa<SwitchInst>(TI)) {
147 SwitchSuccessorCount += Direction * InstructionSuccessorCount;
148 }
149
150 for (const Instruction &I : BB.instructionsWithoutDebug()) {
151 if (I.isCast())
153
154 if (I.getType()->isFloatTy())
156 else if (I.getType()->isIntegerTy())
158
161
162 if (const auto *Call = dyn_cast<CallInst>(&I)) {
163 if (Call->isIndirectCall())
165 else
167
168 if (Call->getType()->isIntegerTy())
170 else if (Call->getType()->isFloatingPointTy())
172 else if (Call->getType()->isPointerTy())
174 else if (Call->getType()->isVectorTy()) {
179 else if (Call->getType()->getScalarType()->isPointerTy())
181 }
182
185
186 for (const auto &Arg : Call->args()) {
187 if (Arg->getType()->isPointerTy()) {
189 break;
190 }
191 }
192 }
193
194#define COUNT_OPERAND(OPTYPE) \
195 if (isa<OPTYPE>(Operand)) { \
196 OPTYPE##OperandCount += Direction; \
197 continue; \
198 }
199
200 for (unsigned int OperandIndex = 0; OperandIndex < I.getNumOperands();
201 ++OperandIndex) {
202 Value *Operand = I.getOperand(OperandIndex);
203 COUNT_OPERAND(GlobalValue)
204 COUNT_OPERAND(ConstantInt)
205 COUNT_OPERAND(ConstantFP)
206 COUNT_OPERAND(Constant)
207 COUNT_OPERAND(Instruction)
208 COUNT_OPERAND(BasicBlock)
209 COUNT_OPERAND(InlineAsm)
210 COUNT_OPERAND(Argument)
211
212 // We only get to this point if we haven't matched any of the other
213 // operand types.
215 }
216
217#undef CHECK_OPERAND
218 }
219 }
220
221 if (IR2VecVocab) {
222 // We instantiate the IR2Vec embedder each time, as having an unique
223 // pointer to the embedder as member of the class would make it
224 // non-copyable. Instantiating the embedder in itself is not costly.
226 *BB.getParent(), *IR2VecVocab);
227 if (!Embedder) {
228 BB.getContext().emitError("Error creating IR2Vec embeddings");
229 return;
230 }
231 const auto &BBEmbedding = Embedder->getBBVector(BB);
232 // Subtract BBEmbedding from Function embedding if the direction is -1,
233 // and add it if the direction is +1.
234 if (Direction == -1)
235 FunctionEmbedding -= BBEmbedding;
236 else
237 FunctionEmbedding += BBEmbedding;
238 }
239}
240
241void FunctionPropertiesInfo::updateAggregateStats(const Function &F,
242 const LoopInfo &LI) {
243
244 Uses = getUses(F);
246 MaxLoopDepth = 0;
247 std::deque<const Loop *> Worklist;
248 llvm::append_range(Worklist, LI);
249 while (!Worklist.empty()) {
250 const auto *L = Worklist.front();
252 std::max(MaxLoopDepth, static_cast<int64_t>(L->getLoopDepth()));
253 Worklist.pop_front();
254 llvm::append_range(Worklist, L->getSubLoops());
255 }
256}
257
260 // We use the cached result of the IR2VecVocabAnalysis run by
261 // InlineAdvisorAnalysis. If the IR2VecVocabAnalysis is not run, we don't
262 // use IR2Vec embeddings.
263 auto Vocabulary = FAM.getResult<ModuleAnalysisManagerFunctionProxy>(F)
264 .getCachedResult<IR2VecVocabAnalysis>(*F.getParent());
266 FAM.getResult<LoopAnalysis>(F), Vocabulary);
267}
268
270 const Function &F, const DominatorTree &DT, const LoopInfo &LI,
271 const ir2vec::Vocabulary *Vocabulary) {
272
274 if (Vocabulary && Vocabulary->isValid()) {
275 FPI.IR2VecVocab = Vocabulary;
276 FPI.FunctionEmbedding = ir2vec::Embedding(Vocabulary->getDimension(), 0.0);
277 }
278 for (const auto &BB : F)
279 if (DT.isReachableFromEntry(&BB))
280 FPI.reIncludeBB(BB);
281 FPI.updateAggregateStats(F, LI);
282 return FPI;
283}
284
286 const FunctionPropertiesInfo &FPI) const {
287 if (BasicBlockCount != FPI.BasicBlockCount ||
290 Uses != FPI.Uses ||
294 MaxLoopDepth != FPI.MaxLoopDepth ||
335 return false;
336 }
337 // Check the equality of the function embeddings. We don't check the equality
338 // of Vocabulary as it remains the same.
339 if (!FunctionEmbedding.approximatelyEquals(FPI.FunctionEmbedding))
340 return false;
341
342 return true;
343}
344
346#define FUNCTION_PROPERTY(Name, Description) OS << #Name ": " << Name << "\n";
347
348#define DETAILED_FUNCTION_PROPERTY(Name, Description) \
349 if (EnableDetailedFunctionProperties) { \
350 OS << #Name ": " << Name << "\n"; \
351 }
352
353#include "llvm/IR/FunctionProperties.def"
354
355#undef FUNCTION_PROPERTY
356#undef DETAILED_FUNCTION_PROPERTY
357
358 OS << "\n";
359}
360
362
367
370 OS << "Printing analysis results of CFA for function "
371 << "'" << F.getName() << "':"
372 << "\n";
374 return PreservedAnalyses::all();
375}
376
380 LLVM_DEBUG(dbgs() << "STATSCOUNT: running on function " << F.getName()
381 << "\n");
382 auto &AnalysisResults = FAM.getResult<FunctionPropertiesAnalysis>(F);
383
384#define FUNCTION_PROPERTY(Name, Description) Num##Name += AnalysisResults.Name;
385#define DETAILED_FUNCTION_PROPERTY(Name, Description) \
386 Num##Name += AnalysisResults.Name;
387#include "llvm/IR/FunctionProperties.def"
388
389 return PreservedAnalyses::all();
390}
391
394 : FPI(FPI), CallSiteBB(*CB.getParent()), Caller(*CallSiteBB.getParent()) {
396 // For BBs that are likely to change, we subtract from feature totals their
397 // contribution. Some features, like max loop counts or depths, are left
398 // invalid, as they will be updated post-inlining.
399 SmallPtrSet<const BasicBlock *, 4> LikelyToChangeBBs;
400 // The CB BB will change - it'll either be split or the callee's body (single
401 // BB) will be pasted in.
402 LikelyToChangeBBs.insert(&CallSiteBB);
403
404 // The caller's entry BB may change due to new alloca instructions.
405 LikelyToChangeBBs.insert(&*Caller.begin());
406
407 // The users of the value returned by call instruction can change
408 // leading to the change in embeddings being computed, when used.
409 // We conservatively add the BBs with such uses to LikelyToChangeBBs.
410 for (const auto *User : CB.users())
411 CallUsers.insert(dyn_cast<Instruction>(User)->getParent());
412 // CallSiteBB can be removed from CallUsers if present, it's taken care
413 // separately.
414 CallUsers.erase(&CallSiteBB);
415 LikelyToChangeBBs.insert_range(CallUsers);
416
417 // The successors may become unreachable in the case of `invoke` inlining.
418 // We track successors separately, too, because they form a boundary, together
419 // with the CB BB ('Entry') between which the inlined callee will be pasted.
420 Successors.insert_range(successors(&CallSiteBB));
421
422 // the outcome of the inlining may be that some edges get lost (DCEd BBs
423 // because inlining brought some constant, for example). We don't know which
424 // edges will be removed, so we list all of them as potentially removable.
425 // Some BBs have (at this point) duplicate edges. Remove duplicates, otherwise
426 // the DT updater will not apply changes correctly.
428 for (auto *Succ : successors(&CallSiteBB))
429 if (Inserted.insert(Succ).second)
430 DomTreeUpdates.emplace_back(DominatorTree::UpdateKind::Delete,
431 const_cast<BasicBlock *>(&CallSiteBB),
432 const_cast<BasicBlock *>(Succ));
433 // Reuse Inserted (which has some allocated capacity at this point) below, if
434 // we have an invoke.
435 Inserted.clear();
436 // Inlining only handles invoke and calls. If this is an invoke, and inlining
437 // it pulls another invoke, the original landing pad may get split, so as to
438 // share its content with other potential users. So the edge up to which we
439 // need to invalidate and then re-account BB data is the successors of the
440 // current landing pad. We can leave the current lp, too - if it doesn't get
441 // split, then it will be the place traversal stops. Either way, the
442 // discounted BBs will be checked if reachable and re-added.
443 if (const auto *II = dyn_cast<InvokeInst>(&CB)) {
444 const auto *UnwindDest = II->getUnwindDest();
445 Successors.insert_range(successors(UnwindDest));
446 // Same idea as above, we pretend we lose all these edges.
447 for (auto *Succ : successors(UnwindDest))
448 if (Inserted.insert(Succ).second)
449 DomTreeUpdates.emplace_back(DominatorTree::UpdateKind::Delete,
450 const_cast<BasicBlock *>(UnwindDest),
451 const_cast<BasicBlock *>(Succ));
452 }
453
454 // Exclude the CallSiteBB, if it happens to be its own successor (1-BB loop).
455 // We are only interested in BBs the graph moves past the callsite BB to
456 // define the frontier past which we don't want to re-process BBs. Including
457 // the callsite BB in this case would prematurely stop the traversal in
458 // finish().
459 Successors.erase(&CallSiteBB);
460
461 LikelyToChangeBBs.insert_range(Successors);
462
463 // Commit the change. While some of the BBs accounted for above may play dual
464 // role - e.g. caller's entry BB may be the same as the callsite BB - set
465 // insertion semantics make sure we account them once. This needs to be
466 // followed in `finish`, too.
467 for (const auto *BB : LikelyToChangeBBs)
468 FPI.updateForBB(*BB, -1);
469}
470
471DominatorTree &FunctionPropertiesUpdater::getUpdatedDominatorTree(
473 auto &DT =
474 FAM.getResult<DominatorTreeAnalysis>(const_cast<Function &>(Caller));
475
477
479 for (auto *Succ : successors(&CallSiteBB))
480 if (Inserted.insert(Succ).second)
481 FinalDomTreeUpdates.push_back({DominatorTree::UpdateKind::Insert,
482 const_cast<BasicBlock *>(&CallSiteBB),
483 const_cast<BasicBlock *>(Succ)});
484
485 // Perform the deletes last, so that any new nodes connected to nodes
486 // participating in the edge deletion are known to the DT.
487 for (auto &Upd : DomTreeUpdates)
488 if (!llvm::is_contained(successors(Upd.getFrom()), Upd.getTo()))
489 FinalDomTreeUpdates.push_back(Upd);
490
491 DT.applyUpdates(FinalDomTreeUpdates);
492#ifdef EXPENSIVE_CHECKS
493 assert(DT.verify(DominatorTree::VerificationLevel::Full));
494#endif
495 return DT;
496}
497
499 // Update feature values from the BBs that were copied from the callee, or
500 // might have been modified because of inlining. The latter have been
501 // subtracted in the FunctionPropertiesUpdater ctor.
502 // There could be successors that were reached before but now are only
503 // reachable from elsewhere in the CFG.
504 // One example is the following diamond CFG (lines are arrows pointing down):
505 // A
506 // / \
507 // B C
508 // | |
509 // | D
510 // | |
511 // | E
512 // \ /
513 // F
514 // There's a call site in C that is inlined. Upon doing that, it turns out
515 // it expands to
516 // call void @llvm.trap()
517 // unreachable
518 // F isn't reachable from C anymore, but we did discount it when we set up
519 // FunctionPropertiesUpdater, so we need to re-include it here.
520 // At the same time, D and E were reachable before, but now are not anymore,
521 // so we need to leave D out (we discounted it at setup), and explicitly
522 // remove E.
525 auto &DT = getUpdatedDominatorTree(FAM);
526
527 if (&CallSiteBB != &*Caller.begin())
528 Reinclude.insert(&*Caller.begin());
529
530 // Reinclude the BBs which use the values returned by call instruction
531 Reinclude.insert_range(CallUsers);
532
533 // Distribute the successors to the 2 buckets.
534 for (const auto *Succ : Successors)
535 if (DT.isReachableFromEntry(Succ))
536 Reinclude.insert(Succ);
537 else
538 Unreachable.insert(Succ);
539
540 // For reinclusion, we want to stop at the reachable successors, who are at
541 // the beginning of the worklist; but, starting from the callsite bb and
542 // ending at those successors, we also want to perform a traversal.
543 // IncludeSuccessorsMark is the index after which we include successors.
544 const auto IncludeSuccessorsMark = Reinclude.size();
545 bool CSInsertion = Reinclude.insert(&CallSiteBB);
546 (void)CSInsertion;
547 assert(CSInsertion);
548 for (size_t I = 0; I < Reinclude.size(); ++I) {
549 const auto *BB = Reinclude[I];
550 FPI.reIncludeBB(*BB);
551 if (I >= IncludeSuccessorsMark)
552 Reinclude.insert_range(successors(BB));
553 }
554
555 // For exclusion, we don't need to exclude the set of BBs that were successors
556 // before and are now unreachable, because we already did that at setup. For
557 // the rest, as long as a successor is unreachable, we want to explicitly
558 // exclude it.
559 const auto AlreadyExcludedMark = Unreachable.size();
560 for (size_t I = 0; I < Unreachable.size(); ++I) {
561 const auto *U = Unreachable[I];
562 if (I >= AlreadyExcludedMark)
563 FPI.updateForBB(*U, -1);
564 for (const auto *Succ : successors(U))
565 if (!DT.isReachableFromEntry(Succ))
566 Unreachable.insert(Succ);
567 }
568
569 const auto &LI = FAM.getResult<LoopAnalysis>(const_cast<Function &>(Caller));
570 FPI.updateAggregateStats(Caller, LI);
571#ifdef EXPENSIVE_CHECKS
572 assert(isUpdateValid(Caller, FPI, FAM));
573#endif
574}
575
576bool FunctionPropertiesUpdater::isUpdateValid(Function &F,
577 const FunctionPropertiesInfo &FPI,
579 if (!FAM.getResult<DominatorTreeAnalysis>(F).verify(
580 DominatorTree::VerificationLevel::Full))
581 return false;
582 DominatorTree DT(F);
583 LoopInfo LI(DT);
584 auto Vocabulary = FAM.getResult<ModuleAnalysisManagerFunctionProxy>(F)
585 .getCachedResult<IR2VecVocabAnalysis>(*F.getParent());
586 auto Fresh =
588 return FPI == Fresh;
589}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
static const Function * getParent(const Value *V)
#define LLVM_ABI
Definition Compiler.h:213
This file contains the declarations for the subclasses of Constant, which represent the different fla...
static cl::opt< unsigned > CallWithManyArgumentsThreshold("call-with-many-arguments-threshold", cl::Hidden, cl::init(4), cl::desc("The minimum number of arguments a function call must have before " "it is considered having many arguments."))
#define COUNT_OPERAND(OPTYPE)
This file provides various utilities for inspecting and working with the control flow graph in LLVM I...
Loop::LoopBounds::Direction Direction
Definition LoopInfo.cpp:231
#define F(x, y, z)
Definition MD5.cpp:54
#define I(x, y, z)
Definition MD5.cpp:57
uint64_t IntrinsicInst * II
FunctionAnalysisManager FAM
This file contains some templates that are useful if you are working with the STL at all.
This file implements a set that has insertion order iteration characteristics.
This file defines the 'Statistic' class, which is designed to be an easy way to expose various metric...
#define LLVM_DEBUG(...)
Definition Debug.h:114
PassT::Result & getResult(IRUnitT &IR, ExtraArgTs... ExtraArgs)
Get the result of an analysis pass for a given IR unit.
LLVM Basic Block Representation.
Definition BasicBlock.h:62
const Instruction * getTerminator() const LLVM_READONLY
Returns the terminator instruction if the block is well formed or null if the block is not well forme...
Definition BasicBlock.h:233
Base class for all callable instructions (InvokeInst and CallInst) Holds everything related to callin...
LLVM_ABI bool isIndirectCall() const
Return true if the callsite is an indirect call.
iterator_range< User::op_iterator > args()
Iteration adapter for range-for loops.
unsigned arg_size() const
Implements a dense probed hash-table based set.
Definition DenseSet.h:279
Analysis pass which computes a DominatorTree.
Definition Dominators.h:283
Concrete subclass of DominatorTreeBase that is used to compute a normal dominator tree.
Definition Dominators.h:164
LLVM_ABI bool isReachableFromEntry(const Use &U) const
Provide an overload for a Use.
LLVM_ABI FunctionPropertiesInfo run(Function &F, FunctionAnalysisManager &FAM)
int64_t BasicBlockCount
Number of basic blocks.
int64_t Uses
Number of uses of this function, plus 1 if the function is callable outside the module.
int64_t BlocksReachedFromConditionalInstruction
Number of blocks reached from a conditional instruction, or that are 'cases' of a SwitchInstr.
LLVM_ABI bool operator==(const FunctionPropertiesInfo &FPI) const
static LLVM_ABI FunctionPropertiesInfo getFunctionPropertiesInfo(const Function &F, const DominatorTree &DT, const LoopInfo &LI, const ir2vec::Vocabulary *Vocabulary)
LLVM_ABI void print(raw_ostream &OS) const
int64_t DirectCallsToDefinedFunctions
Number of direct calls made from this function to other functions defined in this module.
LLVM_ABI PreservedAnalyses run(Function &F, FunctionAnalysisManager &AM)
LLVM_ABI FunctionPropertiesUpdater(FunctionPropertiesInfo &FPI, CallBase &CB)
LLVM_ABI void finish(FunctionAnalysisManager &FAM) const
LLVM_ABI unsigned getNumSuccessors() const LLVM_READONLY
Return the number of successors that this instruction has.
Analysis pass that exposes the LoopInfo for a function.
Definition LoopInfo.h:569
A set of analyses that are preserved following a run of a transformation pass.
Definition Analysis.h:112
static PreservedAnalyses all()
Construct a special preserved set that preserves all passes.
Definition Analysis.h:118
A vector that has set insertion semantics.
Definition SetVector.h:57
size_type size() const
Determine the number of elements in the SetVector.
Definition SetVector.h:103
void insert_range(Range &&R)
Definition SetVector.h:176
bool insert(const value_type &X)
Insert a new element into the SetVector.
Definition SetVector.h:151
void insert_range(Range &&R)
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements.
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
bool isVectorTy() const
True if this is an instance of VectorType.
Definition Type.h:273
bool isPointerTy() const
True if this is an instance of PointerType.
Definition Type.h:267
Type * getScalarType() const
If this is a vector type, return the element type, otherwise return 'this'.
Definition Type.h:352
bool isFloatingPointTy() const
Return true if this is one of the floating-point types.
Definition Type.h:184
bool isIntegerTy() const
True if this is an instance of IntegerType.
Definition Type.h:240
Type * getType() const
All values are typed, get the type of this value.
Definition Value.h:256
iterator_range< user_iterator > users()
Definition Value.h:426
static LLVM_ABI std::unique_ptr< Embedder > create(IR2VecKind Mode, const Function &F, const Vocabulary &Vocab)
Factory method to create an Embedder object.
Definition IR2Vec.cpp:156
Class for storing and accessing the IR2Vec vocabulary.
Definition IR2Vec.h:248
LLVM_ABI unsigned getDimension() const
Definition IR2Vec.h:350
LLVM_ABI bool isValid() const
Definition IR2Vec.h:346
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition raw_ostream.h:53
CallInst * Call
initializer< Ty > init(const Ty &Val)
friend class Instruction
Iterator for Instructions in a `BasicBlock.
Definition BasicBlock.h:73
This is an optimization pass for GlobalISel generic memory operations.
Definition Types.h:26
FunctionAddr VTableAddr Value
Definition InstrProf.h:137
Printable print(const GCNRegPressure &RP, const GCNSubtarget *ST=nullptr, unsigned DynamicVGPRBlockSize=0)
auto size(R &&Range, std::enable_if_t< std::is_base_of< std::random_access_iterator_tag, typename std::iterator_traits< decltype(Range.begin())>::iterator_category >::value, void > *=nullptr)
Get the size of a range.
Definition STLExtras.h:1667
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
auto successors(const MachineBasicBlock *BB)
OuterAnalysisManagerProxy< ModuleAnalysisManager, Function > ModuleAnalysisManagerFunctionProxy
Provide the ModuleAnalysisManager to Function proxy.
LLVM_ABI cl::opt< bool > EnableDetailedFunctionProperties("enable-detailed-function-properties", cl::Hidden, cl::init(false), cl::desc("Whether or not to compute detailed function properties."))
void append_range(Container &C, Range &&R)
Wrapper function to append range R to container C.
Definition STLExtras.h:2198
auto pred_size(const MachineBasicBlock *BB)
LLVM_ABI raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
Definition Debug.cpp:207
auto succ_size(const MachineBasicBlock *BB)
bool isa(const From &Val)
isa<X> - Return true if the parameter to the template is an instance of one of the template type argu...
Definition Casting.h:547
static cl::opt< unsigned > BigBasicBlockInstructionThreshold("big-basic-block-instruction-threshold", cl::Hidden, cl::init(500), cl::desc("The minimum number of instructions a basic block should contain " "before being considered big."))
bool is_contained(R &&Range, const E &Element)
Returns true if Element is found in Range.
Definition STLExtras.h:1945
static cl::opt< unsigned > MediumBasicBlockInstructionThreshold("medium-basic-block-instruction-threshold", cl::Hidden, cl::init(15), cl::desc("The minimum number of instructions a basic block should contain " "before being considered medium-sized."))
AnalysisManager< Function > FunctionAnalysisManager
Convenience typedef for the Function analysis manager.
A special type used by analysis passes to provide an address that identifies that particular analysis...
Definition Analysis.h:29
PreservedAnalyses run(Function &F, FunctionAnalysisManager &FAM)
Embedding is a datatype that wraps std::vector<double>.
Definition IR2Vec.h:88