LLVM 23.0.0git
VPlanAnalysis.cpp
Go to the documentation of this file.
1//===- VPlanAnalysis.cpp - Various Analyses working on VPlan ----*- C++ -*-===//
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#include "VPlanAnalysis.h"
10#include "VPlan.h"
11#include "VPlanCFG.h"
12#include "VPlanDominatorTree.h"
13#include "VPlanHelpers.h"
14#include "VPlanPatternMatch.h"
16#include "llvm/ADT/TypeSwitch.h"
19#include "llvm/IR/Instruction.h"
21
22using namespace llvm;
23using namespace VPlanPatternMatch;
24
25#define DEBUG_TYPE "vplan"
26
28 : Ctx(Plan.getContext()), DL(Plan.getDataLayout()) {
29 if (auto LoopRegion = Plan.getVectorLoopRegion()) {
30 CanonicalIVTy = LoopRegion->getCanonicalIVType();
31 return;
32 }
33
34 // If there's no loop region, retrieve the type from the trip count
35 // expression.
36 auto *TC = Plan.getTripCount();
37 if (auto *TCIRV = dyn_cast<VPIRValue>(TC)) {
38 CanonicalIVTy = TCIRV->getType();
39 return;
40 }
41 CanonicalIVTy = cast<VPExpandSCEVRecipe>(TC)->getSCEV()->getType();
42}
43
44Type *VPTypeAnalysis::inferScalarTypeForRecipe(const VPBlendRecipe *R) {
45 Type *ResTy = inferScalarType(R->getIncomingValue(0));
46 for (unsigned I = 1, E = R->getNumIncomingValues(); I != E; ++I) {
47 VPValue *Inc = R->getIncomingValue(I);
48 assert(inferScalarType(Inc) == ResTy &&
49 "different types inferred for different incoming values");
50 CachedTypes[Inc] = ResTy;
51 }
52 return ResTy;
53}
54
55Type *VPTypeAnalysis::inferScalarTypeForRecipe(const VPInstruction *R) {
56 // Set the result type from the first operand, check if the types for all
57 // other operands match and cache them.
58 auto SetResultTyFromOp = [this, R]() {
59 Type *ResTy = inferScalarType(R->getOperand(0));
60 unsigned NumOperands = R->getNumOperandsWithoutMask();
61 for (unsigned Op = 1; Op != NumOperands; ++Op) {
62 VPValue *OtherV = R->getOperand(Op);
63 assert(inferScalarType(OtherV) == ResTy &&
64 "different types inferred for different operands");
65 CachedTypes[OtherV] = ResTy;
66 }
67 return ResTy;
68 };
69
70 unsigned Opcode = R->getOpcode();
72 return SetResultTyFromOp();
73
74 switch (Opcode) {
75 case Instruction::ExtractElement:
76 case Instruction::Freeze:
77 case Instruction::PHI:
90 return inferScalarType(R->getOperand(0));
91 case Instruction::Select: {
92 Type *ResTy = inferScalarType(R->getOperand(1));
93 VPValue *OtherV = R->getOperand(2);
94 assert(inferScalarType(OtherV) == ResTy &&
95 "different types inferred for different operands");
96 CachedTypes[OtherV] = ResTy;
97 return ResTy;
98 }
99 case Instruction::ICmp:
100 case Instruction::FCmp:
102 assert(inferScalarType(R->getOperand(0)) ==
103 inferScalarType(R->getOperand(1)) &&
104 "different types inferred for different operands");
105 return IntegerType::get(Ctx, 1);
107 return Type::getIntNTy(Ctx, 32);
116 return SetResultTyFromOp();
118 return inferScalarType(R->getOperand(1));
121 // Assume that the maximum possible number of elements in a vector fits
122 // within the index type for the default address space.
123 return DL.getIndexType(Ctx, 0);
126 assert(inferScalarType(R->getOperand(0))->isIntegerTy(1) &&
127 inferScalarType(R->getOperand(1))->isIntegerTy(1) &&
128 "LogicalAnd/Or operands should be bool");
129 return IntegerType::get(Ctx, 1);
131 assert(inferScalarType(R->getOperand(0))->isIntegerTy(1));
132 return IntegerType::get(Ctx, 1);
136 case Instruction::Store:
137 case Instruction::Switch:
138 return Type::getVoidTy(Ctx);
139 case Instruction::Load:
140 return cast<LoadInst>(R->getUnderlyingValue())->getType();
141 case Instruction::Alloca:
142 return cast<AllocaInst>(R->getUnderlyingValue())->getType();
143 case Instruction::Call: {
144 unsigned CallIdx = R->getNumOperandsWithoutMask() - 1;
145 return cast<Function>(R->getOperand(CallIdx)->getLiveInIRValue())
146 ->getReturnType();
147 }
148 case Instruction::GetElementPtr:
149 return inferScalarType(R->getOperand(0));
150 case Instruction::ExtractValue:
151 return cast<ExtractValueInst>(R->getUnderlyingValue())->getType();
152 default:
153 break;
154 }
155 // Type inference not implemented for opcode.
156 LLVM_DEBUG({
157 dbgs() << "LV: Found unhandled opcode for: ";
158 R->getVPSingleValue()->dump();
159 });
160 llvm_unreachable("Unhandled opcode!");
161}
162
163Type *VPTypeAnalysis::inferScalarTypeForRecipe(const VPWidenRecipe *R) {
164 unsigned Opcode = R->getOpcode();
165 if (Instruction::isBinaryOp(Opcode) || Instruction::isShift(Opcode) ||
167 Type *ResTy = inferScalarType(R->getOperand(0));
168 assert(ResTy == inferScalarType(R->getOperand(1)) &&
169 "types for both operands must match for binary op");
170 CachedTypes[R->getOperand(1)] = ResTy;
171 return ResTy;
172 }
173
174 switch (Opcode) {
175 case Instruction::ICmp:
176 case Instruction::FCmp:
177 return IntegerType::get(Ctx, 1);
178 case Instruction::FNeg:
179 case Instruction::Freeze:
180 return inferScalarType(R->getOperand(0));
181 case Instruction::ExtractValue: {
182 assert(R->getNumOperands() == 2 && "expected single level extractvalue");
183 auto *StructTy = cast<StructType>(inferScalarType(R->getOperand(0)));
184 return StructTy->getTypeAtIndex(
185 cast<VPConstantInt>(R->getOperand(1))->getZExtValue());
186 }
187 case Instruction::Select: {
188 Type *ResTy = inferScalarType(R->getOperand(1));
189 VPValue *OtherV = R->getOperand(2);
190 assert(inferScalarType(OtherV) == ResTy &&
191 "different types inferred for different operands");
192 CachedTypes[OtherV] = ResTy;
193 return ResTy;
194 }
195 default:
196 break;
197 }
198
199 // Type inference not implemented for opcode.
200 LLVM_DEBUG({
201 dbgs() << "LV: Found unhandled opcode for: ";
202 R->getVPSingleValue()->dump();
203 });
204 llvm_unreachable("Unhandled opcode!");
205}
206
207Type *VPTypeAnalysis::inferScalarTypeForRecipe(const VPWidenCallRecipe *R) {
208 auto &CI = *cast<CallInst>(R->getUnderlyingInstr());
209 return CI.getType();
210}
211
212Type *VPTypeAnalysis::inferScalarTypeForRecipe(const VPWidenMemoryRecipe *R) {
214 "Store recipes should not define any values");
215 return cast<LoadInst>(&R->getIngredient())->getType();
216}
217
218Type *VPTypeAnalysis::inferScalarTypeForRecipe(const VPReplicateRecipe *R) {
219 unsigned Opcode = R->getUnderlyingInstr()->getOpcode();
220
221 if (Instruction::isBinaryOp(Opcode) || Instruction::isShift(Opcode) ||
223 Type *ResTy = inferScalarType(R->getOperand(0));
224 assert(ResTy == inferScalarType(R->getOperand(1)) &&
225 "inferred types for operands of binary op don't match");
226 CachedTypes[R->getOperand(1)] = ResTy;
227 return ResTy;
228 }
229
230 if (Instruction::isCast(Opcode))
231 return R->getUnderlyingInstr()->getType();
232
233 switch (Opcode) {
234 case Instruction::Call: {
235 unsigned CallIdx = R->getNumOperands() - (R->isPredicated() ? 2 : 1);
236 return cast<Function>(R->getOperand(CallIdx)->getLiveInIRValue())
237 ->getReturnType();
238 }
239 case Instruction::Select: {
240 Type *ResTy = inferScalarType(R->getOperand(1));
241 assert(ResTy == inferScalarType(R->getOperand(2)) &&
242 "inferred types for operands of select op don't match");
243 CachedTypes[R->getOperand(2)] = ResTy;
244 return ResTy;
245 }
246 case Instruction::ICmp:
247 case Instruction::FCmp:
248 return IntegerType::get(Ctx, 1);
249 case Instruction::Alloca:
250 case Instruction::ExtractValue:
251 return R->getUnderlyingInstr()->getType();
252 case Instruction::Freeze:
253 case Instruction::FNeg:
254 case Instruction::GetElementPtr:
255 return inferScalarType(R->getOperand(0));
256 case Instruction::Load:
257 return cast<LoadInst>(R->getUnderlyingInstr())->getType();
258 case Instruction::Store:
259 // FIXME: VPReplicateRecipes with store opcodes still define a result
260 // VPValue, so we need to handle them here. Remove the code here once this
261 // is modeled accurately in VPlan.
262 return Type::getVoidTy(Ctx);
263 default:
264 break;
265 }
266 // Type inference not implemented for opcode.
267 LLVM_DEBUG({
268 dbgs() << "LV: Found unhandled opcode for: ";
269 R->getVPSingleValue()->dump();
270 });
271 llvm_unreachable("Unhandled opcode");
272}
273
275 if (Type *CachedTy = CachedTypes.lookup(V))
276 return CachedTy;
277
278 if (auto *IRV = dyn_cast<VPIRValue>(V))
279 return IRV->getType();
280
281 if (isa<VPSymbolicValue>(V)) {
282 // All VPValues without any underlying IR value (like the vector trip count
283 // or the backedge-taken count) have the same type as the canonical IV.
284 return CanonicalIVTy;
285 }
286
287 if (auto *RegionV = dyn_cast<VPRegionValue>(V))
288 return RegionV->getType();
289
290 Type *ResultTy =
291 TypeSwitch<const VPRecipeBase *, Type *>(V->getDefiningRecipe())
294 VPCurrentIterationPHIRecipe>([this](const auto *R) {
295 // Handle header phi recipes, except VPWidenIntOrFpInduction
296 // which needs special handling due it being possibly truncated.
297 // TODO: consider inferring/caching type of siblings, e.g.,
298 // backedge value, here and in cases below.
299 return inferScalarType(R->getStartValue());
300 })
301 .Case<VPWidenIntOrFpInductionRecipe, VPDerivedIVRecipe>(
302 [](const auto *R) { return R->getScalarType(); })
306 [this](const VPRecipeBase *R) {
307 return inferScalarType(R->getOperand(0));
308 })
309 // VPInstructionWithType must be handled before VPInstruction.
312 [](const auto *R) { return R->getResultType(); })
315 [this](const auto *R) { return inferScalarTypeForRecipe(R); })
316 .Case([V](const VPInterleaveBase *R) {
317 // TODO: Use info from interleave group.
318 return V->getUnderlyingValue()->getType();
319 })
320 .Case([](const VPExpandSCEVRecipe *R) {
321 return R->getSCEV()->getType();
322 })
323 .Case([this](const VPReductionRecipe *R) {
324 return inferScalarType(R->getChainOp());
325 })
326 .Case([this](const VPExpressionRecipe *R) {
327 return inferScalarType(R->getOperandOfResultType());
328 });
329
330 assert(ResultTy && "could not infer type for the given VPValue");
331 CachedTypes[V] = ResultTy;
332 return ResultTy;
333}
334
336 VPlan &Plan, DenseSet<VPRecipeBase *> &EphRecipes) {
337 // First, collect seed recipes which are operands of assumes.
341 for (VPRecipeBase &R : *VPBB) {
342 auto *RepR = dyn_cast<VPReplicateRecipe>(&R);
343 if (!RepR || !match(RepR, m_Intrinsic<Intrinsic::assume>()))
344 continue;
345 Worklist.push_back(RepR);
346 EphRecipes.insert(RepR);
347 }
348 }
349
350 // Process operands of candidates in worklist and add them to the set of
351 // ephemeral recipes, if they don't have side-effects and are only used by
352 // other ephemeral recipes.
353 while (!Worklist.empty()) {
354 VPRecipeBase *Cur = Worklist.pop_back_val();
355 for (VPValue *Op : Cur->operands()) {
356 auto *OpR = Op->getDefiningRecipe();
357 if (!OpR || OpR->mayHaveSideEffects() || EphRecipes.contains(OpR))
358 continue;
359 if (any_of(Op->users(), [EphRecipes](VPUser *U) {
360 auto *UR = dyn_cast<VPRecipeBase>(U);
361 return !UR || !EphRecipes.contains(UR);
362 }))
363 continue;
364 EphRecipes.insert(OpR);
365 Worklist.push_back(OpR);
366 }
367 }
368}
369
372
374 const VPRecipeBase *B) {
375 if (A == B)
376 return false;
377
378 auto LocalComesBefore = [](const VPRecipeBase *A, const VPRecipeBase *B) {
379 for (auto &R : *A->getParent()) {
380 if (&R == A)
381 return true;
382 if (&R == B)
383 return false;
384 }
385 llvm_unreachable("recipe not found");
386 };
387 const VPBlockBase *ParentA = A->getParent();
388 const VPBlockBase *ParentB = B->getParent();
389 if (ParentA == ParentB)
390 return LocalComesBefore(A, B);
391
392 return Base::properlyDominates(ParentA, ParentB);
393}
394
396 unsigned OverrideMaxNumRegs) const {
398 for (const auto &[RegClass, MaxUsers] : MaxLocalUsers) {
399 unsigned AvailableRegs = OverrideMaxNumRegs > 0
400 ? OverrideMaxNumRegs
401 : Ctx.TTI.getNumberOfRegisters(RegClass);
402 if (MaxUsers > AvailableRegs) {
403 // Assume that for each register used past what's available we get one
404 // spill and reload.
405 unsigned Spills = MaxUsers - AvailableRegs;
406 InstructionCost SpillCost =
407 Ctx.TTI.getRegisterClassSpillCost(RegClass, Ctx.CostKind) +
408 Ctx.TTI.getRegisterClassReloadCost(RegClass, Ctx.CostKind);
409 InstructionCost TotalCost = Spills * SpillCost;
410 LLVM_DEBUG(dbgs() << "LV(REG): Cost of " << TotalCost << " from "
411 << Spills << " spills of "
412 << Ctx.TTI.getRegisterClassName(RegClass) << "\n");
413 Cost += TotalCost;
414 }
415 }
416 return Cost;
417}
418
421 const SmallPtrSetImpl<const Value *> &ValuesToIgnore) {
422 // Each 'key' in the map opens a new interval. The values
423 // of the map are the index of the 'last seen' usage of the
424 // VPValue that is the key.
426
427 // Maps indices to recipes.
429 // Marks the end of each interval.
430 IntervalMap EndPoint;
431 // Saves the list of VPValues that are used in the loop.
433 // Saves the list of values that are used in the loop but are defined outside
434 // the loop (not including non-recipe values such as arguments and
435 // constants).
436 SmallSetVector<VPValue *, 8> LoopInvariants;
437 if (Plan.getVectorTripCount().getNumUsers() > 0)
438 LoopInvariants.insert(&Plan.getVectorTripCount());
439
440 // We scan the loop in a topological order in order and assign a number to
441 // each recipe. We use RPO to ensure that defs are met before their users. We
442 // assume that each recipe that has in-loop users starts an interval. We
443 // record every time that an in-loop value is used, so we have a list of the
444 // first occurences of each recipe and last occurrence of each VPValue.
445 VPRegionBlock *LoopRegion = Plan.getVectorLoopRegion();
447 LoopRegion);
449 if (!VPBB->getParent())
450 break;
451 for (VPRecipeBase &R : *VPBB) {
452 Idx2Recipe.push_back(&R);
453
454 // Save the end location of each USE.
455 for (VPValue *U : R.operands()) {
456 if (isa<VPRecipeValue>(U)) {
457 // Overwrite previous end points.
458 EndPoint[U] = Idx2Recipe.size();
459 Ends.insert(U);
460 } else if (auto *IRV = dyn_cast<VPIRValue>(U)) {
461 // Ignore non-recipe values such as arguments, constants, etc.
462 // FIXME: Might need some motivation why these values are ignored. If
463 // for example an argument is used inside the loop it will increase
464 // the register pressure (so shouldn't we add it to LoopInvariants).
465 if (!isa<Instruction>(IRV->getValue()))
466 continue;
467 // This recipe is outside the loop, record it and continue.
468 LoopInvariants.insert(U);
469 }
470 // Other types of VPValue are currently not tracked.
471 }
472 }
473 if (VPBB == LoopRegion->getExiting()) {
474 // VPWidenIntOrFpInductionRecipes are used implicitly at the end of the
475 // exiting block, where their increment will get materialized eventually.
476 for (auto &R : LoopRegion->getEntryBasicBlock()->phis()) {
477 if (auto *WideIV = dyn_cast<VPWidenIntOrFpInductionRecipe>(&R)) {
478 EndPoint[WideIV] = Idx2Recipe.size();
479 Ends.insert(WideIV);
480 }
481 }
482 }
483 }
484
485 // Saves the list of intervals that end with the index in 'key'.
486 using VPValueList = SmallVector<VPValue *, 2>;
488
489 // Next, we transpose the EndPoints into a multi map that holds the list of
490 // intervals that *end* at a specific location.
491 for (auto &Interval : EndPoint)
492 TransposeEnds[Interval.second].push_back(Interval.first);
493
494 SmallPtrSet<VPValue *, 8> OpenIntervals;
497
498 LLVM_DEBUG(dbgs() << "LV(REG): Calculating max register usage:\n");
499
500 VPTypeAnalysis TypeInfo(Plan);
501
502 const auto &TTICapture = TTI;
503 auto GetRegUsage = [&TTICapture](Type *Ty, ElementCount VF) -> unsigned {
504 if (Ty->isTokenTy() || !VectorType::isValidElementType(Ty) ||
505 (VF.isScalable() &&
506 !TTICapture.isElementTypeLegalForScalableVector(Ty)))
507 return 0;
508 return TTICapture.getRegUsageForType(VectorType::get(Ty, VF));
509 };
510
511 VPValue *CanIV = LoopRegion->getCanonicalIV();
512 // Note: canonical IVs are retained even if they have no users.
513 if (CanIV->getNumUsers() != 0)
514 OpenIntervals.insert(CanIV);
515
516 // We scan the instructions linearly and record each time that a new interval
517 // starts, by placing it in a set. If we find this value in TransposEnds then
518 // we remove it from the set. The max register usage is the maximum register
519 // usage of the recipes of the set.
520 for (unsigned int Idx = 0, Sz = Idx2Recipe.size(); Idx < Sz; ++Idx) {
521 VPRecipeBase *R = Idx2Recipe[Idx];
522
523 // Remove all of the VPValues that end at this location.
524 VPValueList &List = TransposeEnds[Idx];
525 for (VPValue *ToRemove : List)
526 OpenIntervals.erase(ToRemove);
527
528 // Ignore recipes that are never used within the loop and do not have side
529 // effects.
530 if (none_of(R->definedValues(),
531 [&Ends](VPValue *Def) { return Ends.count(Def); }) &&
532 !R->mayHaveSideEffects())
533 continue;
534
535 // Skip recipes for ignored values.
536 // TODO: Should mark recipes for ephemeral values that cannot be removed
537 // explictly in VPlan.
538 if (isa<VPSingleDefRecipe>(R) &&
539 ValuesToIgnore.contains(
540 cast<VPSingleDefRecipe>(R)->getUnderlyingValue()))
541 continue;
542
543 // For each VF find the maximum usage of registers.
544 for (unsigned J = 0, E = VFs.size(); J < E; ++J) {
545 // Count the number of registers used, per register class, given all open
546 // intervals.
547 // Note that elements in this SmallMapVector will be default constructed
548 // as 0. So we can use "RegUsage[ClassID] += n" in the code below even if
549 // there is no previous entry for ClassID.
551
552 for (auto *VPV : OpenIntervals) {
553 // Skip artificial values or values that weren't present in the original
554 // loop.
555 // TODO: Remove skipping values that weren't present in the original
556 // loop after removing the legacy
557 // LoopVectorizationCostModel::calculateRegisterUsage
559 VPBranchOnMaskRecipe>(VPV) ||
561 continue;
562
563 if (VFs[J].isScalar() ||
568 (cast<VPReductionPHIRecipe>(VPV))->isInLoop())) {
569 unsigned ClassID =
570 TTI.getRegisterClassForType(false, TypeInfo.inferScalarType(VPV));
571 // FIXME: The target might use more than one register for the type
572 // even in the scalar case.
573 RegUsage[ClassID] += 1;
574 } else {
575 // The output from scaled phis and scaled reductions actually has
576 // fewer lanes than the VF.
577 unsigned ScaleFactor =
578 vputils::getVFScaleFactor(VPV->getDefiningRecipe());
579 ElementCount VF = VFs[J];
580 if (ScaleFactor > 1) {
581 VF = VFs[J].divideCoefficientBy(ScaleFactor);
582 LLVM_DEBUG(dbgs() << "LV(REG): Scaled down VF from " << VFs[J]
583 << " to " << VF << " for " << *R << "\n";);
584 }
585
586 Type *ScalarTy = TypeInfo.inferScalarType(VPV);
587 unsigned ClassID = TTI.getRegisterClassForType(true, ScalarTy);
588 RegUsage[ClassID] += GetRegUsage(ScalarTy, VF);
589 }
590 }
591
592 for (const auto &Pair : RegUsage) {
593 auto &Entry = MaxUsages[J][Pair.first];
594 Entry = std::max(Entry, Pair.second);
595 }
596 }
597
598 LLVM_DEBUG(dbgs() << "LV(REG): At #" << Idx << " Interval # "
599 << OpenIntervals.size() << '\n');
600
601 // Add used VPValues defined by the current recipe to the list of open
602 // intervals.
603 for (VPValue *DefV : R->definedValues())
604 if (Ends.contains(DefV))
605 OpenIntervals.insert(DefV);
606 }
607
608 // We also search for instructions that are defined outside the loop, but are
609 // used inside the loop. We need this number separately from the max-interval
610 // usage number because when we unroll, loop-invariant values do not take
611 // more register.
613 for (unsigned Idx = 0, End = VFs.size(); Idx < End; ++Idx) {
614 // Note that elements in this SmallMapVector will be default constructed
615 // as 0. So we can use "Invariant[ClassID] += n" in the code below even if
616 // there is no previous entry for ClassID.
618
619 for (auto *In : LoopInvariants) {
620 // FIXME: The target might use more than one register for the type
621 // even in the scalar case.
622 bool IsScalar = vputils::onlyScalarValuesUsed(In);
623
624 ElementCount VF = IsScalar ? ElementCount::getFixed(1) : VFs[Idx];
625 unsigned ClassID = TTI.getRegisterClassForType(
626 VF.isVector(), TypeInfo.inferScalarType(In));
627 Invariant[ClassID] += GetRegUsage(TypeInfo.inferScalarType(In), VF);
628 }
629
630 LLVM_DEBUG({
631 dbgs() << "LV(REG): VF = " << VFs[Idx] << '\n';
632 dbgs() << "LV(REG): Found max usage: " << MaxUsages[Idx].size()
633 << " item\n";
634 for (const auto &pair : MaxUsages[Idx]) {
635 dbgs() << "LV(REG): RegisterClass: "
636 << TTI.getRegisterClassName(pair.first) << ", " << pair.second
637 << " registers\n";
638 }
639 dbgs() << "LV(REG): Found invariant usage: " << Invariant.size()
640 << " item\n";
641 for (const auto &pair : Invariant) {
642 dbgs() << "LV(REG): RegisterClass: "
643 << TTI.getRegisterClassName(pair.first) << ", " << pair.second
644 << " registers\n";
645 }
646 });
647
648 RU.LoopInvariantRegs = Invariant;
649 RU.MaxLocalUsers = MaxUsages[Idx];
650 RUs[Idx] = RU;
651 }
652
653 return RUs;
654}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
ReachingDefInfo InstSet & ToRemove
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
#define I(x, y, z)
Definition MD5.cpp:57
std::pair< uint64_t, uint64_t > Interval
if(PassOpts->AAPipeline)
This file builds on the ADT/GraphTraits.h file to build a generic graph post order iterator.
#define LLVM_DEBUG(...)
Definition Debug.h:114
This pass exposes codegen information to IR-level passes.
This file implements the TypeSwitch template, which mimics a switch() statement whose cases are type ...
This file implements dominator tree analysis for a single level of a VPlan's H-CFG.
This file contains the declarations of different VPlan-related auxiliary helpers.
This file contains the declarations of the Vectorization Plan base classes:
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition ArrayRef.h:40
size_t size() const
size - Get the array size.
Definition ArrayRef.h:142
Implements a dense probed hash-table based set.
Definition DenseSet.h:279
Core dominator tree base class.
bool properlyDominates(const DomTreeNodeBase< VPBlockBase > *A, const DomTreeNodeBase< VPBlockBase > *B) const
constexpr bool isVector() const
One or more elements.
Definition TypeSize.h:324
static constexpr ElementCount getFixed(ScalarTy MinVal)
Definition TypeSize.h:309
bool isCast() const
bool isBinaryOp() const
bool isBitwiseLogicOp() const
Return true if this is and/or/xor.
bool isShift() const
bool isUnaryOp() const
static LLVM_ABI IntegerType * get(LLVMContext &C, unsigned NumBits)
This static method is the primary way of constructing an IntegerType.
Definition Type.cpp:354
bool insert(const value_type &X)
Insert a new element into the SetVector.
Definition SetVector.h:151
size_type size() const
Definition SmallPtrSet.h:99
A templated base class for SmallPtrSet which provides the typesafe interface that is common across al...
bool erase(PtrType Ptr)
Remove pointer from the set.
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
bool contains(ConstPtrType Ptr) const
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements.
A SetVector that performs no allocations if smaller than a certain size.
Definition SetVector.h:339
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
This pass provides access to the codegen interfaces that are needed for IR-level transformations.
This class implements a switch-like dispatch statement for a value of 'T' using dyn_cast functionalit...
Definition TypeSwitch.h:89
TypeSwitch< T, ResultT > & Case(CallableT &&caseFn)
Add a case on the given type.
Definition TypeSwitch.h:98
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:46
static LLVM_ABI Type * getVoidTy(LLVMContext &C)
Definition Type.cpp:286
bool isIntegerTy() const
True if this is an instance of IntegerType.
Definition Type.h:257
static LLVM_ABI IntegerType * getIntNTy(LLVMContext &C, unsigned N)
Definition Type.cpp:317
A recipe for generating the active lane mask for the vector loop that is used to predicate the vector...
Definition VPlan.h:3801
VPBasicBlock serves as the leaf of the Hierarchical Control-Flow Graph.
Definition VPlan.h:4168
iterator_range< iterator > phis()
Returns an iterator range over the PHI-like recipes in the block.
Definition VPlan.h:4256
A recipe for vectorizing a phi-node as a sequence of mask-based select instructions.
Definition VPlan.h:2788
VPBlockBase is the building block of the Hierarchical Control-Flow Graph.
Definition VPlan.h:98
const VPBasicBlock * getEntryBasicBlock() const
Definition VPlan.cpp:182
static auto blocksOnly(T &&Range)
Return an iterator range over Range which only includes BlockTy blocks.
Definition VPlanUtils.h:276
A recipe for generating conditional branches on the bits of a mask.
Definition VPlan.h:3285
A recipe for generating the phi node tracking the current scalar iteration index.
Definition VPlan.h:3833
A recipe for converting the input value IV value to the corresponding value of an IV with different s...
Definition VPlan.h:3917
bool properlyDominates(const VPRecipeBase *A, const VPRecipeBase *B)
Recipe to expand a SCEV expression.
Definition VPlan.h:3765
A recipe to combine multiple recipes into a single 'expression' recipe, which should be considered a ...
Definition VPlan.h:3330
A specialization of VPInstruction augmenting it with a dedicated result type, to be used when the opc...
Definition VPlan.h:1516
This is a concrete Recipe that models a single VPlan-level instruction.
Definition VPlan.h:1223
@ ExtractLastActive
Extracts the last active lane from a set of vectors.
Definition VPlan.h:1333
@ ExtractLane
Extracts a single lane (first operand) from a set of vector operands.
Definition VPlan.h:1324
@ ExitingIVValue
Compute the exiting value of a wide induction after vectorization, that is the value of the last lane...
Definition VPlan.h:1340
@ ResumeForEpilogue
Explicit user for the resume phi of the canonical induction in the main VPlan, used by the epilogue v...
Definition VPlan.h:1327
@ Unpack
Extracts all lanes from its (non-scalable) vector operand.
Definition VPlan.h:1267
@ ReductionStartVector
Start vector for reductions with 3 operands: the original start value, the identity value for the red...
Definition VPlan.h:1318
@ BuildVector
Creates a fixed-width vector containing all operands.
Definition VPlan.h:1262
@ BuildStructVector
Given operands of (the same) struct type, creates a struct of fixed- width vectors each containing a ...
Definition VPlan.h:1259
@ CanonicalIVIncrementForPart
Definition VPlan.h:1243
@ ComputeReductionResult
Reduce the operands to the final reduction result using the operation specified via the operation's V...
Definition VPlan.h:1270
A common base class for interleaved memory operations.
Definition VPlan.h:2860
VPPredInstPHIRecipe is a recipe for generating the phi nodes needed when control converges back from ...
Definition VPlan.h:3472
VPRecipeBase is a base class modeling a sequence of one or more output IR instructions.
Definition VPlan.h:406
A recipe for handling reduction phis.
Definition VPlan.h:2694
A recipe to represent inloop, ordered or partial reduction operations.
Definition VPlan.h:3050
VPRegionBlock represents a collection of VPBasicBlocks and VPRegionBlocks which form a Single-Entry-S...
Definition VPlan.h:4378
const VPBlockBase * getEntry() const
Definition VPlan.h:4422
VPRegionValue * getCanonicalIV()
Return the canonical induction variable of the region, null for replicating regions.
Definition VPlan.h:4490
const VPBlockBase * getExiting() const
Definition VPlan.h:4434
VPValues defined by a VPRegionBlock, like the canonical IV.
Definition VPlanValue.h:209
VPReplicateRecipe replicates a given instruction producing multiple scalar copies of the original sca...
Definition VPlan.h:3204
A recipe for handling phi nodes of integer and floating-point inductions, producing their scalar valu...
Definition VPlan.h:3988
An analysis for type-inference for VPValues.
LLVMContext & getContext()
Return the LLVMContext used by the analysis.
Type * inferScalarType(const VPValue *V)
Infer the type of V. Returns the scalar type of V.
VPTypeAnalysis(const VPlan &Plan)
This class augments VPValue with operands which provide the inverse def-use edges from VPValue's user...
Definition VPlanValue.h:329
operand_range operands()
Definition VPlanValue.h:397
This is the base class of the VPlan Def/Use graph, used for modeling the data flow into,...
Definition VPlanValue.h:49
unsigned getNumUsers() const
Definition VPlanValue.h:113
A recipe to compute a pointer to the last element of each part of a widened memory access for widened...
Definition VPlan.h:2151
A recipe to compute the pointers for widened memory accesses of SourceElementTy.
Definition VPlan.h:2224
A recipe for widening Call instructions using library calls.
Definition VPlan.h:1989
A Recipe for widening the canonical induction variable of the vector loop.
Definition VPlan.h:3876
VPWidenCastRecipe is a recipe to create vector cast instructions.
Definition VPlan.h:1837
A recipe for handling GEP instructions.
Definition VPlan.h:2087
A recipe for widening vector intrinsics.
Definition VPlan.h:1889
A common base class for widening memory operations.
Definition VPlan.h:3515
A recipe for widened phis.
Definition VPlan.h:2584
VPWidenRecipe is a recipe for producing a widened instruction using the opcode and operands of the re...
Definition VPlan.h:1781
VPlan models a candidate for vectorization, encoding various decisions take to produce efficient outp...
Definition VPlan.h:4526
VPValue * getTripCount() const
The trip count of the original loop.
Definition VPlan.h:4677
VPSymbolicValue & getVectorTripCount()
The vector trip count.
Definition VPlan.h:4706
LLVM_ABI_FOR_TEST VPRegionBlock * getVectorLoopRegion()
Returns the VPRegionBlock of the vector loop.
Definition VPlan.cpp:1095
static LLVM_ABI VectorType * get(Type *ElementType, ElementCount EC)
This static method is the primary way to construct an VectorType.
static LLVM_ABI bool isValidElementType(Type *ElemTy)
Return true if the specified type is valid as a element type.
std::pair< iterator, bool > insert(const ValueT &V)
Definition DenseSet.h:202
bool contains(const_arg_type_t< ValueT > V) const
Check if the set contains the given element.
Definition DenseSet.h:175
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
bool match(Val *V, const Pattern &P)
IntrinsicID_match m_Intrinsic()
Match intrinsic calls like this: m_Intrinsic<Intrinsic::fabs>(m_Value(X))
auto m_VPValue()
Match an arbitrary VPValue and ignore it.
VPInstruction_match< VPInstruction::ExtractLastPart, Op0_t > m_ExtractLastPart(const Op0_t &Op0)
bool onlyScalarValuesUsed(const VPValue *Def)
Returns true if only scalar values of Def are used by all users.
unsigned getVFScaleFactor(VPRecipeBase *R)
Get the VF scaling factor applied to the recipe's output, if the recipe has one.
This is an optimization pass for GlobalISel generic memory operations.
InstructionCost Cost
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
iterator_range< df_iterator< VPBlockDeepTraversalWrapper< VPBlockBase * > > > vp_depth_first_deep(VPBlockBase *G)
Returns an iterator range to traverse the graph starting at G in depth-first order while traversing t...
Definition VPlanCFG.h:265
SmallVector< VPRegisterUsage, 8 > calculateRegisterUsageForPlan(VPlan &Plan, ArrayRef< ElementCount > VFs, const TargetTransformInfo &TTI, const SmallPtrSetImpl< const Value * > &ValuesToIgnore)
Estimate the register usage for Plan and vectorization factors in VFs by calculating the highest numb...
bool any_of(R &&range, UnaryPredicate P)
Provide wrappers to std::any_of which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1746
void collectEphemeralRecipesForVPlan(VPlan &Plan, DenseSet< VPRecipeBase * > &EphRecipes)
LLVM_ABI raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
Definition Debug.cpp:207
bool none_of(R &&Range, UnaryPredicate P)
Provide wrappers to std::none_of which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1753
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
TargetTransformInfo TTI
DWARFExpression::Operation Op
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
A MapVector that performs no allocations if smaller than a certain size.
Definition MapVector.h:276
Struct to hold various analysis needed for cost computations.
A recipe for handling first-order recurrence phis.
Definition VPlan.h:2632
A struct that represents some properties of the register usage of a loop.
SmallMapVector< unsigned, unsigned, 4 > MaxLocalUsers
Holds the maximum number of concurrent live intervals in the loop.
InstructionCost spillCost(VPCostContext &Ctx, unsigned OverrideMaxNumRegs=0) const
Calculate the estimated cost of any spills due to using more registers than the number available for ...
SmallMapVector< unsigned, unsigned, 4 > LoopInvariantRegs
Holds the number of loop invariant values that are used in the loop.