LLVM 23.0.0git
LoopVectorizationPlanner.h
Go to the documentation of this file.
1//===- LoopVectorizationPlanner.h - Planner for LoopVectorization ---------===//
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/// \file
10/// This file provides a LoopVectorizationPlanner class.
11/// InnerLoopVectorizer vectorizes loops which contain only one basic
12/// LoopVectorizationPlanner - drives the vectorization process after having
13/// passed Legality checks.
14/// The planner builds and optimizes the Vectorization Plans which record the
15/// decisions how to vectorize the given loop. In particular, represent the
16/// control-flow of the vectorized version, the replication of instructions that
17/// are to be scalarized, and interleave access groups.
18///
19/// Also provides a VPlan-based builder utility analogous to IRBuilder.
20/// It provides an instruction-level API for generating VPInstructions while
21/// abstracting away the Recipe manipulation details.
22//===----------------------------------------------------------------------===//
23
24#ifndef LLVM_TRANSFORMS_VECTORIZE_LOOPVECTORIZATIONPLANNER_H
25#define LLVM_TRANSFORMS_VECTORIZE_LOOPVECTORIZATIONPLANNER_H
26
27#include "VPlan.h"
28#include "llvm/ADT/SmallSet.h"
31
32namespace {
33class GeneratedRTChecks;
34}
35
36namespace llvm {
37
38class LoopInfo;
39class DominatorTree;
45class LoopVersioning;
48class VPRecipeBuilder;
49struct VPRegisterUsage;
50struct VFRange;
51
55
56/// \return An upper bound for vscale based on TTI or the vscale_range
57/// attribute.
58std::optional<unsigned> getMaxVScale(const Function &F,
60
61/// Reports an informative message: print \p Msg for debugging purposes as well
62/// as an optimization remark. Uses either \p I as location of the remark, or
63/// otherwise \p TheLoop. If \p DL is passed, use it as debug location for the
64/// remark.
65void reportVectorizationInfo(const StringRef Msg, const StringRef ORETag,
67 const Loop *TheLoop, Instruction *I = nullptr,
68 DebugLoc DL = {});
69
70/// VPlan-based builder utility analogous to IRBuilder.
71class VPBuilder {
72 VPBasicBlock *BB = nullptr;
74
75 /// Insert \p VPI in BB at InsertPt if BB is set.
76 template <typename T> T *tryInsertInstruction(T *R) {
77 if (BB)
78 BB->insert(R, InsertPt);
79 return R;
80 }
81
82 VPInstruction *createInstruction(unsigned Opcode,
83 ArrayRef<VPValue *> Operands,
84 const VPIRMetadata &MD, DebugLoc DL,
85 const Twine &Name = "") {
86 return tryInsertInstruction(
87 new VPInstruction(Opcode, Operands, {}, MD, DL, Name));
88 }
89
90public:
91 VPBuilder() = default;
92 VPBuilder(VPBasicBlock *InsertBB) { setInsertPoint(InsertBB); }
93 VPBuilder(VPRecipeBase *InsertPt) { setInsertPoint(InsertPt); }
97
98 /// Clear the insertion point: created instructions will not be inserted into
99 /// a block.
101 BB = nullptr;
102 InsertPt = VPBasicBlock::iterator();
103 }
104
105 VPBasicBlock *getInsertBlock() const { return BB; }
106 VPBasicBlock::iterator getInsertPoint() const { return InsertPt; }
107
108 /// Create a VPBuilder to insert after \p R.
110 VPBuilder B;
111 B.setInsertPoint(R->getParent(), std::next(R->getIterator()));
112 return B;
113 }
114
115 /// InsertPoint - A saved insertion point.
117 VPBasicBlock *Block = nullptr;
119
120 public:
121 /// Creates a new insertion point which doesn't point to anything.
122 VPInsertPoint() = default;
123
124 /// Creates a new insertion point at the given location.
126 : Block(InsertBlock), Point(InsertPoint) {}
127
128 /// Returns true if this insert point is set.
129 bool isSet() const { return Block != nullptr; }
130
131 VPBasicBlock *getBlock() const { return Block; }
132 VPBasicBlock::iterator getPoint() const { return Point; }
133 };
134
135 /// Sets the current insert point to a previously-saved location.
137 if (IP.isSet())
138 setInsertPoint(IP.getBlock(), IP.getPoint());
139 else
141 }
142
143 /// This specifies that created VPInstructions should be appended to the end
144 /// of the specified block.
146 assert(TheBB && "Attempting to set a null insert point");
147 BB = TheBB;
148 InsertPt = BB->end();
149 }
150
151 /// This specifies that created instructions should be inserted at the
152 /// specified point.
154 BB = TheBB;
155 InsertPt = IP;
156 }
157
158 /// This specifies that created instructions should be inserted at the
159 /// specified point.
161 BB = IP->getParent();
162 InsertPt = IP->getIterator();
163 }
164
165 /// Insert \p R at the current insertion point. Returns \p R unchanged.
166 template <typename T> [[maybe_unused]] T *insert(T *R) {
167 BB->insert(R, InsertPt);
168 return R;
169 }
170
171 /// Create an N-ary operation with \p Opcode, \p Operands and set \p Inst as
172 /// its underlying Instruction.
174 Instruction *Inst = nullptr,
175 const VPIRFlags &Flags = {},
176 const VPIRMetadata &MD = {},
178 const Twine &Name = "") {
179 VPInstruction *NewVPInst = tryInsertInstruction(
180 new VPInstruction(Opcode, Operands, Flags, MD, DL, Name));
181 NewVPInst->setUnderlyingValue(Inst);
182 return NewVPInst;
183 }
185 DebugLoc DL, const Twine &Name = "") {
186 return createInstruction(Opcode, Operands, {}, DL, Name);
187 }
189 const VPIRFlags &Flags,
191 const Twine &Name = "") {
192 return tryInsertInstruction(
193 new VPInstruction(Opcode, Operands, Flags, {}, DL, Name));
194 }
195
197 Type *ResultTy, const VPIRFlags &Flags = {},
199 const Twine &Name = "") {
200 return tryInsertInstruction(new VPInstructionWithType(
201 Opcode, Operands, ResultTy, Flags, {}, DL, Name));
202 }
203
205 unsigned Opcode, ArrayRef<VPValue *> Operands,
206 VPRecipeWithIRFlags::WrapFlagsTy WrapFlags = {false, false},
207 DebugLoc DL = DebugLoc::getUnknown(), const Twine &Name = "") {
208 return tryInsertInstruction(
209 new VPInstruction(Opcode, Operands, WrapFlags, {}, DL, Name));
210 }
211
214 const Twine &Name = "") {
215 return createInstruction(VPInstruction::Not, {Operand}, {}, DL, Name);
216 }
217
220 const Twine &Name = "") {
221 return createInstruction(Instruction::BinaryOps::And, {LHS, RHS}, {}, DL,
222 Name);
223 }
224
227 const Twine &Name = "") {
228
229 return tryInsertInstruction(new VPInstruction(
230 Instruction::BinaryOps::Or, {LHS, RHS},
231 VPRecipeWithIRFlags::DisjointFlagsTy(false), {}, DL, Name));
232 }
233
236 const Twine &Name = "",
237 VPRecipeWithIRFlags::WrapFlagsTy WrapFlags = {false, false}) {
238 return createOverflowingOp(Instruction::Add, {LHS, RHS}, WrapFlags, DL,
239 Name);
240 }
241
242 VPInstruction *
244 const Twine &Name = "",
245 VPRecipeWithIRFlags::WrapFlagsTy WrapFlags = {false, false}) {
246 return createOverflowingOp(Instruction::Sub, {LHS, RHS}, WrapFlags, DL,
247 Name);
248 }
249
255
261
263 VPValue *FalseVal,
265 const Twine &Name = "",
266 const VPIRFlags &Flags = {}) {
267 return tryInsertInstruction(new VPInstruction(
268 Instruction::Select, {Cond, TrueVal, FalseVal}, Flags, {}, DL, Name));
269 }
270
271 /// Create a new ICmp VPInstruction with predicate \p Pred and operands \p A
272 /// and \p B.
275 const Twine &Name = "") {
277 Pred <= CmpInst::LAST_ICMP_PREDICATE && "invalid predicate");
278 return tryInsertInstruction(
279 new VPInstruction(Instruction::ICmp, {A, B}, Pred, {}, DL, Name));
280 }
281
282 /// Create a new FCmp VPInstruction with predicate \p Pred and operands \p A
283 /// and \p B.
286 const Twine &Name = "") {
288 Pred <= CmpInst::LAST_FCMP_PREDICATE && "invalid predicate");
289 return tryInsertInstruction(
290 new VPInstruction(Instruction::FCmp, {A, B},
291 VPIRFlags(Pred, FastMathFlags()), {}, DL, Name));
292 }
293
294 /// Create an AnyOf reduction pattern: or-reduce \p ChainOp, freeze the
295 /// result, then select between \p TrueVal and \p FalseVal.
297 VPValue *FalseVal,
299
302 const Twine &Name = "") {
303 return tryInsertInstruction(
305 GEPNoWrapFlags::none(), {}, DL, Name));
306 }
307
309 GEPNoWrapFlags GEPFlags,
311 const Twine &Name = "") {
312 return tryInsertInstruction(new VPInstruction(
313 VPInstruction::PtrAdd, {Ptr, Offset}, GEPFlags, {}, DL, Name));
314 }
315
318 const Twine &Name = "") {
319 return tryInsertInstruction(
321 GEPNoWrapFlags::none(), {}, DL, Name));
322 }
323
326 const Twine &Name = "", const VPIRFlags &Flags = {}) {
327 return tryInsertInstruction(new VPPhi(IncomingValues, Flags, DL, Name));
328 }
329
332 const Twine &Name = "") {
333 return tryInsertInstruction(new VPWidenPHIRecipe(IncomingValues, DL, Name));
334 }
335
337 VPlan &Plan = *getInsertBlock()->getPlan();
338 VPValue *RuntimeEC = Plan.getConstantInt(Ty, EC.getKnownMinValue());
339 if (EC.isScalable()) {
340 VPValue *VScale = createNaryOp(VPInstruction::VScale, {}, Ty);
341 RuntimeEC = EC.getKnownMinValue() == 1
342 ? VScale
343 : createOverflowingOp(Instruction::Mul,
344 {VScale, RuntimeEC}, {true, false});
345 }
346 return RuntimeEC;
347 }
348
349 /// Convert the input value \p Current to the corresponding value of an
350 /// induction with \p Start and \p Step values, using \p Start + \p Current *
351 /// \p Step.
353 FPMathOperator *FPBinOp, VPIRValue *Start,
354 VPValue *Current, VPValue *Step,
355 const Twine &Name = "") {
356 return tryInsertInstruction(
357 new VPDerivedIVRecipe(Kind, FPBinOp, Start, Current, Step, Name));
358 }
359
361 DebugLoc DL,
362 const VPIRMetadata &Metadata = {}) {
363 return tryInsertInstruction(new VPInstructionWithType(
364 Instruction::Load, Addr, ResultTy, {}, Metadata, DL));
365 }
366
368 Type *ResultTy, DebugLoc DL,
369 const VPIRMetadata &Metadata = {}) {
370 return tryInsertInstruction(new VPInstructionWithType(
371 Opcode, Op, ResultTy, VPIRFlags::getDefaultFlags(Opcode), Metadata,
372 DL));
373 }
374
376 Type *ResultTy, DebugLoc DL,
377 const VPIRFlags &Flags,
378 const VPIRMetadata &Metadata = {}) {
379 return tryInsertInstruction(
380 new VPInstructionWithType(Opcode, Op, ResultTy, Flags, Metadata, DL));
381 }
382
384 DebugLoc DL) {
385 if (ResultTy == SrcTy)
386 return Op;
387 Instruction::CastOps CastOp =
388 ResultTy->getScalarSizeInBits() < SrcTy->getScalarSizeInBits()
389 ? Instruction::Trunc
390 : Instruction::ZExt;
391 return createScalarCast(CastOp, Op, ResultTy, DL);
392 }
393
395 DebugLoc DL) {
396 if (ResultTy == SrcTy)
397 return Op;
398 Instruction::CastOps CastOp =
399 ResultTy->getScalarSizeInBits() < SrcTy->getScalarSizeInBits()
400 ? Instruction::Trunc
401 : Instruction::SExt;
402 return createScalarCast(CastOp, Op, ResultTy, DL);
403 }
404
406 Type *ResultTy) {
407 return tryInsertInstruction(new VPWidenCastRecipe(
408 Opcode, Op, ResultTy, nullptr, VPIRFlags::getDefaultFlags(Opcode)));
409 }
410
413 FPMathOperator *FPBinOp, VPValue *IV, VPValue *Step,
414 VPValue *VF, DebugLoc DL) {
415 return tryInsertInstruction(new VPScalarIVStepsRecipe(
416 IV, Step, VF, InductionOpcode,
417 FPBinOp ? FPBinOp->getFastMathFlags() : FastMathFlags(), DL));
418 }
419
421 return tryInsertInstruction(new VPExpandSCEVRecipe(Expr));
422 }
423
424 //===--------------------------------------------------------------------===//
425 // RAII helpers.
426 //===--------------------------------------------------------------------===//
427
428 /// RAII object that stores the current insertion point and restores it when
429 /// the object is destroyed.
431 VPBuilder &Builder;
432 VPBasicBlock *Block;
434
435 public:
437 : Builder(B), Block(B.getInsertBlock()), Point(B.getInsertPoint()) {}
438
441
442 ~InsertPointGuard() { Builder.restoreIP(VPInsertPoint(Block, Point)); }
443 };
444};
445
446/// TODO: The following VectorizationFactor was pulled out of
447/// LoopVectorizationCostModel class. LV also deals with
448/// VectorizerParams::VectorizationFactor.
449/// We need to streamline them.
450
451/// Information about vectorization costs.
453 /// Vector width with best cost.
455
456 /// Cost of the loop with that width.
458
459 /// Cost of the scalar loop.
461
462 /// The minimum trip count required to make vectorization profitable, e.g. due
463 /// to runtime checks.
465
469
470 /// Width 1 means no vectorization, cost 0 means uncomputed cost.
472 return {ElementCount::getFixed(1), 0, 0};
473 }
474
475 bool operator==(const VectorizationFactor &rhs) const {
476 return Width == rhs.Width && Cost == rhs.Cost;
477 }
478
479 bool operator!=(const VectorizationFactor &rhs) const {
480 return !(*this == rhs);
481 }
482};
483
484/// A class that represents two vectorization factors (initialized with 0 by
485/// default). One for fixed-width vectorization and one for scalable
486/// vectorization. This can be used by the vectorizer to choose from a range of
487/// fixed and/or scalable VFs in order to find the most cost-effective VF to
488/// vectorize with.
492
494 : FixedVF(ElementCount::getFixed(0)),
495 ScalableVF(ElementCount::getScalable(0)) {}
497 *(Max.isScalable() ? &ScalableVF : &FixedVF) = Max;
498 }
502 assert(!FixedVF.isScalable() && ScalableVF.isScalable() &&
503 "Invalid scalable properties");
504 }
505
507
508 /// \return true if either fixed- or scalable VF is non-zero.
509 explicit operator bool() const { return FixedVF || ScalableVF; }
510
511 /// \return true if either fixed- or scalable VF is a valid vector VF.
512 bool hasVector() const { return FixedVF.isVector() || ScalableVF.isVector(); }
513};
514
515/// Holds state needed to make cost decisions before computing costs per-VF,
516/// including the maximum VFs.
518 /// \return True if maximizing vector bandwidth is enabled by the target or
519 /// user options, for the given register kind (scalable or fixed-width).
520 bool useMaxBandwidth(bool IsScalable) const;
521
522 /// \return the maximized element count based on the targets vector
523 /// registers and the loop trip-count, but limited to a maximum safe VF.
524 /// This is a helper function of computeFeasibleMaxVF.
525 ElementCount getMaximizedVFForTarget(unsigned MaxTripCount,
526 unsigned SmallestType,
527 unsigned WidestType,
528 ElementCount MaxSafeVF, unsigned UserIC,
529 bool FoldTailByMasking,
530 bool RequiresScalarEpilogue);
531
532 /// If \p VF * \p UserIC > MaxTripcount, clamps VF to the next lower VF
533 /// that results in VF * UserIC <= MaxTripCount.
534 ElementCount clampVFByMaxTripCount(ElementCount VF, unsigned MaxTripCount,
535 unsigned UserIC, bool FoldTailByMasking,
536 bool RequiresScalarEpilogue) const;
537
538 /// Checks if scalable vectorization is supported and enabled. Caches the
539 /// result to avoid repeated debug dumps for repeated queries.
540 bool isScalableVectorizationAllowed();
541
542 /// \return the maximum legal scalable VF, based on the safe max number
543 /// of elements.
544 ElementCount getMaxLegalScalableVF(unsigned MaxSafeElements);
545
546 /// Initializes the value of vscale used for tuning the cost model. If
547 /// vscale_range.min == vscale_range.max then return vscale_range.max, else
548 /// return the value returned by the corresponding TTI method.
549 void initializeVScaleForTuning();
550
551 const TargetTransformInfo &TTI;
552 const LoopVectorizationLegality *Legal;
553 const Loop *TheLoop;
554 const Function &F;
557 const LoopVectorizeHints *Hints;
558
559 /// Cached result of isScalableVectorizationAllowed.
560 std::optional<bool> IsScalableVectorizationAllowed;
561
562 /// Used to store the value of vscale used for tuning the cost model. It is
563 /// initialized during object construction.
564 std::optional<unsigned> VScaleForTuning;
565
566 /// The highest VF possible for this loop, without using MaxBandwidth.
567 FixedScalableVFPair MaxPermissibleVFWithoutMaxBW;
568
569 /// All element types found in the loop.
570 SmallPtrSet<Type *, 16> ElementTypesInLoop;
571
572 /// PHINodes of the reductions that should be expanded in-loop. Set by
573 /// collectInLoopReductions.
574 SmallPtrSet<PHINode *, 4> InLoopReductions;
575
576 /// A Map of inloop reduction operations and their immediate chain operand.
577 /// FIXME: This can be removed once reductions can be costed correctly in
578 /// VPlan. This was added to allow quick lookup of the inloop operations.
579 /// Set by collectInLoopReductions.
580 DenseMap<Instruction *, Instruction *> InLoopReductionImmediateChains;
581
582 /// Maximum safe number of elements to be processed per vector iteration,
583 /// which do not prevent store-load forwarding and are safe with regard to the
584 /// memory dependencies. Required for EVL-based vectorization, where this
585 /// value is used as the upper bound of the safe AVL. Set by
586 /// computeFeasibleMaxVF.
587 std::optional<unsigned> MaxSafeElements;
588
589public:
590 /// The kind of cost that we are calculating.
592
593 /// Whether this loop should be optimized for size based on function attribute
594 /// or profile information.
595 const bool OptForSize;
596
598 const LoopVectorizationLegality *Legal,
599 const Loop *TheLoop, const Function &F,
602 const LoopVectorizeHints *Hints, bool OptForSize)
603 : TTI(TTI), Legal(Legal), TheLoop(TheLoop), F(F), PSE(PSE), ORE(ORE),
604 Hints(Hints),
605 CostKind(F.hasMinSize() ? TTI::TCK_CodeSize : TTI::TCK_RecipThroughput),
607 initializeVScaleForTuning();
608 }
609
610 /// \return The vscale value used for tuning the cost model.
611 std::optional<unsigned> getVScaleForTuning() const { return VScaleForTuning; }
612
613 /// \return True if register pressure should be considered for the given VF.
615
616 /// \return True if scalable vectors are supported by the target or forced.
617 bool supportsScalableVectors() const;
618
619 /// Collect element types in the loop that need widening.
621 const SmallPtrSetImpl<const Value *> *ValuesToIgnore = nullptr);
622
623 /// \return The size (in bits) of the smallest and widest types in the code
624 /// that need to be vectorized. We ignore values that remain scalar such as
625 /// 64 bit loop indices.
626 std::pair<unsigned, unsigned> getSmallestAndWidestTypes() const;
627
628 /// \return An upper bound for the vectorization factors for both
629 /// fixed and scalable vectorization, where the minimum-known number of
630 /// elements is a power-of-2 larger than zero. If scalable vectorization is
631 /// disabled or unsupported, then the scalable part will be equal to
632 /// ElementCount::getScalable(0). Also sets MaxSafeElements.
633 FixedScalableVFPair computeFeasibleMaxVF(unsigned MaxTripCount,
634 ElementCount UserVF, unsigned UserIC,
635 bool FoldTailByMasking,
636 bool RequiresScalarEpilogue);
637
638 /// Return maximum safe number of elements to be processed per vector
639 /// iteration, which do not prevent store-load forwarding and are safe with
640 /// regard to the memory dependencies. Required for EVL-based VPlans to
641 /// correctly calculate AVL (application vector length) as min(remaining AVL,
642 /// MaxSafeElements). Set by computeFeasibleMaxVF.
643 /// TODO: need to consider adjusting cost model to use this value as a
644 /// vectorization factor for EVL-based vectorization.
645 std::optional<unsigned> getMaxSafeElements() const { return MaxSafeElements; }
646
647 /// Returns true if we should use strict in-order reductions for the given
648 /// RdxDesc. This is true if the -enable-strict-reductions flag is passed,
649 /// the IsOrdered flag of RdxDesc is set and we do not allow reordering
650 /// of FP operations.
651 bool useOrderedReductions(const RecurrenceDescriptor &RdxDesc) const;
652
653 /// Returns true if the target machine supports masked store operation
654 /// for the given \p DataType and kind of access to \p Ptr.
655 bool isLegalMaskedStore(Type *DataType, Value *Ptr, Align Alignment,
656 unsigned AddressSpace) const;
657
658 /// Returns true if the target machine supports masked load operation
659 /// for the given \p DataType and kind of access to \p Ptr.
660 bool isLegalMaskedLoad(Type *DataType, Value *Ptr, Align Alignment,
661 unsigned AddressSpace) const;
662
663 /// Returns true if the target machine can represent \p V as a masked gather
664 /// or scatter operation.
665 bool isLegalGatherOrScatter(Value *V, ElementCount VF) const;
666
667 /// Split reductions into those that happen in the loop, and those that
668 /// happen outside. In-loop reductions are collected into InLoopReductions.
669 /// InLoopReductionImmediateChains is filled with each in-loop reduction
670 /// operation and its immediate chain operand for use during cost modelling.
672
673 /// Returns true if the Phi is part of an inloop reduction.
674 bool isInLoopReduction(PHINode *Phi) const {
675 return InLoopReductions.contains(Phi);
676 }
677
678 /// Returns the set of in-loop reduction PHIs.
680 return InLoopReductions;
681 }
682
683 /// Returns the immediate chain operand of in-loop reduction operation \p I,
684 /// or nullptr if \p I is not an in-loop reduction operation.
686 return InLoopReductionImmediateChains.lookup(I);
687 }
688
689 /// Check whether vectorization would require runtime checks. When optimizing
690 /// for size, returning true here aborts vectorization.
692};
693
694/// Planner drives the vectorization process after having passed
695/// Legality checks.
697 /// The loop that we evaluate.
698 Loop *OrigLoop;
699
700 /// Loop Info analysis.
701 LoopInfo *LI;
702
703 /// The dominator tree.
704 DominatorTree *DT;
705
706 /// Target Library Info.
707 const TargetLibraryInfo *TLI;
708
709 /// Target Transform Info.
710 const TargetTransformInfo &TTI;
711
712 /// The legality analysis.
714
715 /// The profitability analysis.
717
718 /// VF selection state independent of cost-modeling decisions.
719 VFSelectionContext &Config;
720
721 /// The interleaved access analysis.
723
725
726 const LoopVectorizeHints &Hints;
727
729
731
732 /// Profitable vector factors.
734
735 /// A builder used to construct the current plan.
736 VPBuilder Builder;
737
738 /// Computes the cost of \p Plan for vectorization factor \p VF.
739 ///
740 /// The current implementation requires access to the
741 /// LoopVectorizationLegality to handle inductions and reductions, which is
742 /// why it is kept separate from the VPlan-only cost infrastructure.
743 ///
744 /// TODO: Move to VPlan::cost once the use of LoopVectorizationLegality has
745 /// been retired.
746 InstructionCost cost(VPlan &Plan, ElementCount VF, VPRegisterUsage *RU) const;
747
748 /// Precompute costs for certain instructions using the legacy cost model. The
749 /// function is used to bring up the VPlan-based cost model to initially avoid
750 /// taking different decisions due to inaccuracies in the legacy cost model.
751 InstructionCost precomputeCosts(VPlan &Plan, ElementCount VF,
752 VPCostContext &CostCtx) const;
753
754public:
756 Loop *L, LoopInfo *LI, DominatorTree *DT, const TargetLibraryInfo *TLI,
761 : OrigLoop(L), LI(LI), DT(DT), TLI(TLI), TTI(TTI), Legal(Legal), CM(CM),
762 Config(Config), IAI(IAI), PSE(PSE), Hints(Hints), ORE(ORE) {}
763
764 /// Build VPlans for the specified \p UserVF and \p UserIC if they are
765 /// non-zero or all applicable candidate VFs otherwise. If vectorization and
766 /// interleaving should be avoided up-front, no plans are generated.
767 void plan(ElementCount UserVF, unsigned UserIC);
768
769 /// Use the VPlan-native path to plan how to best vectorize, return the best
770 /// VF and its cost.
772
773 /// Return the VPlan for \p VF. At the moment, there is always a single VPlan
774 /// for each VF.
775 VPlan &getPlanFor(ElementCount VF) const;
776
777 /// Compute and return the most profitable vectorization factor and the
778 /// corresponding best VPlan. Also collect all profitable VFs in
779 /// ProfitableVFs.
780 std::pair<VectorizationFactor, VPlan *> computeBestVF();
781
782 /// \return The desired interleave count.
783 /// If interleave count has been specified by metadata it will be returned.
784 /// Otherwise, the interleave count is computed and returned. VF and LoopCost
785 /// are the selected vectorization factor and the cost of the selected VF.
786 unsigned selectInterleaveCount(VPlan &Plan, ElementCount VF,
787 InstructionCost LoopCost);
788
789 /// Generate the IR code for the vectorized loop captured in VPlan \p BestPlan
790 /// according to the best selected \p VF and \p UF.
791 ///
792 /// TODO: \p EpilogueVecKind should be removed once the re-use issue has been
793 /// fixed.
794 ///
795 /// Returns a mapping of SCEVs to their expanded IR values.
796 /// Note that this is a temporary workaround needed due to the current
797 /// epilogue handling.
799 None, ///< Not part of epilogue vectorization.
800 MainLoop, ///< Vectorizing the main loop of epilogue vectorization.
801 Epilogue ///< Vectorizing the epilogue loop.
802 };
804 executePlan(ElementCount VF, unsigned UF, VPlan &BestPlan,
806 EpilogueVectorizationKind EpilogueVecKind =
808
809#if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
810 void printPlans(raw_ostream &O);
811#endif
812
813 /// Look through the existing plans and return true if we have one with
814 /// vectorization factor \p VF.
816 return any_of(VPlans,
817 [&](const VPlanPtr &Plan) { return Plan->hasVF(VF); });
818 }
819
820 /// Test a \p Predicate on a \p Range of VF's. Return the value of applying
821 /// \p Predicate on Range.Start, possibly decreasing Range.End such that the
822 /// returned value holds for the entire \p Range.
823 static bool
824 getDecisionAndClampRange(const std::function<bool(ElementCount)> &Predicate,
825 VFRange &Range);
826
827 /// \return A VPlan for the most profitable epilogue vectorization, with its
828 /// VF narrowed to the chosen factor. The returned plan is a duplicate.
829 /// Returns nullptr if epilogue vectorization is not supported or not
830 /// profitable for the loop.
831 std::unique_ptr<VPlan>
832 selectBestEpiloguePlan(VPlan &MainPlan, ElementCount MainLoopVF, unsigned IC);
833
834 /// Emit remarks for recipes with invalid costs in the available VPlans.
836
837 /// Create a check to \p Plan to see if the vector loop should be executed
838 /// based on its trip count.
839 void addMinimumIterationCheck(VPlan &Plan, ElementCount VF, unsigned UF,
840 ElementCount MinProfitableTripCount) const;
841
842 /// Attach the runtime checks of \p RTChecks to \p Plan.
843 void attachRuntimeChecks(VPlan &Plan, GeneratedRTChecks &RTChecks,
844 bool HasBranchWeights) const;
845
846 /// Update loop metadata and profile info for both the scalar remainder loop
847 /// and \p VectorLoop, if it exists. Keeps all loop hints from the original
848 /// loop on the vector loop and replaces vectorizer-specific metadata. The
849 /// loop ID of the original loop \p OrigLoopID must be passed, together with
850 /// the average trip count and invocation weight of the original loop (\p
851 /// OrigAverageTripCount and \p OrigLoopInvocationWeight respectively). They
852 /// cannot be retrieved after the plan has been executed, as the original loop
853 /// may have been removed.
855 Loop *VectorLoop, VPBasicBlock *HeaderVPBB, const VPlan &Plan,
856 bool VectorizingEpilogue, MDNode *OrigLoopID,
857 std::optional<unsigned> OrigAverageTripCount,
858 unsigned OrigLoopInvocationWeight, unsigned EstimatedVFxUF,
859 bool DisableRuntimeUnroll);
860
861protected:
862 /// Build VPlans for power-of-2 VF's between \p MinVF and \p MaxVF inclusive,
863 /// according to the information gathered by Legal when it checked if it is
864 /// legal to vectorize the loop.
865 void buildVPlans(ElementCount MinVF, ElementCount MaxVF);
866
867private:
868 /// Build a VPlan according to the information gathered by Legal. \return a
869 /// VPlan for vectorization factors \p Range.Start and up to \p Range.End
870 /// exclusive, possibly decreasing \p Range.End. If no VPlan can be built for
871 /// the input range, set the largest included VF to the maximum VF for which
872 /// no plan could be built.
873 VPlanPtr tryToBuildVPlan(VFRange &Range);
874
875 /// Build a VPlan using VPRecipes according to the information gather by
876 /// Legal. This method is only used for the legacy inner loop vectorizer.
877 /// \p Range's largest included VF is restricted to the maximum VF the
878 /// returned VPlan is valid for. If no VPlan can be built for the input range,
879 /// set the largest included VF to the maximum VF for which no plan could be
880 /// built. Each VPlan is built starting from a copy of \p InitialPlan, which
881 /// is a plain CFG VPlan wrapping the original scalar loop.
882 VPlanPtr tryToBuildVPlanWithVPRecipes(VPlanPtr InitialPlan, VFRange &Range);
883
884 /// Build VPlans for power-of-2 VF's between \p MinVF and \p MaxVF inclusive,
885 /// according to the information gathered by Legal when it checked if it is
886 /// legal to vectorize the loop. This method creates VPlans using VPRecipes.
887 void buildVPlansWithVPRecipes(ElementCount MinVF, ElementCount MaxVF);
888
889 /// Add ComputeReductionResult recipes to the middle block to compute the
890 /// final reduction results. Add Select recipes to the latch block when
891 /// folding tail, to feed ComputeReductionResult with the last or penultimate
892 /// iteration values according to the header mask.
893 void addReductionResultComputation(VPlanPtr &Plan,
894 VPRecipeBuilder &RecipeBuilder,
895 ElementCount MinVF);
896
897 /// Returns true if the per-lane cost of VectorizationFactor A is lower than
898 /// that of B.
899 bool isMoreProfitable(const VectorizationFactor &A,
900 const VectorizationFactor &B, bool HasTail,
901 bool IsEpilogue = false) const;
902
903 /// Returns true if the per-lane cost of VectorizationFactor A is lower than
904 /// that of B in the context of vectorizing a loop with known \p MaxTripCount.
905 bool isMoreProfitable(const VectorizationFactor &A,
906 const VectorizationFactor &B,
907 const unsigned MaxTripCount, bool HasTail,
908 bool IsEpilogue = false) const;
909
910 /// Determines if we have the infrastructure to vectorize the loop and its
911 /// epilogue, assuming the main loop is vectorized by \p MainPlan.
912 bool isCandidateForEpilogueVectorization(VPlan &MainPlan) const;
913};
914
915} // namespace llvm
916
917#endif // LLVM_TRANSFORMS_VECTORIZE_LOOPVECTORIZATIONPLANNER_H
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock MachineBasicBlock::iterator DebugLoc DL
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
dxil translate DXIL Translate Metadata
This file defines an InstructionCost class that is used when calculating the cost of an instruction,...
#define F(x, y, z)
Definition MD5.cpp:54
#define I(x, y, z)
Definition MD5.cpp:57
#define T
ConstantRange Range(APInt(BitWidth, Low), APInt(BitWidth, High))
const SmallVectorImpl< MachineOperand > & Cond
This file defines the SmallSet class.
This pass exposes codegen information to IR-level passes.
This file contains the declarations of the Vectorization Plan base classes:
Value * RHS
Value * LHS
static const uint32_t IV[8]
Definition blake3_impl.h:83
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition ArrayRef.h:40
Predicate
This enumeration lists the possible predicates for CmpInst subclasses.
Definition InstrTypes.h:676
A debug info location.
Definition DebugLoc.h:123
static DebugLoc getUnknown()
Definition DebugLoc.h:161
Concrete subclass of DominatorTreeBase that is used to compute a normal dominator tree.
Definition Dominators.h:159
static constexpr ElementCount getFixed(ScalarTy MinVal)
Definition TypeSize.h:309
Utility class for floating point operations which can have information about relaxed accuracy require...
Definition Operator.h:200
FastMathFlags getFastMathFlags() const
Convenience function for getting all the fast-math flags.
Definition Operator.h:333
Convenience struct for specifying and reasoning about fast-math flags.
Definition FMF.h:23
Represents flags for the getelementptr instruction/expression.
static GEPNoWrapFlags none()
InductionKind
This enum represents the kinds of inductions that we support.
InnerLoopVectorizer vectorizes loops which contain only one basic block to a specified vectorization ...
Drive the analysis of interleaved memory accesses in the loop.
LoopVectorizationCostModel - estimates the expected speedups due to vectorization.
LoopVectorizationLegality checks if it is legal to vectorize a loop, and to what vectorization factor...
DenseMap< const SCEV *, Value * > executePlan(ElementCount VF, unsigned UF, VPlan &BestPlan, InnerLoopVectorizer &LB, DominatorTree *DT, EpilogueVectorizationKind EpilogueVecKind=EpilogueVectorizationKind::None)
EpilogueVectorizationKind
Generate the IR code for the vectorized loop captured in VPlan BestPlan according to the best selecte...
@ MainLoop
Vectorizing the main loop of epilogue vectorization.
VPlan & getPlanFor(ElementCount VF) const
Return the VPlan for VF.
Definition VPlan.cpp:1720
VectorizationFactor planInVPlanNativePath(ElementCount UserVF)
Use the VPlan-native path to plan how to best vectorize, return the best VF and its cost.
void updateLoopMetadataAndProfileInfo(Loop *VectorLoop, VPBasicBlock *HeaderVPBB, const VPlan &Plan, bool VectorizingEpilogue, MDNode *OrigLoopID, std::optional< unsigned > OrigAverageTripCount, unsigned OrigLoopInvocationWeight, unsigned EstimatedVFxUF, bool DisableRuntimeUnroll)
Update loop metadata and profile info for both the scalar remainder loop and VectorLoop,...
Definition VPlan.cpp:1771
void buildVPlans(ElementCount MinVF, ElementCount MaxVF)
Build VPlans for power-of-2 VF's between MinVF and MaxVF inclusive, according to the information gath...
Definition VPlan.cpp:1704
void attachRuntimeChecks(VPlan &Plan, GeneratedRTChecks &RTChecks, bool HasBranchWeights) const
Attach the runtime checks of RTChecks to Plan.
LoopVectorizationPlanner(Loop *L, LoopInfo *LI, DominatorTree *DT, const TargetLibraryInfo *TLI, const TargetTransformInfo &TTI, LoopVectorizationLegality *Legal, LoopVectorizationCostModel &CM, VFSelectionContext &Config, InterleavedAccessInfo &IAI, PredicatedScalarEvolution &PSE, const LoopVectorizeHints &Hints, OptimizationRemarkEmitter *ORE)
unsigned selectInterleaveCount(VPlan &Plan, ElementCount VF, InstructionCost LoopCost)
void emitInvalidCostRemarks(OptimizationRemarkEmitter *ORE)
Emit remarks for recipes with invalid costs in the available VPlans.
static bool getDecisionAndClampRange(const std::function< bool(ElementCount)> &Predicate, VFRange &Range)
Test a Predicate on a Range of VF's.
Definition VPlan.cpp:1685
void printPlans(raw_ostream &O)
Definition VPlan.cpp:1866
void plan(ElementCount UserVF, unsigned UserIC)
Build VPlans for the specified UserVF and UserIC if they are non-zero or all applicable candidate VFs...
std::unique_ptr< VPlan > selectBestEpiloguePlan(VPlan &MainPlan, ElementCount MainLoopVF, unsigned IC)
void addMinimumIterationCheck(VPlan &Plan, ElementCount VF, unsigned UF, ElementCount MinProfitableTripCount) const
Create a check to Plan to see if the vector loop should be executed based on its trip count.
bool hasPlanWithVF(ElementCount VF) const
Look through the existing plans and return true if we have one with vectorization factor VF.
std::pair< VectorizationFactor, VPlan * > computeBestVF()
Compute and return the most profitable vectorization factor and the corresponding best VPlan.
Utility class for getting and setting loop vectorizer hints in the form of loop metadata.
This class emits a version of the loop where run-time checks ensure that may-alias pointers can't ove...
Represents a single loop in the control flow graph.
Definition LoopInfo.h:40
Metadata node.
Definition Metadata.h:1080
Root of the metadata hierarchy.
Definition Metadata.h:64
The optimization diagnostic interface.
An interface layer with SCEV used to manage how we see SCEV expressions for values in the context of ...
The RecurrenceDescriptor is used to identify recurrences variables in a loop.
This class represents an analyzed expression in the program.
A templated base class for SmallPtrSet which provides the typesafe interface that is common across al...
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.
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
Provides information about what library functions are available for the current target.
This pass provides access to the codegen interfaces that are needed for IR-level transformations.
TargetCostKind
The kind of cost model.
Twine - A lightweight data structure for efficiently representing the concatenation of temporary valu...
Definition Twine.h:82
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:46
LLVM_ABI unsigned getScalarSizeInBits() const LLVM_READONLY
If this is a vector type, return the getPrimitiveSizeInBits value for the element type.
Definition Type.cpp:236
Holds state needed to make cost decisions before computing costs per-VF, including the maximum VFs.
const bool OptForSize
Whether this loop should be optimized for size based on function attribute or profile information.
bool isInLoopReduction(PHINode *Phi) const
Returns true if the Phi is part of an inloop reduction.
std::pair< unsigned, unsigned > getSmallestAndWidestTypes() const
const TTI::TargetCostKind CostKind
The kind of cost that we are calculating.
bool isLegalMaskedStore(Type *DataType, Value *Ptr, Align Alignment, unsigned AddressSpace) const
Returns true if the target machine supports masked store operation for the given DataType and kind of...
bool isLegalMaskedLoad(Type *DataType, Value *Ptr, Align Alignment, unsigned AddressSpace) const
Returns true if the target machine supports masked load operation for the given DataType and kind of ...
bool runtimeChecksRequired()
Check whether vectorization would require runtime checks.
bool isLegalGatherOrScatter(Value *V, ElementCount VF) const
Returns true if the target machine can represent V as a masked gather or scatter operation.
VFSelectionContext(const TargetTransformInfo &TTI, const LoopVectorizationLegality *Legal, const Loop *TheLoop, const Function &F, PredicatedScalarEvolution &PSE, OptimizationRemarkEmitter *ORE, const LoopVectorizeHints *Hints, bool OptForSize)
void collectInLoopReductions()
Split reductions into those that happen in the loop, and those that happen outside.
const SmallPtrSetImpl< PHINode * > & getInLoopReductions() const
Returns the set of in-loop reduction PHIs.
std::optional< unsigned > getMaxSafeElements() const
Return maximum safe number of elements to be processed per vector iteration, which do not prevent sto...
FixedScalableVFPair computeFeasibleMaxVF(unsigned MaxTripCount, ElementCount UserVF, unsigned UserIC, bool FoldTailByMasking, bool RequiresScalarEpilogue)
Instruction * getInLoopReductionImmediateChain(Instruction *I) const
Returns the immediate chain operand of in-loop reduction operation I, or nullptr if I is not an in-lo...
bool useOrderedReductions(const RecurrenceDescriptor &RdxDesc) const
Returns true if we should use strict in-order reductions for the given RdxDesc.
bool shouldConsiderRegPressureForVF(ElementCount VF) const
void collectElementTypesForWidening(const SmallPtrSetImpl< const Value * > *ValuesToIgnore=nullptr)
Collect element types in the loop that need widening.
std::optional< unsigned > getVScaleForTuning() const
VPBasicBlock serves as the leaf of the Hierarchical Control-Flow Graph.
Definition VPlan.h:4160
RecipeListTy::iterator iterator
Instruction iterators...
Definition VPlan.h:4187
iterator end()
Definition VPlan.h:4197
VPlan * getPlan()
Definition VPlan.cpp:177
InsertPointGuard(const InsertPointGuard &)=delete
InsertPointGuard & operator=(const InsertPointGuard &)=delete
InsertPoint - A saved insertion point.
VPInsertPoint(VPBasicBlock *InsertBlock, VPBasicBlock::iterator InsertPoint)
Creates a new insertion point at the given location.
VPBasicBlock::iterator getPoint() const
VPInsertPoint()=default
Creates a new insertion point which doesn't point to anything.
bool isSet() const
Returns true if this insert point is set.
VPlan-based builder utility analogous to IRBuilder.
VPValue * createScalarSExtOrTrunc(VPValue *Op, Type *ResultTy, Type *SrcTy, DebugLoc DL)
VPInstruction * createAdd(VPValue *LHS, VPValue *RHS, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="", VPRecipeWithIRFlags::WrapFlagsTy WrapFlags={false, false})
VPInstruction * createOr(VPValue *LHS, VPValue *RHS, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPValue * createScalarZExtOrTrunc(VPValue *Op, Type *ResultTy, Type *SrcTy, DebugLoc DL)
VPInstruction * createSub(VPValue *LHS, VPValue *RHS, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="", VPRecipeWithIRFlags::WrapFlagsTy WrapFlags={false, false})
void setInsertPoint(VPBasicBlock *TheBB, VPBasicBlock::iterator IP)
This specifies that created instructions should be inserted at the specified point.
void setInsertPoint(VPRecipeBase *IP)
This specifies that created instructions should be inserted at the specified point.
VPValue * createElementCount(Type *Ty, ElementCount EC)
T * insert(T *R)
Insert R at the current insertion point. Returns R unchanged.
VPInstruction * createLogicalOr(VPValue *LHS, VPValue *RHS, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
void restoreIP(VPInsertPoint IP)
Sets the current insert point to a previously-saved location.
VPInstruction * createNot(VPValue *Operand, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPInstruction * createAnyOfReduction(VPValue *ChainOp, VPValue *TrueVal, VPValue *FalseVal, DebugLoc DL=DebugLoc::getUnknown())
Create an AnyOf reduction pattern: or-reduce ChainOp, freeze the result, then select between TrueVal ...
Definition VPlan.cpp:1670
VPInstruction * createLogicalAnd(VPValue *LHS, VPValue *RHS, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPBasicBlock * getInsertBlock() const
VPBasicBlock::iterator getInsertPoint() const
VPInstruction * createScalarCast(Instruction::CastOps Opcode, VPValue *Op, Type *ResultTy, DebugLoc DL, const VPIRMetadata &Metadata={})
VPScalarIVStepsRecipe * createScalarIVSteps(Instruction::BinaryOps InductionOpcode, FPMathOperator *FPBinOp, VPValue *IV, VPValue *Step, VPValue *VF, DebugLoc DL)
VPBuilder(VPBasicBlock *InsertBB)
VPInstruction * createNoWrapPtrAdd(VPValue *Ptr, VPValue *Offset, GEPNoWrapFlags GEPFlags, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPInstruction * createFCmp(CmpInst::Predicate Pred, VPValue *A, VPValue *B, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
Create a new FCmp VPInstruction with predicate Pred and operands A and B.
VPInstruction * createPtrAdd(VPValue *Ptr, VPValue *Offset, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPWidenPHIRecipe * createWidenPhi(ArrayRef< VPValue * > IncomingValues, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPInstructionWithType * createScalarLoad(Type *ResultTy, VPValue *Addr, DebugLoc DL, const VPIRMetadata &Metadata={})
static VPBuilder getToInsertAfter(VPRecipeBase *R)
Create a VPBuilder to insert after R.
VPInstruction * createNaryOp(unsigned Opcode, ArrayRef< VPValue * > Operands, DebugLoc DL, const Twine &Name="")
VPInstruction * createOverflowingOp(unsigned Opcode, ArrayRef< VPValue * > Operands, VPRecipeWithIRFlags::WrapFlagsTy WrapFlags={false, false}, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPPhi * createScalarPhi(ArrayRef< VPValue * > IncomingValues, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="", const VPIRFlags &Flags={})
VPDerivedIVRecipe * createDerivedIV(InductionDescriptor::InductionKind Kind, FPMathOperator *FPBinOp, VPIRValue *Start, VPValue *Current, VPValue *Step, const Twine &Name="")
Convert the input value Current to the corresponding value of an induction with Start and Step values...
VPBuilder(VPRecipeBase *InsertPt)
VPWidenCastRecipe * createWidenCast(Instruction::CastOps Opcode, VPValue *Op, Type *ResultTy)
VPInstruction * createICmp(CmpInst::Predicate Pred, VPValue *A, VPValue *B, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
Create a new ICmp VPInstruction with predicate Pred and operands A and B.
void clearInsertionPoint()
Clear the insertion point: created instructions will not be inserted into a block.
VPInstruction * createScalarCast(Instruction::CastOps Opcode, VPValue *Op, Type *ResultTy, DebugLoc DL, const VPIRFlags &Flags, const VPIRMetadata &Metadata={})
VPInstruction * createAnd(VPValue *LHS, VPValue *RHS, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPInstruction * createNaryOp(unsigned Opcode, ArrayRef< VPValue * > Operands, Type *ResultTy, const VPIRFlags &Flags={}, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPBuilder()=default
VPInstruction * createNaryOp(unsigned Opcode, ArrayRef< VPValue * > Operands, const VPIRFlags &Flags, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
VPInstruction * createSelect(VPValue *Cond, VPValue *TrueVal, VPValue *FalseVal, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="", const VPIRFlags &Flags={})
VPExpandSCEVRecipe * createExpandSCEV(const SCEV *Expr)
VPBuilder(VPBasicBlock *TheBB, VPBasicBlock::iterator IP)
VPInstruction * createWidePtrAdd(VPValue *Ptr, VPValue *Offset, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
void setInsertPoint(VPBasicBlock *TheBB)
This specifies that created VPInstructions should be appended to the end of the specified block.
VPInstruction * createNaryOp(unsigned Opcode, ArrayRef< VPValue * > Operands, Instruction *Inst=nullptr, const VPIRFlags &Flags={}, const VPIRMetadata &MD={}, DebugLoc DL=DebugLoc::getUnknown(), const Twine &Name="")
Create an N-ary operation with Opcode, Operands and set Inst as its underlying Instruction.
A recipe for converting the input value IV value to the corresponding value of an IV with different s...
Definition VPlan.h:3909
Recipe to expand a SCEV expression.
Definition VPlan.h:3757
Class to record and manage LLVM IR flags.
Definition VPlan.h:688
static VPIRFlags getDefaultFlags(unsigned Opcode)
Returns default flags for Opcode for opcodes that support it, asserts otherwise.
Helper to manage IR metadata for recipes.
Definition VPlan.h:1168
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
@ VScale
Returns the value for vscale.
Definition VPlan.h:1336
VPRecipeBase is a base class modeling a sequence of one or more output IR instructions.
Definition VPlan.h:406
VPBasicBlock * getParent()
Definition VPlan.h:480
Helper class to create VPRecipies from IR instructions.
A recipe for handling phi nodes of integer and floating-point inductions, producing their scalar valu...
Definition VPlan.h:3980
This is the base class of the VPlan Def/Use graph, used for modeling the data flow into,...
Definition VPlanValue.h:49
VPWidenCastRecipe is a recipe to create vector cast instructions.
Definition VPlan.h:1837
A recipe for widened phis.
Definition VPlan.h:2584
VPlan models a candidate for vectorization, encoding various decisions take to produce efficient outp...
Definition VPlan.h:4518
VPIRValue * getConstantInt(Type *Ty, uint64_t Val, bool IsSigned=false)
Return a VPIRValue wrapping a ConstantInt with the given type and value.
Definition VPlan.h:4816
LLVM Value Representation.
Definition Value.h:75
self_iterator getIterator()
Definition ilist_node.h:123
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition raw_ostream.h:53
This is an optimization pass for GlobalISel generic memory operations.
void reportVectorizationInfo(const StringRef Msg, const StringRef ORETag, OptimizationRemarkEmitter *ORE, const Loop *TheLoop, Instruction *I=nullptr, DebugLoc DL={})
Reports an informative message: print Msg for debugging purposes as well as an optimization remark.
@ Offset
Definition DWP.cpp:532
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
std::optional< unsigned > getMaxVScale(const Function &F, const TargetTransformInfo &TTI)
cl::opt< unsigned > ForceTargetInstructionCost
TargetTransformInfo TTI
DWARFExpression::Operation Op
cl::opt< bool > EnableVPlanNativePath
std::unique_ptr< VPlan > VPlanPtr
Definition VPlan.h:78
cl::opt< bool > PreferInLoopReductions
This struct is a compact representation of a valid (non-zero power of two) alignment.
Definition Alignment.h:39
A class that represents two vectorization factors (initialized with 0 by default).
FixedScalableVFPair(const ElementCount &FixedVF, const ElementCount &ScalableVF)
FixedScalableVFPair(const ElementCount &Max)
static FixedScalableVFPair getNone()
A range of powers-of-2 vectorization factors with fixed start and adjustable end.
Struct to hold various analysis needed for cost computations.
A VPValue representing a live-in from the input IR or a constant.
Definition VPlanValue.h:240
A struct that represents some properties of the register usage of a loop.
TODO: The following VectorizationFactor was pulled out of LoopVectorizationCostModel class.
InstructionCost Cost
Cost of the loop with that width.
ElementCount MinProfitableTripCount
The minimum trip count required to make vectorization profitable, e.g.
bool operator==(const VectorizationFactor &rhs) const
ElementCount Width
Vector width with best cost.
InstructionCost ScalarCost
Cost of the scalar loop.
bool operator!=(const VectorizationFactor &rhs) const
static VectorizationFactor Disabled()
Width 1 means no vectorization, cost 0 means uncomputed cost.
VectorizationFactor(ElementCount Width, InstructionCost Cost, InstructionCost ScalarCost)