1 //===- SLPVectorizer.cpp - A bottom up SLP Vectorizer ---------------------===//
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 pass implements the Bottom Up SLP vectorizer. It detects consecutive
10 // stores that can be put together into vector-stores. Next, it attempts to
11 // construct vectorizable tree using the use-def chains. If a profitable tree
12 // was found, the SLP vectorizer performs vectorization on the tree.
13 //
14 // The pass is inspired by the work described in the paper:
15 //  "Loop-Aware SLP in GCC" by Ira Rosen, Dorit Nuzman, Ayal Zaks.
16 //
17 //===----------------------------------------------------------------------===//
18 
19 #include "llvm/Transforms/Vectorize/SLPVectorizer.h"
20 #include "llvm/ADT/DenseMap.h"
21 #include "llvm/ADT/DenseSet.h"
22 #include "llvm/ADT/PriorityQueue.h"
23 #include "llvm/ADT/STLExtras.h"
24 #include "llvm/ADT/SetOperations.h"
25 #include "llvm/ADT/SetVector.h"
26 #include "llvm/ADT/SmallBitVector.h"
27 #include "llvm/ADT/SmallPtrSet.h"
28 #include "llvm/ADT/SmallSet.h"
29 #include "llvm/ADT/SmallString.h"
30 #include "llvm/ADT/Statistic.h"
31 #include "llvm/ADT/iterator.h"
32 #include "llvm/ADT/iterator_range.h"
33 #include "llvm/Analysis/AliasAnalysis.h"
34 #include "llvm/Analysis/AssumptionCache.h"
35 #include "llvm/Analysis/CodeMetrics.h"
36 #include "llvm/Analysis/ConstantFolding.h"
37 #include "llvm/Analysis/DemandedBits.h"
38 #include "llvm/Analysis/GlobalsModRef.h"
39 #include "llvm/Analysis/IVDescriptors.h"
40 #include "llvm/Analysis/LoopAccessAnalysis.h"
41 #include "llvm/Analysis/LoopInfo.h"
42 #include "llvm/Analysis/MemoryLocation.h"
43 #include "llvm/Analysis/OptimizationRemarkEmitter.h"
44 #include "llvm/Analysis/ScalarEvolution.h"
45 #include "llvm/Analysis/ScalarEvolutionExpressions.h"
46 #include "llvm/Analysis/TargetLibraryInfo.h"
47 #include "llvm/Analysis/TargetTransformInfo.h"
48 #include "llvm/Analysis/ValueTracking.h"
49 #include "llvm/Analysis/VectorUtils.h"
50 #include "llvm/IR/Attributes.h"
51 #include "llvm/IR/BasicBlock.h"
52 #include "llvm/IR/Constant.h"
53 #include "llvm/IR/Constants.h"
54 #include "llvm/IR/DataLayout.h"
55 #include "llvm/IR/DerivedTypes.h"
56 #include "llvm/IR/Dominators.h"
57 #include "llvm/IR/Function.h"
58 #include "llvm/IR/IRBuilder.h"
59 #include "llvm/IR/InstrTypes.h"
60 #include "llvm/IR/Instruction.h"
61 #include "llvm/IR/Instructions.h"
62 #include "llvm/IR/IntrinsicInst.h"
63 #include "llvm/IR/Intrinsics.h"
64 #include "llvm/IR/Module.h"
65 #include "llvm/IR/Operator.h"
66 #include "llvm/IR/PatternMatch.h"
67 #include "llvm/IR/Type.h"
68 #include "llvm/IR/Use.h"
69 #include "llvm/IR/User.h"
70 #include "llvm/IR/Value.h"
71 #include "llvm/IR/ValueHandle.h"
72 #ifdef EXPENSIVE_CHECKS
73 #include "llvm/IR/Verifier.h"
74 #endif
75 #include "llvm/Pass.h"
76 #include "llvm/Support/Casting.h"
77 #include "llvm/Support/CommandLine.h"
78 #include "llvm/Support/Compiler.h"
79 #include "llvm/Support/DOTGraphTraits.h"
80 #include "llvm/Support/Debug.h"
81 #include "llvm/Support/ErrorHandling.h"
82 #include "llvm/Support/GraphWriter.h"
83 #include "llvm/Support/InstructionCost.h"
84 #include "llvm/Support/KnownBits.h"
85 #include "llvm/Support/MathExtras.h"
86 #include "llvm/Support/raw_ostream.h"
87 #include "llvm/Transforms/Utils/InjectTLIMappings.h"
88 #include "llvm/Transforms/Utils/Local.h"
89 #include "llvm/Transforms/Utils/LoopUtils.h"
90 #include <algorithm>
91 #include <cassert>
92 #include <cstdint>
93 #include <iterator>
94 #include <memory>
95 #include <optional>
96 #include <set>
97 #include <string>
98 #include <tuple>
99 #include <utility>
100 
101 using namespace llvm;
102 using namespace llvm::PatternMatch;
103 using namespace slpvectorizer;
104 
105 #define SV_NAME "slp-vectorizer"
106 #define DEBUG_TYPE "SLP"
107 
108 STATISTIC(NumVectorInstructions, "Number of vector instructions generated");
109 
110 static cl::opt<bool>
111     RunSLPVectorization("vectorize-slp", cl::init(true), cl::Hidden,
112                         cl::desc("Run the SLP vectorization passes"));
113 
114 static cl::opt<int>
115     SLPCostThreshold("slp-threshold", cl::init(0), cl::Hidden,
116                      cl::desc("Only vectorize if you gain more than this "
117                               "number "));
118 
119 static cl::opt<bool>
120 ShouldVectorizeHor("slp-vectorize-hor", cl::init(true), cl::Hidden,
121                    cl::desc("Attempt to vectorize horizontal reductions"));
122 
123 static cl::opt<bool> ShouldStartVectorizeHorAtStore(
124     "slp-vectorize-hor-store", cl::init(false), cl::Hidden,
125     cl::desc(
126         "Attempt to vectorize horizontal reductions feeding into a store"));
127 
128 // NOTE: If AllowHorRdxIdenityOptimization is true, the optimization will run
129 // even if we match a reduction but do not vectorize in the end.
130 static cl::opt<bool> AllowHorRdxIdenityOptimization(
131     "slp-optimize-identity-hor-reduction-ops", cl::init(true), cl::Hidden,
132     cl::desc("Allow optimization of original scalar identity operations on "
133              "matched horizontal reductions."));
134 
135 static cl::opt<int>
136 MaxVectorRegSizeOption("slp-max-reg-size", cl::init(128), cl::Hidden,
137     cl::desc("Attempt to vectorize for this register size in bits"));
138 
139 static cl::opt<unsigned>
140 MaxVFOption("slp-max-vf", cl::init(0), cl::Hidden,
141     cl::desc("Maximum SLP vectorization factor (0=unlimited)"));
142 
143 /// Limits the size of scheduling regions in a block.
144 /// It avoid long compile times for _very_ large blocks where vector
145 /// instructions are spread over a wide range.
146 /// This limit is way higher than needed by real-world functions.
147 static cl::opt<int>
148 ScheduleRegionSizeBudget("slp-schedule-budget", cl::init(100000), cl::Hidden,
149     cl::desc("Limit the size of the SLP scheduling region per block"));
150 
151 static cl::opt<int> MinVectorRegSizeOption(
152     "slp-min-reg-size", cl::init(128), cl::Hidden,
153     cl::desc("Attempt to vectorize for this register size in bits"));
154 
155 static cl::opt<unsigned> RecursionMaxDepth(
156     "slp-recursion-max-depth", cl::init(12), cl::Hidden,
157     cl::desc("Limit the recursion depth when building a vectorizable tree"));
158 
159 static cl::opt<unsigned> MinTreeSize(
160     "slp-min-tree-size", cl::init(3), cl::Hidden,
161     cl::desc("Only vectorize small trees if they are fully vectorizable"));
162 
163 // The maximum depth that the look-ahead score heuristic will explore.
164 // The higher this value, the higher the compilation time overhead.
165 static cl::opt<int> LookAheadMaxDepth(
166     "slp-max-look-ahead-depth", cl::init(2), cl::Hidden,
167     cl::desc("The maximum look-ahead depth for operand reordering scores"));
168 
169 // The maximum depth that the look-ahead score heuristic will explore
170 // when it probing among candidates for vectorization tree roots.
171 // The higher this value, the higher the compilation time overhead but unlike
172 // similar limit for operands ordering this is less frequently used, hence
173 // impact of higher value is less noticeable.
174 static cl::opt<int> RootLookAheadMaxDepth(
175     "slp-max-root-look-ahead-depth", cl::init(2), cl::Hidden,
176     cl::desc("The maximum look-ahead depth for searching best rooting option"));
177 
178 static cl::opt<bool>
179     ViewSLPTree("view-slp-tree", cl::Hidden,
180                 cl::desc("Display the SLP trees with Graphviz"));
181 
182 // Limit the number of alias checks. The limit is chosen so that
183 // it has no negative effect on the llvm benchmarks.
184 static const unsigned AliasedCheckLimit = 10;
185 
186 // Another limit for the alias checks: The maximum distance between load/store
187 // instructions where alias checks are done.
188 // This limit is useful for very large basic blocks.
189 static const unsigned MaxMemDepDistance = 160;
190 
191 /// If the ScheduleRegionSizeBudget is exhausted, we allow small scheduling
192 /// regions to be handled.
193 static const int MinScheduleRegionSize = 16;
194 
195 /// Predicate for the element types that the SLP vectorizer supports.
196 ///
197 /// The most important thing to filter here are types which are invalid in LLVM
198 /// vectors. We also filter target specific types which have absolutely no
199 /// meaningful vectorization path such as x86_fp80 and ppc_f128. This just
200 /// avoids spending time checking the cost model and realizing that they will
201 /// be inevitably scalarized.
202 static bool isValidElementType(Type *Ty) {
203   return VectorType::isValidElementType(Ty) && !Ty->isX86_FP80Ty() &&
204          !Ty->isPPC_FP128Ty();
205 }
206 
207 /// \returns True if the value is a constant (but not globals/constant
208 /// expressions).
209 static bool isConstant(Value *V) {
210   return isa<Constant>(V) && !isa<ConstantExpr, GlobalValue>(V);
211 }
212 
213 /// Checks if \p V is one of vector-like instructions, i.e. undef,
214 /// insertelement/extractelement with constant indices for fixed vector type or
215 /// extractvalue instruction.
216 static bool isVectorLikeInstWithConstOps(Value *V) {
217   if (!isa<InsertElementInst, ExtractElementInst>(V) &&
218       !isa<ExtractValueInst, UndefValue>(V))
219     return false;
220   auto *I = dyn_cast<Instruction>(V);
221   if (!I || isa<ExtractValueInst>(I))
222     return true;
223   if (!isa<FixedVectorType>(I->getOperand(0)->getType()))
224     return false;
225   if (isa<ExtractElementInst>(I))
226     return isConstant(I->getOperand(1));
227   assert(isa<InsertElementInst>(V) && "Expected only insertelement.");
228   return isConstant(I->getOperand(2));
229 }
230 
231 #if !defined(NDEBUG)
232 /// Print a short descriptor of the instruction bundle suitable for debug output.
233 static std::string shortBundleName(ArrayRef<Value *> VL) {
234   std::string Result;
235   raw_string_ostream OS(Result);
236   OS << "n=" << VL.size() << " [" << *VL.front() << ", ..]";
237   OS.flush();
238   return Result;
239 }
240 #endif
241 
242 /// \returns true if all of the instructions in \p VL are in the same block or
243 /// false otherwise.
244 static bool allSameBlock(ArrayRef<Value *> VL) {
245   Instruction *I0 = dyn_cast<Instruction>(VL[0]);
246   if (!I0)
247     return false;
248   if (all_of(VL, isVectorLikeInstWithConstOps))
249     return true;
250 
251   BasicBlock *BB = I0->getParent();
252   for (int I = 1, E = VL.size(); I < E; I++) {
253     auto *II = dyn_cast<Instruction>(VL[I]);
254     if (!II)
255       return false;
256 
257     if (BB != II->getParent())
258       return false;
259   }
260   return true;
261 }
262 
263 /// \returns True if all of the values in \p VL are constants (but not
264 /// globals/constant expressions).
265 static bool allConstant(ArrayRef<Value *> VL) {
266   // Constant expressions and globals can't be vectorized like normal integer/FP
267   // constants.
268   return all_of(VL, isConstant);
269 }
270 
271 /// \returns True if all of the values in \p VL are identical or some of them
272 /// are UndefValue.
273 static bool isSplat(ArrayRef<Value *> VL) {
274   Value *FirstNonUndef = nullptr;
275   for (Value *V : VL) {
276     if (isa<UndefValue>(V))
277       continue;
278     if (!FirstNonUndef) {
279       FirstNonUndef = V;
280       continue;
281     }
282     if (V != FirstNonUndef)
283       return false;
284   }
285   return FirstNonUndef != nullptr;
286 }
287 
288 /// \returns True if \p I is commutative, handles CmpInst and BinaryOperator.
289 static bool isCommutative(Instruction *I) {
290   if (auto *Cmp = dyn_cast<CmpInst>(I))
291     return Cmp->isCommutative();
292   if (auto *BO = dyn_cast<BinaryOperator>(I))
293     return BO->isCommutative();
294   // TODO: This should check for generic Instruction::isCommutative(), but
295   //       we need to confirm that the caller code correctly handles Intrinsics
296   //       for example (does not have 2 operands).
297   return false;
298 }
299 
300 /// \returns inserting index of InsertElement or InsertValue instruction,
301 /// using Offset as base offset for index.
302 static std::optional<unsigned> getInsertIndex(const Value *InsertInst,
303                                               unsigned Offset = 0) {
304   int Index = Offset;
305   if (const auto *IE = dyn_cast<InsertElementInst>(InsertInst)) {
306     const auto *VT = dyn_cast<FixedVectorType>(IE->getType());
307     if (!VT)
308       return std::nullopt;
309     const auto *CI = dyn_cast<ConstantInt>(IE->getOperand(2));
310     if (!CI)
311       return std::nullopt;
312     if (CI->getValue().uge(VT->getNumElements()))
313       return std::nullopt;
314     Index *= VT->getNumElements();
315     Index += CI->getZExtValue();
316     return Index;
317   }
318 
319   const auto *IV = cast<InsertValueInst>(InsertInst);
320   Type *CurrentType = IV->getType();
321   for (unsigned I : IV->indices()) {
322     if (const auto *ST = dyn_cast<StructType>(CurrentType)) {
323       Index *= ST->getNumElements();
324       CurrentType = ST->getElementType(I);
325     } else if (const auto *AT = dyn_cast<ArrayType>(CurrentType)) {
326       Index *= AT->getNumElements();
327       CurrentType = AT->getElementType();
328     } else {
329       return std::nullopt;
330     }
331     Index += I;
332   }
333   return Index;
334 }
335 
336 namespace {
337 /// Specifies the way the mask should be analyzed for undefs/poisonous elements
338 /// in the shuffle mask.
339 enum class UseMask {
340   FirstArg, ///< The mask is expected to be for permutation of 1-2 vectors,
341             ///< check for the mask elements for the first argument (mask
342             ///< indices are in range [0:VF)).
343   SecondArg, ///< The mask is expected to be for permutation of 2 vectors, check
344              ///< for the mask elements for the second argument (mask indices
345              ///< are in range [VF:2*VF))
346   UndefsAsMask ///< Consider undef mask elements (-1) as placeholders for
347                ///< future shuffle elements and mark them as ones as being used
348                ///< in future. Non-undef elements are considered as unused since
349                ///< they're already marked as used in the mask.
350 };
351 } // namespace
352 
353 /// Prepares a use bitset for the given mask either for the first argument or
354 /// for the second.
355 static SmallBitVector buildUseMask(int VF, ArrayRef<int> Mask,
356                                    UseMask MaskArg) {
357   SmallBitVector UseMask(VF, true);
358   for (auto [Idx, Value] : enumerate(Mask)) {
359     if (Value == PoisonMaskElem) {
360       if (MaskArg == UseMask::UndefsAsMask)
361         UseMask.reset(Idx);
362       continue;
363     }
364     if (MaskArg == UseMask::FirstArg && Value < VF)
365       UseMask.reset(Value);
366     else if (MaskArg == UseMask::SecondArg && Value >= VF)
367       UseMask.reset(Value - VF);
368   }
369   return UseMask;
370 }
371 
372 /// Checks if the given value is actually an undefined constant vector.
373 /// Also, if the \p UseMask is not empty, tries to check if the non-masked
374 /// elements actually mask the insertelement buildvector, if any.
375 template <bool IsPoisonOnly = false>
376 static SmallBitVector isUndefVector(const Value *V,
377                                     const SmallBitVector &UseMask = {}) {
378   SmallBitVector Res(UseMask.empty() ? 1 : UseMask.size(), true);
379   using T = std::conditional_t<IsPoisonOnly, PoisonValue, UndefValue>;
380   if (isa<T>(V))
381     return Res;
382   auto *VecTy = dyn_cast<FixedVectorType>(V->getType());
383   if (!VecTy)
384     return Res.reset();
385   auto *C = dyn_cast<Constant>(V);
386   if (!C) {
387     if (!UseMask.empty()) {
388       const Value *Base = V;
389       while (auto *II = dyn_cast<InsertElementInst>(Base)) {
390         Base = II->getOperand(0);
391         if (isa<T>(II->getOperand(1)))
392           continue;
393         std::optional<unsigned> Idx = getInsertIndex(II);
394         if (!Idx) {
395           Res.reset();
396           return Res;
397         }
398         if (*Idx < UseMask.size() && !UseMask.test(*Idx))
399           Res.reset(*Idx);
400       }
401       // TODO: Add analysis for shuffles here too.
402       if (V == Base) {
403         Res.reset();
404       } else {
405         SmallBitVector SubMask(UseMask.size(), false);
406         Res &= isUndefVector<IsPoisonOnly>(Base, SubMask);
407       }
408     } else {
409       Res.reset();
410     }
411     return Res;
412   }
413   for (unsigned I = 0, E = VecTy->getNumElements(); I != E; ++I) {
414     if (Constant *Elem = C->getAggregateElement(I))
415       if (!isa<T>(Elem) &&
416           (UseMask.empty() || (I < UseMask.size() && !UseMask.test(I))))
417         Res.reset(I);
418   }
419   return Res;
420 }
421 
422 /// Checks if the vector of instructions can be represented as a shuffle, like:
423 /// %x0 = extractelement <4 x i8> %x, i32 0
424 /// %x3 = extractelement <4 x i8> %x, i32 3
425 /// %y1 = extractelement <4 x i8> %y, i32 1
426 /// %y2 = extractelement <4 x i8> %y, i32 2
427 /// %x0x0 = mul i8 %x0, %x0
428 /// %x3x3 = mul i8 %x3, %x3
429 /// %y1y1 = mul i8 %y1, %y1
430 /// %y2y2 = mul i8 %y2, %y2
431 /// %ins1 = insertelement <4 x i8> poison, i8 %x0x0, i32 0
432 /// %ins2 = insertelement <4 x i8> %ins1, i8 %x3x3, i32 1
433 /// %ins3 = insertelement <4 x i8> %ins2, i8 %y1y1, i32 2
434 /// %ins4 = insertelement <4 x i8> %ins3, i8 %y2y2, i32 3
435 /// ret <4 x i8> %ins4
436 /// can be transformed into:
437 /// %1 = shufflevector <4 x i8> %x, <4 x i8> %y, <4 x i32> <i32 0, i32 3, i32 5,
438 ///                                                         i32 6>
439 /// %2 = mul <4 x i8> %1, %1
440 /// ret <4 x i8> %2
441 /// Mask will return the Shuffle Mask equivalent to the extracted elements.
442 /// TODO: Can we split off and reuse the shuffle mask detection from
443 /// ShuffleVectorInst/getShuffleCost?
444 static std::optional<TargetTransformInfo::ShuffleKind>
445 isFixedVectorShuffle(ArrayRef<Value *> VL, SmallVectorImpl<int> &Mask) {
446   const auto *It =
447       find_if(VL, [](Value *V) { return isa<ExtractElementInst>(V); });
448   if (It == VL.end())
449     return std::nullopt;
450   auto *EI0 = cast<ExtractElementInst>(*It);
451   if (isa<ScalableVectorType>(EI0->getVectorOperandType()))
452     return std::nullopt;
453   unsigned Size =
454       cast<FixedVectorType>(EI0->getVectorOperandType())->getNumElements();
455   Value *Vec1 = nullptr;
456   Value *Vec2 = nullptr;
457   enum ShuffleMode { Unknown, Select, Permute };
458   ShuffleMode CommonShuffleMode = Unknown;
459   Mask.assign(VL.size(), PoisonMaskElem);
460   for (unsigned I = 0, E = VL.size(); I < E; ++I) {
461     // Undef can be represented as an undef element in a vector.
462     if (isa<UndefValue>(VL[I]))
463       continue;
464     auto *EI = cast<ExtractElementInst>(VL[I]);
465     if (isa<ScalableVectorType>(EI->getVectorOperandType()))
466       return std::nullopt;
467     auto *Vec = EI->getVectorOperand();
468     // We can extractelement from undef or poison vector.
469     if (isUndefVector(Vec).all())
470       continue;
471     // All vector operands must have the same number of vector elements.
472     if (cast<FixedVectorType>(Vec->getType())->getNumElements() != Size)
473       return std::nullopt;
474     if (isa<UndefValue>(EI->getIndexOperand()))
475       continue;
476     auto *Idx = dyn_cast<ConstantInt>(EI->getIndexOperand());
477     if (!Idx)
478       return std::nullopt;
479     // Undefined behavior if Idx is negative or >= Size.
480     if (Idx->getValue().uge(Size))
481       continue;
482     unsigned IntIdx = Idx->getValue().getZExtValue();
483     Mask[I] = IntIdx;
484     // For correct shuffling we have to have at most 2 different vector operands
485     // in all extractelement instructions.
486     if (!Vec1 || Vec1 == Vec) {
487       Vec1 = Vec;
488     } else if (!Vec2 || Vec2 == Vec) {
489       Vec2 = Vec;
490       Mask[I] += Size;
491     } else {
492       return std::nullopt;
493     }
494     if (CommonShuffleMode == Permute)
495       continue;
496     // If the extract index is not the same as the operation number, it is a
497     // permutation.
498     if (IntIdx != I) {
499       CommonShuffleMode = Permute;
500       continue;
501     }
502     CommonShuffleMode = Select;
503   }
504   // If we're not crossing lanes in different vectors, consider it as blending.
505   if (CommonShuffleMode == Select && Vec2)
506     return TargetTransformInfo::SK_Select;
507   // If Vec2 was never used, we have a permutation of a single vector, otherwise
508   // we have permutation of 2 vectors.
509   return Vec2 ? TargetTransformInfo::SK_PermuteTwoSrc
510               : TargetTransformInfo::SK_PermuteSingleSrc;
511 }
512 
513 /// \returns True if Extract{Value,Element} instruction extracts element Idx.
514 static std::optional<unsigned> getExtractIndex(Instruction *E) {
515   unsigned Opcode = E->getOpcode();
516   assert((Opcode == Instruction::ExtractElement ||
517           Opcode == Instruction::ExtractValue) &&
518          "Expected extractelement or extractvalue instruction.");
519   if (Opcode == Instruction::ExtractElement) {
520     auto *CI = dyn_cast<ConstantInt>(E->getOperand(1));
521     if (!CI)
522       return std::nullopt;
523     return CI->getZExtValue();
524   }
525   auto *EI = cast<ExtractValueInst>(E);
526   if (EI->getNumIndices() != 1)
527     return std::nullopt;
528   return *EI->idx_begin();
529 }
530 
531 namespace {
532 
533 /// Main data required for vectorization of instructions.
534 struct InstructionsState {
535   /// The very first instruction in the list with the main opcode.
536   Value *OpValue = nullptr;
537 
538   /// The main/alternate instruction.
539   Instruction *MainOp = nullptr;
540   Instruction *AltOp = nullptr;
541 
542   /// The main/alternate opcodes for the list of instructions.
543   unsigned getOpcode() const {
544     return MainOp ? MainOp->getOpcode() : 0;
545   }
546 
547   unsigned getAltOpcode() const {
548     return AltOp ? AltOp->getOpcode() : 0;
549   }
550 
551   /// Some of the instructions in the list have alternate opcodes.
552   bool isAltShuffle() const { return AltOp != MainOp; }
553 
554   bool isOpcodeOrAlt(Instruction *I) const {
555     unsigned CheckedOpcode = I->getOpcode();
556     return getOpcode() == CheckedOpcode || getAltOpcode() == CheckedOpcode;
557   }
558 
559   InstructionsState() = delete;
560   InstructionsState(Value *OpValue, Instruction *MainOp, Instruction *AltOp)
561       : OpValue(OpValue), MainOp(MainOp), AltOp(AltOp) {}
562 };
563 
564 } // end anonymous namespace
565 
566 /// Chooses the correct key for scheduling data. If \p Op has the same (or
567 /// alternate) opcode as \p OpValue, the key is \p Op. Otherwise the key is \p
568 /// OpValue.
569 static Value *isOneOf(const InstructionsState &S, Value *Op) {
570   auto *I = dyn_cast<Instruction>(Op);
571   if (I && S.isOpcodeOrAlt(I))
572     return Op;
573   return S.OpValue;
574 }
575 
576 /// \returns true if \p Opcode is allowed as part of the main/alternate
577 /// instruction for SLP vectorization.
578 ///
579 /// Example of unsupported opcode is SDIV that can potentially cause UB if the
580 /// "shuffled out" lane would result in division by zero.
581 static bool isValidForAlternation(unsigned Opcode) {
582   if (Instruction::isIntDivRem(Opcode))
583     return false;
584 
585   return true;
586 }
587 
588 static InstructionsState getSameOpcode(ArrayRef<Value *> VL,
589                                        const TargetLibraryInfo &TLI,
590                                        unsigned BaseIndex = 0);
591 
592 /// Checks if the provided operands of 2 cmp instructions are compatible, i.e.
593 /// compatible instructions or constants, or just some other regular values.
594 static bool areCompatibleCmpOps(Value *BaseOp0, Value *BaseOp1, Value *Op0,
595                                 Value *Op1, const TargetLibraryInfo &TLI) {
596   return (isConstant(BaseOp0) && isConstant(Op0)) ||
597          (isConstant(BaseOp1) && isConstant(Op1)) ||
598          (!isa<Instruction>(BaseOp0) && !isa<Instruction>(Op0) &&
599           !isa<Instruction>(BaseOp1) && !isa<Instruction>(Op1)) ||
600          BaseOp0 == Op0 || BaseOp1 == Op1 ||
601          getSameOpcode({BaseOp0, Op0}, TLI).getOpcode() ||
602          getSameOpcode({BaseOp1, Op1}, TLI).getOpcode();
603 }
604 
605 /// \returns true if a compare instruction \p CI has similar "look" and
606 /// same predicate as \p BaseCI, "as is" or with its operands and predicate
607 /// swapped, false otherwise.
608 static bool isCmpSameOrSwapped(const CmpInst *BaseCI, const CmpInst *CI,
609                                const TargetLibraryInfo &TLI) {
610   assert(BaseCI->getOperand(0)->getType() == CI->getOperand(0)->getType() &&
611          "Assessing comparisons of different types?");
612   CmpInst::Predicate BasePred = BaseCI->getPredicate();
613   CmpInst::Predicate Pred = CI->getPredicate();
614   CmpInst::Predicate SwappedPred = CmpInst::getSwappedPredicate(Pred);
615 
616   Value *BaseOp0 = BaseCI->getOperand(0);
617   Value *BaseOp1 = BaseCI->getOperand(1);
618   Value *Op0 = CI->getOperand(0);
619   Value *Op1 = CI->getOperand(1);
620 
621   return (BasePred == Pred &&
622           areCompatibleCmpOps(BaseOp0, BaseOp1, Op0, Op1, TLI)) ||
623          (BasePred == SwappedPred &&
624           areCompatibleCmpOps(BaseOp0, BaseOp1, Op1, Op0, TLI));
625 }
626 
627 /// \returns analysis of the Instructions in \p VL described in
628 /// InstructionsState, the Opcode that we suppose the whole list
629 /// could be vectorized even if its structure is diverse.
630 static InstructionsState getSameOpcode(ArrayRef<Value *> VL,
631                                        const TargetLibraryInfo &TLI,
632                                        unsigned BaseIndex) {
633   // Make sure these are all Instructions.
634   if (llvm::any_of(VL, [](Value *V) { return !isa<Instruction>(V); }))
635     return InstructionsState(VL[BaseIndex], nullptr, nullptr);
636 
637   bool IsCastOp = isa<CastInst>(VL[BaseIndex]);
638   bool IsBinOp = isa<BinaryOperator>(VL[BaseIndex]);
639   bool IsCmpOp = isa<CmpInst>(VL[BaseIndex]);
640   CmpInst::Predicate BasePred =
641       IsCmpOp ? cast<CmpInst>(VL[BaseIndex])->getPredicate()
642               : CmpInst::BAD_ICMP_PREDICATE;
643   unsigned Opcode = cast<Instruction>(VL[BaseIndex])->getOpcode();
644   unsigned AltOpcode = Opcode;
645   unsigned AltIndex = BaseIndex;
646 
647   // Check for one alternate opcode from another BinaryOperator.
648   // TODO - generalize to support all operators (types, calls etc.).
649   auto *IBase = cast<Instruction>(VL[BaseIndex]);
650   Intrinsic::ID BaseID = 0;
651   SmallVector<VFInfo> BaseMappings;
652   if (auto *CallBase = dyn_cast<CallInst>(IBase)) {
653     BaseID = getVectorIntrinsicIDForCall(CallBase, &TLI);
654     BaseMappings = VFDatabase(*CallBase).getMappings(*CallBase);
655     if (!isTriviallyVectorizable(BaseID) && BaseMappings.empty())
656       return InstructionsState(VL[BaseIndex], nullptr, nullptr);
657   }
658   for (int Cnt = 0, E = VL.size(); Cnt < E; Cnt++) {
659     auto *I = cast<Instruction>(VL[Cnt]);
660     unsigned InstOpcode = I->getOpcode();
661     if (IsBinOp && isa<BinaryOperator>(I)) {
662       if (InstOpcode == Opcode || InstOpcode == AltOpcode)
663         continue;
664       if (Opcode == AltOpcode && isValidForAlternation(InstOpcode) &&
665           isValidForAlternation(Opcode)) {
666         AltOpcode = InstOpcode;
667         AltIndex = Cnt;
668         continue;
669       }
670     } else if (IsCastOp && isa<CastInst>(I)) {
671       Value *Op0 = IBase->getOperand(0);
672       Type *Ty0 = Op0->getType();
673       Value *Op1 = I->getOperand(0);
674       Type *Ty1 = Op1->getType();
675       if (Ty0 == Ty1) {
676         if (InstOpcode == Opcode || InstOpcode == AltOpcode)
677           continue;
678         if (Opcode == AltOpcode) {
679           assert(isValidForAlternation(Opcode) &&
680                  isValidForAlternation(InstOpcode) &&
681                  "Cast isn't safe for alternation, logic needs to be updated!");
682           AltOpcode = InstOpcode;
683           AltIndex = Cnt;
684           continue;
685         }
686       }
687     } else if (auto *Inst = dyn_cast<CmpInst>(VL[Cnt]); Inst && IsCmpOp) {
688       auto *BaseInst = cast<CmpInst>(VL[BaseIndex]);
689       Type *Ty0 = BaseInst->getOperand(0)->getType();
690       Type *Ty1 = Inst->getOperand(0)->getType();
691       if (Ty0 == Ty1) {
692         assert(InstOpcode == Opcode && "Expected same CmpInst opcode.");
693         // Check for compatible operands. If the corresponding operands are not
694         // compatible - need to perform alternate vectorization.
695         CmpInst::Predicate CurrentPred = Inst->getPredicate();
696         CmpInst::Predicate SwappedCurrentPred =
697             CmpInst::getSwappedPredicate(CurrentPred);
698 
699         if (E == 2 &&
700             (BasePred == CurrentPred || BasePred == SwappedCurrentPred))
701           continue;
702 
703         if (isCmpSameOrSwapped(BaseInst, Inst, TLI))
704           continue;
705         auto *AltInst = cast<CmpInst>(VL[AltIndex]);
706         if (AltIndex != BaseIndex) {
707           if (isCmpSameOrSwapped(AltInst, Inst, TLI))
708             continue;
709         } else if (BasePred != CurrentPred) {
710           assert(
711               isValidForAlternation(InstOpcode) &&
712               "CmpInst isn't safe for alternation, logic needs to be updated!");
713           AltIndex = Cnt;
714           continue;
715         }
716         CmpInst::Predicate AltPred = AltInst->getPredicate();
717         if (BasePred == CurrentPred || BasePred == SwappedCurrentPred ||
718             AltPred == CurrentPred || AltPred == SwappedCurrentPred)
719           continue;
720       }
721     } else if (InstOpcode == Opcode || InstOpcode == AltOpcode) {
722       if (auto *Gep = dyn_cast<GetElementPtrInst>(I)) {
723         if (Gep->getNumOperands() != 2 ||
724             Gep->getOperand(0)->getType() != IBase->getOperand(0)->getType())
725           return InstructionsState(VL[BaseIndex], nullptr, nullptr);
726       } else if (auto *EI = dyn_cast<ExtractElementInst>(I)) {
727         if (!isVectorLikeInstWithConstOps(EI))
728           return InstructionsState(VL[BaseIndex], nullptr, nullptr);
729       } else if (auto *LI = dyn_cast<LoadInst>(I)) {
730         auto *BaseLI = cast<LoadInst>(IBase);
731         if (!LI->isSimple() || !BaseLI->isSimple())
732           return InstructionsState(VL[BaseIndex], nullptr, nullptr);
733       } else if (auto *Call = dyn_cast<CallInst>(I)) {
734         auto *CallBase = cast<CallInst>(IBase);
735         if (Call->getCalledFunction() != CallBase->getCalledFunction())
736           return InstructionsState(VL[BaseIndex], nullptr, nullptr);
737         if (Call->hasOperandBundles() &&
738             !std::equal(Call->op_begin() + Call->getBundleOperandsStartIndex(),
739                         Call->op_begin() + Call->getBundleOperandsEndIndex(),
740                         CallBase->op_begin() +
741                             CallBase->getBundleOperandsStartIndex()))
742           return InstructionsState(VL[BaseIndex], nullptr, nullptr);
743         Intrinsic::ID ID = getVectorIntrinsicIDForCall(Call, &TLI);
744         if (ID != BaseID)
745           return InstructionsState(VL[BaseIndex], nullptr, nullptr);
746         if (!ID) {
747           SmallVector<VFInfo> Mappings = VFDatabase(*Call).getMappings(*Call);
748           if (Mappings.size() != BaseMappings.size() ||
749               Mappings.front().ISA != BaseMappings.front().ISA ||
750               Mappings.front().ScalarName != BaseMappings.front().ScalarName ||
751               Mappings.front().VectorName != BaseMappings.front().VectorName ||
752               Mappings.front().Shape.VF != BaseMappings.front().Shape.VF ||
753               Mappings.front().Shape.Parameters !=
754                   BaseMappings.front().Shape.Parameters)
755             return InstructionsState(VL[BaseIndex], nullptr, nullptr);
756         }
757       }
758       continue;
759     }
760     return InstructionsState(VL[BaseIndex], nullptr, nullptr);
761   }
762 
763   return InstructionsState(VL[BaseIndex], cast<Instruction>(VL[BaseIndex]),
764                            cast<Instruction>(VL[AltIndex]));
765 }
766 
767 /// \returns true if all of the values in \p VL have the same type or false
768 /// otherwise.
769 static bool allSameType(ArrayRef<Value *> VL) {
770   Type *Ty = VL.front()->getType();
771   return all_of(VL.drop_front(), [&](Value *V) { return V->getType() == Ty; });
772 }
773 
774 /// \returns True if in-tree use also needs extract. This refers to
775 /// possible scalar operand in vectorized instruction.
776 static bool doesInTreeUserNeedToExtract(Value *Scalar, Instruction *UserInst,
777                                         TargetLibraryInfo *TLI) {
778   unsigned Opcode = UserInst->getOpcode();
779   switch (Opcode) {
780   case Instruction::Load: {
781     LoadInst *LI = cast<LoadInst>(UserInst);
782     return (LI->getPointerOperand() == Scalar);
783   }
784   case Instruction::Store: {
785     StoreInst *SI = cast<StoreInst>(UserInst);
786     return (SI->getPointerOperand() == Scalar);
787   }
788   case Instruction::Call: {
789     CallInst *CI = cast<CallInst>(UserInst);
790     Intrinsic::ID ID = getVectorIntrinsicIDForCall(CI, TLI);
791     return any_of(enumerate(CI->args()), [&](auto &&Arg) {
792       return isVectorIntrinsicWithScalarOpAtArg(ID, Arg.index()) &&
793              Arg.value().get() == Scalar;
794     });
795   }
796   default:
797     return false;
798   }
799 }
800 
801 /// \returns the AA location that is being access by the instruction.
802 static MemoryLocation getLocation(Instruction *I) {
803   if (StoreInst *SI = dyn_cast<StoreInst>(I))
804     return MemoryLocation::get(SI);
805   if (LoadInst *LI = dyn_cast<LoadInst>(I))
806     return MemoryLocation::get(LI);
807   return MemoryLocation();
808 }
809 
810 /// \returns True if the instruction is not a volatile or atomic load/store.
811 static bool isSimple(Instruction *I) {
812   if (LoadInst *LI = dyn_cast<LoadInst>(I))
813     return LI->isSimple();
814   if (StoreInst *SI = dyn_cast<StoreInst>(I))
815     return SI->isSimple();
816   if (MemIntrinsic *MI = dyn_cast<MemIntrinsic>(I))
817     return !MI->isVolatile();
818   return true;
819 }
820 
821 /// Shuffles \p Mask in accordance with the given \p SubMask.
822 /// \param ExtendingManyInputs Supports reshuffling of the mask with not only
823 /// one but two input vectors.
824 static void addMask(SmallVectorImpl<int> &Mask, ArrayRef<int> SubMask,
825                     bool ExtendingManyInputs = false) {
826   if (SubMask.empty())
827     return;
828   assert(
829       (!ExtendingManyInputs || SubMask.size() > Mask.size() ||
830        // Check if input scalars were extended to match the size of other node.
831        (SubMask.size() == Mask.size() &&
832         std::all_of(std::next(Mask.begin(), Mask.size() / 2), Mask.end(),
833                     [](int Idx) { return Idx == PoisonMaskElem; }))) &&
834       "SubMask with many inputs support must be larger than the mask.");
835   if (Mask.empty()) {
836     Mask.append(SubMask.begin(), SubMask.end());
837     return;
838   }
839   SmallVector<int> NewMask(SubMask.size(), PoisonMaskElem);
840   int TermValue = std::min(Mask.size(), SubMask.size());
841   for (int I = 0, E = SubMask.size(); I < E; ++I) {
842     if (SubMask[I] == PoisonMaskElem ||
843         (!ExtendingManyInputs &&
844          (SubMask[I] >= TermValue || Mask[SubMask[I]] >= TermValue)))
845       continue;
846     NewMask[I] = Mask[SubMask[I]];
847   }
848   Mask.swap(NewMask);
849 }
850 
851 /// Order may have elements assigned special value (size) which is out of
852 /// bounds. Such indices only appear on places which correspond to undef values
853 /// (see canReuseExtract for details) and used in order to avoid undef values
854 /// have effect on operands ordering.
855 /// The first loop below simply finds all unused indices and then the next loop
856 /// nest assigns these indices for undef values positions.
857 /// As an example below Order has two undef positions and they have assigned
858 /// values 3 and 7 respectively:
859 /// before:  6 9 5 4 9 2 1 0
860 /// after:   6 3 5 4 7 2 1 0
861 static void fixupOrderingIndices(SmallVectorImpl<unsigned> &Order) {
862   const unsigned Sz = Order.size();
863   SmallBitVector UnusedIndices(Sz, /*t=*/true);
864   SmallBitVector MaskedIndices(Sz);
865   for (unsigned I = 0; I < Sz; ++I) {
866     if (Order[I] < Sz)
867       UnusedIndices.reset(Order[I]);
868     else
869       MaskedIndices.set(I);
870   }
871   if (MaskedIndices.none())
872     return;
873   assert(UnusedIndices.count() == MaskedIndices.count() &&
874          "Non-synced masked/available indices.");
875   int Idx = UnusedIndices.find_first();
876   int MIdx = MaskedIndices.find_first();
877   while (MIdx >= 0) {
878     assert(Idx >= 0 && "Indices must be synced.");
879     Order[MIdx] = Idx;
880     Idx = UnusedIndices.find_next(Idx);
881     MIdx = MaskedIndices.find_next(MIdx);
882   }
883 }
884 
885 namespace llvm {
886 
887 static void inversePermutation(ArrayRef<unsigned> Indices,
888                                SmallVectorImpl<int> &Mask) {
889   Mask.clear();
890   const unsigned E = Indices.size();
891   Mask.resize(E, PoisonMaskElem);
892   for (unsigned I = 0; I < E; ++I)
893     Mask[Indices[I]] = I;
894 }
895 
896 /// Reorders the list of scalars in accordance with the given \p Mask.
897 static void reorderScalars(SmallVectorImpl<Value *> &Scalars,
898                            ArrayRef<int> Mask) {
899   assert(!Mask.empty() && "Expected non-empty mask.");
900   SmallVector<Value *> Prev(Scalars.size(),
901                             UndefValue::get(Scalars.front()->getType()));
902   Prev.swap(Scalars);
903   for (unsigned I = 0, E = Prev.size(); I < E; ++I)
904     if (Mask[I] != PoisonMaskElem)
905       Scalars[Mask[I]] = Prev[I];
906 }
907 
908 /// Checks if the provided value does not require scheduling. It does not
909 /// require scheduling if this is not an instruction or it is an instruction
910 /// that does not read/write memory and all operands are either not instructions
911 /// or phi nodes or instructions from different blocks.
912 static bool areAllOperandsNonInsts(Value *V) {
913   auto *I = dyn_cast<Instruction>(V);
914   if (!I)
915     return true;
916   return !mayHaveNonDefUseDependency(*I) &&
917     all_of(I->operands(), [I](Value *V) {
918       auto *IO = dyn_cast<Instruction>(V);
919       if (!IO)
920         return true;
921       return isa<PHINode>(IO) || IO->getParent() != I->getParent();
922     });
923 }
924 
925 /// Checks if the provided value does not require scheduling. It does not
926 /// require scheduling if this is not an instruction or it is an instruction
927 /// that does not read/write memory and all users are phi nodes or instructions
928 /// from the different blocks.
929 static bool isUsedOutsideBlock(Value *V) {
930   auto *I = dyn_cast<Instruction>(V);
931   if (!I)
932     return true;
933   // Limits the number of uses to save compile time.
934   constexpr int UsesLimit = 8;
935   return !I->mayReadOrWriteMemory() && !I->hasNUsesOrMore(UsesLimit) &&
936          all_of(I->users(), [I](User *U) {
937            auto *IU = dyn_cast<Instruction>(U);
938            if (!IU)
939              return true;
940            return IU->getParent() != I->getParent() || isa<PHINode>(IU);
941          });
942 }
943 
944 /// Checks if the specified value does not require scheduling. It does not
945 /// require scheduling if all operands and all users do not need to be scheduled
946 /// in the current basic block.
947 static bool doesNotNeedToBeScheduled(Value *V) {
948   return areAllOperandsNonInsts(V) && isUsedOutsideBlock(V);
949 }
950 
951 /// Checks if the specified array of instructions does not require scheduling.
952 /// It is so if all either instructions have operands that do not require
953 /// scheduling or their users do not require scheduling since they are phis or
954 /// in other basic blocks.
955 static bool doesNotNeedToSchedule(ArrayRef<Value *> VL) {
956   return !VL.empty() &&
957          (all_of(VL, isUsedOutsideBlock) || all_of(VL, areAllOperandsNonInsts));
958 }
959 
960 namespace slpvectorizer {
961 
962 /// Bottom Up SLP Vectorizer.
963 class BoUpSLP {
964   struct TreeEntry;
965   struct ScheduleData;
966   class ShuffleCostEstimator;
967   class ShuffleInstructionBuilder;
968 
969 public:
970   using ValueList = SmallVector<Value *, 8>;
971   using InstrList = SmallVector<Instruction *, 16>;
972   using ValueSet = SmallPtrSet<Value *, 16>;
973   using StoreList = SmallVector<StoreInst *, 8>;
974   using ExtraValueToDebugLocsMap =
975       MapVector<Value *, SmallVector<Instruction *, 2>>;
976   using OrdersType = SmallVector<unsigned, 4>;
977 
978   BoUpSLP(Function *Func, ScalarEvolution *Se, TargetTransformInfo *Tti,
979           TargetLibraryInfo *TLi, AAResults *Aa, LoopInfo *Li,
980           DominatorTree *Dt, AssumptionCache *AC, DemandedBits *DB,
981           const DataLayout *DL, OptimizationRemarkEmitter *ORE)
982       : BatchAA(*Aa), F(Func), SE(Se), TTI(Tti), TLI(TLi), LI(Li),
983         DT(Dt), AC(AC), DB(DB), DL(DL), ORE(ORE), Builder(Se->getContext()) {
984     CodeMetrics::collectEphemeralValues(F, AC, EphValues);
985     // Use the vector register size specified by the target unless overridden
986     // by a command-line option.
987     // TODO: It would be better to limit the vectorization factor based on
988     //       data type rather than just register size. For example, x86 AVX has
989     //       256-bit registers, but it does not support integer operations
990     //       at that width (that requires AVX2).
991     if (MaxVectorRegSizeOption.getNumOccurrences())
992       MaxVecRegSize = MaxVectorRegSizeOption;
993     else
994       MaxVecRegSize =
995           TTI->getRegisterBitWidth(TargetTransformInfo::RGK_FixedWidthVector)
996               .getFixedValue();
997 
998     if (MinVectorRegSizeOption.getNumOccurrences())
999       MinVecRegSize = MinVectorRegSizeOption;
1000     else
1001       MinVecRegSize = TTI->getMinVectorRegisterBitWidth();
1002   }
1003 
1004   /// Vectorize the tree that starts with the elements in \p VL.
1005   /// Returns the vectorized root.
1006   Value *vectorizeTree();
1007 
1008   /// Vectorize the tree but with the list of externally used values \p
1009   /// ExternallyUsedValues. Values in this MapVector can be replaced but the
1010   /// generated extractvalue instructions.
1011   /// \param ReplacedExternals containd list of replaced external values
1012   /// {scalar, replace} after emitting extractelement for external uses.
1013   Value *
1014   vectorizeTree(const ExtraValueToDebugLocsMap &ExternallyUsedValues,
1015                 SmallVectorImpl<std::pair<Value *, Value *>> &ReplacedExternals,
1016                 Instruction *ReductionRoot = nullptr);
1017 
1018   /// \returns the cost incurred by unwanted spills and fills, caused by
1019   /// holding live values over call sites.
1020   InstructionCost getSpillCost() const;
1021 
1022   /// \returns the vectorization cost of the subtree that starts at \p VL.
1023   /// A negative number means that this is profitable.
1024   InstructionCost getTreeCost(ArrayRef<Value *> VectorizedVals = std::nullopt);
1025 
1026   /// Construct a vectorizable tree that starts at \p Roots, ignoring users for
1027   /// the purpose of scheduling and extraction in the \p UserIgnoreLst.
1028   void buildTree(ArrayRef<Value *> Roots,
1029                  const SmallDenseSet<Value *> &UserIgnoreLst);
1030 
1031   /// Construct a vectorizable tree that starts at \p Roots.
1032   void buildTree(ArrayRef<Value *> Roots);
1033 
1034   /// Returns whether the root node has in-tree uses.
1035   bool doesRootHaveInTreeUses() const {
1036     return !VectorizableTree.empty() &&
1037            !VectorizableTree.front()->UserTreeIndices.empty();
1038   }
1039 
1040   /// Return the scalars of the root node.
1041   ArrayRef<Value *> getRootNodeScalars() const {
1042     assert(!VectorizableTree.empty() && "No graph to get the first node from");
1043     return VectorizableTree.front()->Scalars;
1044   }
1045 
1046   /// Builds external uses of the vectorized scalars, i.e. the list of
1047   /// vectorized scalars to be extracted, their lanes and their scalar users. \p
1048   /// ExternallyUsedValues contains additional list of external uses to handle
1049   /// vectorization of reductions.
1050   void
1051   buildExternalUses(const ExtraValueToDebugLocsMap &ExternallyUsedValues = {});
1052 
1053   /// Clear the internal data structures that are created by 'buildTree'.
1054   void deleteTree() {
1055     VectorizableTree.clear();
1056     ScalarToTreeEntry.clear();
1057     MultiNodeScalars.clear();
1058     MustGather.clear();
1059     EntryToLastInstruction.clear();
1060     ExternalUses.clear();
1061     for (auto &Iter : BlocksSchedules) {
1062       BlockScheduling *BS = Iter.second.get();
1063       BS->clear();
1064     }
1065     MinBWs.clear();
1066     InstrElementSize.clear();
1067     UserIgnoreList = nullptr;
1068     PostponedGathers.clear();
1069     ValueToGatherNodes.clear();
1070   }
1071 
1072   unsigned getTreeSize() const { return VectorizableTree.size(); }
1073 
1074   /// Perform LICM and CSE on the newly generated gather sequences.
1075   void optimizeGatherSequence();
1076 
1077   /// Checks if the specified gather tree entry \p TE can be represented as a
1078   /// shuffled vector entry + (possibly) permutation with other gathers. It
1079   /// implements the checks only for possibly ordered scalars (Loads,
1080   /// ExtractElement, ExtractValue), which can be part of the graph.
1081   std::optional<OrdersType> findReusedOrderedScalars(const TreeEntry &TE);
1082 
1083   /// Sort loads into increasing pointers offsets to allow greater clustering.
1084   std::optional<OrdersType> findPartiallyOrderedLoads(const TreeEntry &TE);
1085 
1086   /// Gets reordering data for the given tree entry. If the entry is vectorized
1087   /// - just return ReorderIndices, otherwise check if the scalars can be
1088   /// reordered and return the most optimal order.
1089   /// \return std::nullopt if ordering is not important, empty order, if
1090   /// identity order is important, or the actual order.
1091   /// \param TopToBottom If true, include the order of vectorized stores and
1092   /// insertelement nodes, otherwise skip them.
1093   std::optional<OrdersType> getReorderingData(const TreeEntry &TE,
1094                                               bool TopToBottom);
1095 
1096   /// Reorders the current graph to the most profitable order starting from the
1097   /// root node to the leaf nodes. The best order is chosen only from the nodes
1098   /// of the same size (vectorization factor). Smaller nodes are considered
1099   /// parts of subgraph with smaller VF and they are reordered independently. We
1100   /// can make it because we still need to extend smaller nodes to the wider VF
1101   /// and we can merge reordering shuffles with the widening shuffles.
1102   void reorderTopToBottom();
1103 
1104   /// Reorders the current graph to the most profitable order starting from
1105   /// leaves to the root. It allows to rotate small subgraphs and reduce the
1106   /// number of reshuffles if the leaf nodes use the same order. In this case we
1107   /// can merge the orders and just shuffle user node instead of shuffling its
1108   /// operands. Plus, even the leaf nodes have different orders, it allows to
1109   /// sink reordering in the graph closer to the root node and merge it later
1110   /// during analysis.
1111   void reorderBottomToTop(bool IgnoreReorder = false);
1112 
1113   /// \return The vector element size in bits to use when vectorizing the
1114   /// expression tree ending at \p V. If V is a store, the size is the width of
1115   /// the stored value. Otherwise, the size is the width of the largest loaded
1116   /// value reaching V. This method is used by the vectorizer to calculate
1117   /// vectorization factors.
1118   unsigned getVectorElementSize(Value *V);
1119 
1120   /// Compute the minimum type sizes required to represent the entries in a
1121   /// vectorizable tree.
1122   void computeMinimumValueSizes();
1123 
1124   // \returns maximum vector register size as set by TTI or overridden by cl::opt.
1125   unsigned getMaxVecRegSize() const {
1126     return MaxVecRegSize;
1127   }
1128 
1129   // \returns minimum vector register size as set by cl::opt.
1130   unsigned getMinVecRegSize() const {
1131     return MinVecRegSize;
1132   }
1133 
1134   unsigned getMinVF(unsigned Sz) const {
1135     return std::max(2U, getMinVecRegSize() / Sz);
1136   }
1137 
1138   unsigned getMaximumVF(unsigned ElemWidth, unsigned Opcode) const {
1139     unsigned MaxVF = MaxVFOption.getNumOccurrences() ?
1140       MaxVFOption : TTI->getMaximumVF(ElemWidth, Opcode);
1141     return MaxVF ? MaxVF : UINT_MAX;
1142   }
1143 
1144   /// Check if homogeneous aggregate is isomorphic to some VectorType.
1145   /// Accepts homogeneous multidimensional aggregate of scalars/vectors like
1146   /// {[4 x i16], [4 x i16]}, { <2 x float>, <2 x float> },
1147   /// {{{i16, i16}, {i16, i16}}, {{i16, i16}, {i16, i16}}} and so on.
1148   ///
1149   /// \returns number of elements in vector if isomorphism exists, 0 otherwise.
1150   unsigned canMapToVector(Type *T) const;
1151 
1152   /// \returns True if the VectorizableTree is both tiny and not fully
1153   /// vectorizable. We do not vectorize such trees.
1154   bool isTreeTinyAndNotFullyVectorizable(bool ForReduction = false) const;
1155 
1156   /// Assume that a legal-sized 'or'-reduction of shifted/zexted loaded values
1157   /// can be load combined in the backend. Load combining may not be allowed in
1158   /// the IR optimizer, so we do not want to alter the pattern. For example,
1159   /// partially transforming a scalar bswap() pattern into vector code is
1160   /// effectively impossible for the backend to undo.
1161   /// TODO: If load combining is allowed in the IR optimizer, this analysis
1162   ///       may not be necessary.
1163   bool isLoadCombineReductionCandidate(RecurKind RdxKind) const;
1164 
1165   /// Assume that a vector of stores of bitwise-or/shifted/zexted loaded values
1166   /// can be load combined in the backend. Load combining may not be allowed in
1167   /// the IR optimizer, so we do not want to alter the pattern. For example,
1168   /// partially transforming a scalar bswap() pattern into vector code is
1169   /// effectively impossible for the backend to undo.
1170   /// TODO: If load combining is allowed in the IR optimizer, this analysis
1171   ///       may not be necessary.
1172   bool isLoadCombineCandidate() const;
1173 
1174   OptimizationRemarkEmitter *getORE() { return ORE; }
1175 
1176   /// This structure holds any data we need about the edges being traversed
1177   /// during buildTree_rec(). We keep track of:
1178   /// (i) the user TreeEntry index, and
1179   /// (ii) the index of the edge.
1180   struct EdgeInfo {
1181     EdgeInfo() = default;
1182     EdgeInfo(TreeEntry *UserTE, unsigned EdgeIdx)
1183         : UserTE(UserTE), EdgeIdx(EdgeIdx) {}
1184     /// The user TreeEntry.
1185     TreeEntry *UserTE = nullptr;
1186     /// The operand index of the use.
1187     unsigned EdgeIdx = UINT_MAX;
1188 #ifndef NDEBUG
1189     friend inline raw_ostream &operator<<(raw_ostream &OS,
1190                                           const BoUpSLP::EdgeInfo &EI) {
1191       EI.dump(OS);
1192       return OS;
1193     }
1194     /// Debug print.
1195     void dump(raw_ostream &OS) const {
1196       OS << "{User:" << (UserTE ? std::to_string(UserTE->Idx) : "null")
1197          << " EdgeIdx:" << EdgeIdx << "}";
1198     }
1199     LLVM_DUMP_METHOD void dump() const { dump(dbgs()); }
1200 #endif
1201     bool operator == (const EdgeInfo &Other) const {
1202       return UserTE == Other.UserTE && EdgeIdx == Other.EdgeIdx;
1203     }
1204   };
1205 
1206   /// A helper class used for scoring candidates for two consecutive lanes.
1207   class LookAheadHeuristics {
1208     const TargetLibraryInfo &TLI;
1209     const DataLayout &DL;
1210     ScalarEvolution &SE;
1211     const BoUpSLP &R;
1212     int NumLanes; // Total number of lanes (aka vectorization factor).
1213     int MaxLevel; // The maximum recursion depth for accumulating score.
1214 
1215   public:
1216     LookAheadHeuristics(const TargetLibraryInfo &TLI, const DataLayout &DL,
1217                         ScalarEvolution &SE, const BoUpSLP &R, int NumLanes,
1218                         int MaxLevel)
1219         : TLI(TLI), DL(DL), SE(SE), R(R), NumLanes(NumLanes),
1220           MaxLevel(MaxLevel) {}
1221 
1222     // The hard-coded scores listed here are not very important, though it shall
1223     // be higher for better matches to improve the resulting cost. When
1224     // computing the scores of matching one sub-tree with another, we are
1225     // basically counting the number of values that are matching. So even if all
1226     // scores are set to 1, we would still get a decent matching result.
1227     // However, sometimes we have to break ties. For example we may have to
1228     // choose between matching loads vs matching opcodes. This is what these
1229     // scores are helping us with: they provide the order of preference. Also,
1230     // this is important if the scalar is externally used or used in another
1231     // tree entry node in the different lane.
1232 
1233     /// Loads from consecutive memory addresses, e.g. load(A[i]), load(A[i+1]).
1234     static const int ScoreConsecutiveLoads = 4;
1235     /// The same load multiple times. This should have a better score than
1236     /// `ScoreSplat` because it in x86 for a 2-lane vector we can represent it
1237     /// with `movddup (%reg), xmm0` which has a throughput of 0.5 versus 0.5 for
1238     /// a vector load and 1.0 for a broadcast.
1239     static const int ScoreSplatLoads = 3;
1240     /// Loads from reversed memory addresses, e.g. load(A[i+1]), load(A[i]).
1241     static const int ScoreReversedLoads = 3;
1242     /// A load candidate for masked gather.
1243     static const int ScoreMaskedGatherCandidate = 1;
1244     /// ExtractElementInst from same vector and consecutive indexes.
1245     static const int ScoreConsecutiveExtracts = 4;
1246     /// ExtractElementInst from same vector and reversed indices.
1247     static const int ScoreReversedExtracts = 3;
1248     /// Constants.
1249     static const int ScoreConstants = 2;
1250     /// Instructions with the same opcode.
1251     static const int ScoreSameOpcode = 2;
1252     /// Instructions with alt opcodes (e.g, add + sub).
1253     static const int ScoreAltOpcodes = 1;
1254     /// Identical instructions (a.k.a. splat or broadcast).
1255     static const int ScoreSplat = 1;
1256     /// Matching with an undef is preferable to failing.
1257     static const int ScoreUndef = 1;
1258     /// Score for failing to find a decent match.
1259     static const int ScoreFail = 0;
1260     /// Score if all users are vectorized.
1261     static const int ScoreAllUserVectorized = 1;
1262 
1263     /// \returns the score of placing \p V1 and \p V2 in consecutive lanes.
1264     /// \p U1 and \p U2 are the users of \p V1 and \p V2.
1265     /// Also, checks if \p V1 and \p V2 are compatible with instructions in \p
1266     /// MainAltOps.
1267     int getShallowScore(Value *V1, Value *V2, Instruction *U1, Instruction *U2,
1268                         ArrayRef<Value *> MainAltOps) const {
1269       if (!isValidElementType(V1->getType()) ||
1270           !isValidElementType(V2->getType()))
1271         return LookAheadHeuristics::ScoreFail;
1272 
1273       if (V1 == V2) {
1274         if (isa<LoadInst>(V1)) {
1275           // Retruns true if the users of V1 and V2 won't need to be extracted.
1276           auto AllUsersAreInternal = [U1, U2, this](Value *V1, Value *V2) {
1277             // Bail out if we have too many uses to save compilation time.
1278             static constexpr unsigned Limit = 8;
1279             if (V1->hasNUsesOrMore(Limit) || V2->hasNUsesOrMore(Limit))
1280               return false;
1281 
1282             auto AllUsersVectorized = [U1, U2, this](Value *V) {
1283               return llvm::all_of(V->users(), [U1, U2, this](Value *U) {
1284                 return U == U1 || U == U2 || R.getTreeEntry(U) != nullptr;
1285               });
1286             };
1287             return AllUsersVectorized(V1) && AllUsersVectorized(V2);
1288           };
1289           // A broadcast of a load can be cheaper on some targets.
1290           if (R.TTI->isLegalBroadcastLoad(V1->getType(),
1291                                           ElementCount::getFixed(NumLanes)) &&
1292               ((int)V1->getNumUses() == NumLanes ||
1293                AllUsersAreInternal(V1, V2)))
1294             return LookAheadHeuristics::ScoreSplatLoads;
1295         }
1296         return LookAheadHeuristics::ScoreSplat;
1297       }
1298 
1299       auto *LI1 = dyn_cast<LoadInst>(V1);
1300       auto *LI2 = dyn_cast<LoadInst>(V2);
1301       if (LI1 && LI2) {
1302         if (LI1->getParent() != LI2->getParent() || !LI1->isSimple() ||
1303             !LI2->isSimple())
1304           return LookAheadHeuristics::ScoreFail;
1305 
1306         std::optional<int> Dist = getPointersDiff(
1307             LI1->getType(), LI1->getPointerOperand(), LI2->getType(),
1308             LI2->getPointerOperand(), DL, SE, /*StrictCheck=*/true);
1309         if (!Dist || *Dist == 0) {
1310           if (getUnderlyingObject(LI1->getPointerOperand()) ==
1311                   getUnderlyingObject(LI2->getPointerOperand()) &&
1312               R.TTI->isLegalMaskedGather(
1313                   FixedVectorType::get(LI1->getType(), NumLanes),
1314                   LI1->getAlign()))
1315             return LookAheadHeuristics::ScoreMaskedGatherCandidate;
1316           return LookAheadHeuristics::ScoreFail;
1317         }
1318         // The distance is too large - still may be profitable to use masked
1319         // loads/gathers.
1320         if (std::abs(*Dist) > NumLanes / 2)
1321           return LookAheadHeuristics::ScoreMaskedGatherCandidate;
1322         // This still will detect consecutive loads, but we might have "holes"
1323         // in some cases. It is ok for non-power-2 vectorization and may produce
1324         // better results. It should not affect current vectorization.
1325         return (*Dist > 0) ? LookAheadHeuristics::ScoreConsecutiveLoads
1326                            : LookAheadHeuristics::ScoreReversedLoads;
1327       }
1328 
1329       auto *C1 = dyn_cast<Constant>(V1);
1330       auto *C2 = dyn_cast<Constant>(V2);
1331       if (C1 && C2)
1332         return LookAheadHeuristics::ScoreConstants;
1333 
1334       // Extracts from consecutive indexes of the same vector better score as
1335       // the extracts could be optimized away.
1336       Value *EV1;
1337       ConstantInt *Ex1Idx;
1338       if (match(V1, m_ExtractElt(m_Value(EV1), m_ConstantInt(Ex1Idx)))) {
1339         // Undefs are always profitable for extractelements.
1340         // Compiler can easily combine poison and extractelement <non-poison> or
1341         // undef and extractelement <poison>. But combining undef +
1342         // extractelement <non-poison-but-may-produce-poison> requires some
1343         // extra operations.
1344         if (isa<UndefValue>(V2))
1345           return (isa<PoisonValue>(V2) || isUndefVector(EV1).all())
1346                      ? LookAheadHeuristics::ScoreConsecutiveExtracts
1347                      : LookAheadHeuristics::ScoreSameOpcode;
1348         Value *EV2 = nullptr;
1349         ConstantInt *Ex2Idx = nullptr;
1350         if (match(V2,
1351                   m_ExtractElt(m_Value(EV2), m_CombineOr(m_ConstantInt(Ex2Idx),
1352                                                          m_Undef())))) {
1353           // Undefs are always profitable for extractelements.
1354           if (!Ex2Idx)
1355             return LookAheadHeuristics::ScoreConsecutiveExtracts;
1356           if (isUndefVector(EV2).all() && EV2->getType() == EV1->getType())
1357             return LookAheadHeuristics::ScoreConsecutiveExtracts;
1358           if (EV2 == EV1) {
1359             int Idx1 = Ex1Idx->getZExtValue();
1360             int Idx2 = Ex2Idx->getZExtValue();
1361             int Dist = Idx2 - Idx1;
1362             // The distance is too large - still may be profitable to use
1363             // shuffles.
1364             if (std::abs(Dist) == 0)
1365               return LookAheadHeuristics::ScoreSplat;
1366             if (std::abs(Dist) > NumLanes / 2)
1367               return LookAheadHeuristics::ScoreSameOpcode;
1368             return (Dist > 0) ? LookAheadHeuristics::ScoreConsecutiveExtracts
1369                               : LookAheadHeuristics::ScoreReversedExtracts;
1370           }
1371           return LookAheadHeuristics::ScoreAltOpcodes;
1372         }
1373         return LookAheadHeuristics::ScoreFail;
1374       }
1375 
1376       auto *I1 = dyn_cast<Instruction>(V1);
1377       auto *I2 = dyn_cast<Instruction>(V2);
1378       if (I1 && I2) {
1379         if (I1->getParent() != I2->getParent())
1380           return LookAheadHeuristics::ScoreFail;
1381         SmallVector<Value *, 4> Ops(MainAltOps.begin(), MainAltOps.end());
1382         Ops.push_back(I1);
1383         Ops.push_back(I2);
1384         InstructionsState S = getSameOpcode(Ops, TLI);
1385         // Note: Only consider instructions with <= 2 operands to avoid
1386         // complexity explosion.
1387         if (S.getOpcode() &&
1388             (S.MainOp->getNumOperands() <= 2 || !MainAltOps.empty() ||
1389              !S.isAltShuffle()) &&
1390             all_of(Ops, [&S](Value *V) {
1391               return cast<Instruction>(V)->getNumOperands() ==
1392                      S.MainOp->getNumOperands();
1393             }))
1394           return S.isAltShuffle() ? LookAheadHeuristics::ScoreAltOpcodes
1395                                   : LookAheadHeuristics::ScoreSameOpcode;
1396       }
1397 
1398       if (isa<UndefValue>(V2))
1399         return LookAheadHeuristics::ScoreUndef;
1400 
1401       return LookAheadHeuristics::ScoreFail;
1402     }
1403 
1404     /// Go through the operands of \p LHS and \p RHS recursively until
1405     /// MaxLevel, and return the cummulative score. \p U1 and \p U2 are
1406     /// the users of \p LHS and \p RHS (that is \p LHS and \p RHS are operands
1407     /// of \p U1 and \p U2), except at the beginning of the recursion where
1408     /// these are set to nullptr.
1409     ///
1410     /// For example:
1411     /// \verbatim
1412     ///  A[0]  B[0]  A[1]  B[1]  C[0] D[0]  B[1] A[1]
1413     ///     \ /         \ /         \ /        \ /
1414     ///      +           +           +          +
1415     ///     G1          G2          G3         G4
1416     /// \endverbatim
1417     /// The getScoreAtLevelRec(G1, G2) function will try to match the nodes at
1418     /// each level recursively, accumulating the score. It starts from matching
1419     /// the additions at level 0, then moves on to the loads (level 1). The
1420     /// score of G1 and G2 is higher than G1 and G3, because {A[0],A[1]} and
1421     /// {B[0],B[1]} match with LookAheadHeuristics::ScoreConsecutiveLoads, while
1422     /// {A[0],C[0]} has a score of LookAheadHeuristics::ScoreFail.
1423     /// Please note that the order of the operands does not matter, as we
1424     /// evaluate the score of all profitable combinations of operands. In
1425     /// other words the score of G1 and G4 is the same as G1 and G2. This
1426     /// heuristic is based on ideas described in:
1427     ///   Look-ahead SLP: Auto-vectorization in the presence of commutative
1428     ///   operations, CGO 2018 by Vasileios Porpodas, Rodrigo C. O. Rocha,
1429     ///   Luís F. W. Góes
1430     int getScoreAtLevelRec(Value *LHS, Value *RHS, Instruction *U1,
1431                            Instruction *U2, int CurrLevel,
1432                            ArrayRef<Value *> MainAltOps) const {
1433 
1434       // Get the shallow score of V1 and V2.
1435       int ShallowScoreAtThisLevel =
1436           getShallowScore(LHS, RHS, U1, U2, MainAltOps);
1437 
1438       // If reached MaxLevel,
1439       //  or if V1 and V2 are not instructions,
1440       //  or if they are SPLAT,
1441       //  or if they are not consecutive,
1442       //  or if profitable to vectorize loads or extractelements, early return
1443       //  the current cost.
1444       auto *I1 = dyn_cast<Instruction>(LHS);
1445       auto *I2 = dyn_cast<Instruction>(RHS);
1446       if (CurrLevel == MaxLevel || !(I1 && I2) || I1 == I2 ||
1447           ShallowScoreAtThisLevel == LookAheadHeuristics::ScoreFail ||
1448           (((isa<LoadInst>(I1) && isa<LoadInst>(I2)) ||
1449             (I1->getNumOperands() > 2 && I2->getNumOperands() > 2) ||
1450             (isa<ExtractElementInst>(I1) && isa<ExtractElementInst>(I2))) &&
1451            ShallowScoreAtThisLevel))
1452         return ShallowScoreAtThisLevel;
1453       assert(I1 && I2 && "Should have early exited.");
1454 
1455       // Contains the I2 operand indexes that got matched with I1 operands.
1456       SmallSet<unsigned, 4> Op2Used;
1457 
1458       // Recursion towards the operands of I1 and I2. We are trying all possible
1459       // operand pairs, and keeping track of the best score.
1460       for (unsigned OpIdx1 = 0, NumOperands1 = I1->getNumOperands();
1461            OpIdx1 != NumOperands1; ++OpIdx1) {
1462         // Try to pair op1I with the best operand of I2.
1463         int MaxTmpScore = 0;
1464         unsigned MaxOpIdx2 = 0;
1465         bool FoundBest = false;
1466         // If I2 is commutative try all combinations.
1467         unsigned FromIdx = isCommutative(I2) ? 0 : OpIdx1;
1468         unsigned ToIdx = isCommutative(I2)
1469                              ? I2->getNumOperands()
1470                              : std::min(I2->getNumOperands(), OpIdx1 + 1);
1471         assert(FromIdx <= ToIdx && "Bad index");
1472         for (unsigned OpIdx2 = FromIdx; OpIdx2 != ToIdx; ++OpIdx2) {
1473           // Skip operands already paired with OpIdx1.
1474           if (Op2Used.count(OpIdx2))
1475             continue;
1476           // Recursively calculate the cost at each level
1477           int TmpScore =
1478               getScoreAtLevelRec(I1->getOperand(OpIdx1), I2->getOperand(OpIdx2),
1479                                  I1, I2, CurrLevel + 1, std::nullopt);
1480           // Look for the best score.
1481           if (TmpScore > LookAheadHeuristics::ScoreFail &&
1482               TmpScore > MaxTmpScore) {
1483             MaxTmpScore = TmpScore;
1484             MaxOpIdx2 = OpIdx2;
1485             FoundBest = true;
1486           }
1487         }
1488         if (FoundBest) {
1489           // Pair {OpIdx1, MaxOpIdx2} was found to be best. Never revisit it.
1490           Op2Used.insert(MaxOpIdx2);
1491           ShallowScoreAtThisLevel += MaxTmpScore;
1492         }
1493       }
1494       return ShallowScoreAtThisLevel;
1495     }
1496   };
1497   /// A helper data structure to hold the operands of a vector of instructions.
1498   /// This supports a fixed vector length for all operand vectors.
1499   class VLOperands {
1500     /// For each operand we need (i) the value, and (ii) the opcode that it
1501     /// would be attached to if the expression was in a left-linearized form.
1502     /// This is required to avoid illegal operand reordering.
1503     /// For example:
1504     /// \verbatim
1505     ///                         0 Op1
1506     ///                         |/
1507     /// Op1 Op2   Linearized    + Op2
1508     ///   \ /     ---------->   |/
1509     ///    -                    -
1510     ///
1511     /// Op1 - Op2            (0 + Op1) - Op2
1512     /// \endverbatim
1513     ///
1514     /// Value Op1 is attached to a '+' operation, and Op2 to a '-'.
1515     ///
1516     /// Another way to think of this is to track all the operations across the
1517     /// path from the operand all the way to the root of the tree and to
1518     /// calculate the operation that corresponds to this path. For example, the
1519     /// path from Op2 to the root crosses the RHS of the '-', therefore the
1520     /// corresponding operation is a '-' (which matches the one in the
1521     /// linearized tree, as shown above).
1522     ///
1523     /// For lack of a better term, we refer to this operation as Accumulated
1524     /// Path Operation (APO).
1525     struct OperandData {
1526       OperandData() = default;
1527       OperandData(Value *V, bool APO, bool IsUsed)
1528           : V(V), APO(APO), IsUsed(IsUsed) {}
1529       /// The operand value.
1530       Value *V = nullptr;
1531       /// TreeEntries only allow a single opcode, or an alternate sequence of
1532       /// them (e.g, +, -). Therefore, we can safely use a boolean value for the
1533       /// APO. It is set to 'true' if 'V' is attached to an inverse operation
1534       /// in the left-linearized form (e.g., Sub/Div), and 'false' otherwise
1535       /// (e.g., Add/Mul)
1536       bool APO = false;
1537       /// Helper data for the reordering function.
1538       bool IsUsed = false;
1539     };
1540 
1541     /// During operand reordering, we are trying to select the operand at lane
1542     /// that matches best with the operand at the neighboring lane. Our
1543     /// selection is based on the type of value we are looking for. For example,
1544     /// if the neighboring lane has a load, we need to look for a load that is
1545     /// accessing a consecutive address. These strategies are summarized in the
1546     /// 'ReorderingMode' enumerator.
1547     enum class ReorderingMode {
1548       Load,     ///< Matching loads to consecutive memory addresses
1549       Opcode,   ///< Matching instructions based on opcode (same or alternate)
1550       Constant, ///< Matching constants
1551       Splat,    ///< Matching the same instruction multiple times (broadcast)
1552       Failed,   ///< We failed to create a vectorizable group
1553     };
1554 
1555     using OperandDataVec = SmallVector<OperandData, 2>;
1556 
1557     /// A vector of operand vectors.
1558     SmallVector<OperandDataVec, 4> OpsVec;
1559 
1560     const TargetLibraryInfo &TLI;
1561     const DataLayout &DL;
1562     ScalarEvolution &SE;
1563     const BoUpSLP &R;
1564 
1565     /// \returns the operand data at \p OpIdx and \p Lane.
1566     OperandData &getData(unsigned OpIdx, unsigned Lane) {
1567       return OpsVec[OpIdx][Lane];
1568     }
1569 
1570     /// \returns the operand data at \p OpIdx and \p Lane. Const version.
1571     const OperandData &getData(unsigned OpIdx, unsigned Lane) const {
1572       return OpsVec[OpIdx][Lane];
1573     }
1574 
1575     /// Clears the used flag for all entries.
1576     void clearUsed() {
1577       for (unsigned OpIdx = 0, NumOperands = getNumOperands();
1578            OpIdx != NumOperands; ++OpIdx)
1579         for (unsigned Lane = 0, NumLanes = getNumLanes(); Lane != NumLanes;
1580              ++Lane)
1581           OpsVec[OpIdx][Lane].IsUsed = false;
1582     }
1583 
1584     /// Swap the operand at \p OpIdx1 with that one at \p OpIdx2.
1585     void swap(unsigned OpIdx1, unsigned OpIdx2, unsigned Lane) {
1586       std::swap(OpsVec[OpIdx1][Lane], OpsVec[OpIdx2][Lane]);
1587     }
1588 
1589     /// \param Lane lane of the operands under analysis.
1590     /// \param OpIdx operand index in \p Lane lane we're looking the best
1591     /// candidate for.
1592     /// \param Idx operand index of the current candidate value.
1593     /// \returns The additional score due to possible broadcasting of the
1594     /// elements in the lane. It is more profitable to have power-of-2 unique
1595     /// elements in the lane, it will be vectorized with higher probability
1596     /// after removing duplicates. Currently the SLP vectorizer supports only
1597     /// vectorization of the power-of-2 number of unique scalars.
1598     int getSplatScore(unsigned Lane, unsigned OpIdx, unsigned Idx) const {
1599       Value *IdxLaneV = getData(Idx, Lane).V;
1600       if (!isa<Instruction>(IdxLaneV) || IdxLaneV == getData(OpIdx, Lane).V)
1601         return 0;
1602       SmallPtrSet<Value *, 4> Uniques;
1603       for (unsigned Ln = 0, E = getNumLanes(); Ln < E; ++Ln) {
1604         if (Ln == Lane)
1605           continue;
1606         Value *OpIdxLnV = getData(OpIdx, Ln).V;
1607         if (!isa<Instruction>(OpIdxLnV))
1608           return 0;
1609         Uniques.insert(OpIdxLnV);
1610       }
1611       int UniquesCount = Uniques.size();
1612       int UniquesCntWithIdxLaneV =
1613           Uniques.contains(IdxLaneV) ? UniquesCount : UniquesCount + 1;
1614       Value *OpIdxLaneV = getData(OpIdx, Lane).V;
1615       int UniquesCntWithOpIdxLaneV =
1616           Uniques.contains(OpIdxLaneV) ? UniquesCount : UniquesCount + 1;
1617       if (UniquesCntWithIdxLaneV == UniquesCntWithOpIdxLaneV)
1618         return 0;
1619       return (PowerOf2Ceil(UniquesCntWithOpIdxLaneV) -
1620               UniquesCntWithOpIdxLaneV) -
1621              (PowerOf2Ceil(UniquesCntWithIdxLaneV) - UniquesCntWithIdxLaneV);
1622     }
1623 
1624     /// \param Lane lane of the operands under analysis.
1625     /// \param OpIdx operand index in \p Lane lane we're looking the best
1626     /// candidate for.
1627     /// \param Idx operand index of the current candidate value.
1628     /// \returns The additional score for the scalar which users are all
1629     /// vectorized.
1630     int getExternalUseScore(unsigned Lane, unsigned OpIdx, unsigned Idx) const {
1631       Value *IdxLaneV = getData(Idx, Lane).V;
1632       Value *OpIdxLaneV = getData(OpIdx, Lane).V;
1633       // Do not care about number of uses for vector-like instructions
1634       // (extractelement/extractvalue with constant indices), they are extracts
1635       // themselves and already externally used. Vectorization of such
1636       // instructions does not add extra extractelement instruction, just may
1637       // remove it.
1638       if (isVectorLikeInstWithConstOps(IdxLaneV) &&
1639           isVectorLikeInstWithConstOps(OpIdxLaneV))
1640         return LookAheadHeuristics::ScoreAllUserVectorized;
1641       auto *IdxLaneI = dyn_cast<Instruction>(IdxLaneV);
1642       if (!IdxLaneI || !isa<Instruction>(OpIdxLaneV))
1643         return 0;
1644       return R.areAllUsersVectorized(IdxLaneI)
1645                  ? LookAheadHeuristics::ScoreAllUserVectorized
1646                  : 0;
1647     }
1648 
1649     /// Score scaling factor for fully compatible instructions but with
1650     /// different number of external uses. Allows better selection of the
1651     /// instructions with less external uses.
1652     static const int ScoreScaleFactor = 10;
1653 
1654     /// \Returns the look-ahead score, which tells us how much the sub-trees
1655     /// rooted at \p LHS and \p RHS match, the more they match the higher the
1656     /// score. This helps break ties in an informed way when we cannot decide on
1657     /// the order of the operands by just considering the immediate
1658     /// predecessors.
1659     int getLookAheadScore(Value *LHS, Value *RHS, ArrayRef<Value *> MainAltOps,
1660                           int Lane, unsigned OpIdx, unsigned Idx,
1661                           bool &IsUsed) {
1662       LookAheadHeuristics LookAhead(TLI, DL, SE, R, getNumLanes(),
1663                                     LookAheadMaxDepth);
1664       // Keep track of the instruction stack as we recurse into the operands
1665       // during the look-ahead score exploration.
1666       int Score =
1667           LookAhead.getScoreAtLevelRec(LHS, RHS, /*U1=*/nullptr, /*U2=*/nullptr,
1668                                        /*CurrLevel=*/1, MainAltOps);
1669       if (Score) {
1670         int SplatScore = getSplatScore(Lane, OpIdx, Idx);
1671         if (Score <= -SplatScore) {
1672           // Set the minimum score for splat-like sequence to avoid setting
1673           // failed state.
1674           Score = 1;
1675         } else {
1676           Score += SplatScore;
1677           // Scale score to see the difference between different operands
1678           // and similar operands but all vectorized/not all vectorized
1679           // uses. It does not affect actual selection of the best
1680           // compatible operand in general, just allows to select the
1681           // operand with all vectorized uses.
1682           Score *= ScoreScaleFactor;
1683           Score += getExternalUseScore(Lane, OpIdx, Idx);
1684           IsUsed = true;
1685         }
1686       }
1687       return Score;
1688     }
1689 
1690     /// Best defined scores per lanes between the passes. Used to choose the
1691     /// best operand (with the highest score) between the passes.
1692     /// The key - {Operand Index, Lane}.
1693     /// The value - the best score between the passes for the lane and the
1694     /// operand.
1695     SmallDenseMap<std::pair<unsigned, unsigned>, unsigned, 8>
1696         BestScoresPerLanes;
1697 
1698     // Search all operands in Ops[*][Lane] for the one that matches best
1699     // Ops[OpIdx][LastLane] and return its opreand index.
1700     // If no good match can be found, return std::nullopt.
1701     std::optional<unsigned>
1702     getBestOperand(unsigned OpIdx, int Lane, int LastLane,
1703                    ArrayRef<ReorderingMode> ReorderingModes,
1704                    ArrayRef<Value *> MainAltOps) {
1705       unsigned NumOperands = getNumOperands();
1706 
1707       // The operand of the previous lane at OpIdx.
1708       Value *OpLastLane = getData(OpIdx, LastLane).V;
1709 
1710       // Our strategy mode for OpIdx.
1711       ReorderingMode RMode = ReorderingModes[OpIdx];
1712       if (RMode == ReorderingMode::Failed)
1713         return std::nullopt;
1714 
1715       // The linearized opcode of the operand at OpIdx, Lane.
1716       bool OpIdxAPO = getData(OpIdx, Lane).APO;
1717 
1718       // The best operand index and its score.
1719       // Sometimes we have more than one option (e.g., Opcode and Undefs), so we
1720       // are using the score to differentiate between the two.
1721       struct BestOpData {
1722         std::optional<unsigned> Idx;
1723         unsigned Score = 0;
1724       } BestOp;
1725       BestOp.Score =
1726           BestScoresPerLanes.try_emplace(std::make_pair(OpIdx, Lane), 0)
1727               .first->second;
1728 
1729       // Track if the operand must be marked as used. If the operand is set to
1730       // Score 1 explicitly (because of non power-of-2 unique scalars, we may
1731       // want to reestimate the operands again on the following iterations).
1732       bool IsUsed =
1733           RMode == ReorderingMode::Splat || RMode == ReorderingMode::Constant;
1734       // Iterate through all unused operands and look for the best.
1735       for (unsigned Idx = 0; Idx != NumOperands; ++Idx) {
1736         // Get the operand at Idx and Lane.
1737         OperandData &OpData = getData(Idx, Lane);
1738         Value *Op = OpData.V;
1739         bool OpAPO = OpData.APO;
1740 
1741         // Skip already selected operands.
1742         if (OpData.IsUsed)
1743           continue;
1744 
1745         // Skip if we are trying to move the operand to a position with a
1746         // different opcode in the linearized tree form. This would break the
1747         // semantics.
1748         if (OpAPO != OpIdxAPO)
1749           continue;
1750 
1751         // Look for an operand that matches the current mode.
1752         switch (RMode) {
1753         case ReorderingMode::Load:
1754         case ReorderingMode::Constant:
1755         case ReorderingMode::Opcode: {
1756           bool LeftToRight = Lane > LastLane;
1757           Value *OpLeft = (LeftToRight) ? OpLastLane : Op;
1758           Value *OpRight = (LeftToRight) ? Op : OpLastLane;
1759           int Score = getLookAheadScore(OpLeft, OpRight, MainAltOps, Lane,
1760                                         OpIdx, Idx, IsUsed);
1761           if (Score > static_cast<int>(BestOp.Score)) {
1762             BestOp.Idx = Idx;
1763             BestOp.Score = Score;
1764             BestScoresPerLanes[std::make_pair(OpIdx, Lane)] = Score;
1765           }
1766           break;
1767         }
1768         case ReorderingMode::Splat:
1769           if (Op == OpLastLane)
1770             BestOp.Idx = Idx;
1771           break;
1772         case ReorderingMode::Failed:
1773           llvm_unreachable("Not expected Failed reordering mode.");
1774         }
1775       }
1776 
1777       if (BestOp.Idx) {
1778         getData(*BestOp.Idx, Lane).IsUsed = IsUsed;
1779         return BestOp.Idx;
1780       }
1781       // If we could not find a good match return std::nullopt.
1782       return std::nullopt;
1783     }
1784 
1785     /// Helper for reorderOperandVecs.
1786     /// \returns the lane that we should start reordering from. This is the one
1787     /// which has the least number of operands that can freely move about or
1788     /// less profitable because it already has the most optimal set of operands.
1789     unsigned getBestLaneToStartReordering() const {
1790       unsigned Min = UINT_MAX;
1791       unsigned SameOpNumber = 0;
1792       // std::pair<unsigned, unsigned> is used to implement a simple voting
1793       // algorithm and choose the lane with the least number of operands that
1794       // can freely move about or less profitable because it already has the
1795       // most optimal set of operands. The first unsigned is a counter for
1796       // voting, the second unsigned is the counter of lanes with instructions
1797       // with same/alternate opcodes and same parent basic block.
1798       MapVector<unsigned, std::pair<unsigned, unsigned>> HashMap;
1799       // Try to be closer to the original results, if we have multiple lanes
1800       // with same cost. If 2 lanes have the same cost, use the one with the
1801       // lowest index.
1802       for (int I = getNumLanes(); I > 0; --I) {
1803         unsigned Lane = I - 1;
1804         OperandsOrderData NumFreeOpsHash =
1805             getMaxNumOperandsThatCanBeReordered(Lane);
1806         // Compare the number of operands that can move and choose the one with
1807         // the least number.
1808         if (NumFreeOpsHash.NumOfAPOs < Min) {
1809           Min = NumFreeOpsHash.NumOfAPOs;
1810           SameOpNumber = NumFreeOpsHash.NumOpsWithSameOpcodeParent;
1811           HashMap.clear();
1812           HashMap[NumFreeOpsHash.Hash] = std::make_pair(1, Lane);
1813         } else if (NumFreeOpsHash.NumOfAPOs == Min &&
1814                    NumFreeOpsHash.NumOpsWithSameOpcodeParent < SameOpNumber) {
1815           // Select the most optimal lane in terms of number of operands that
1816           // should be moved around.
1817           SameOpNumber = NumFreeOpsHash.NumOpsWithSameOpcodeParent;
1818           HashMap[NumFreeOpsHash.Hash] = std::make_pair(1, Lane);
1819         } else if (NumFreeOpsHash.NumOfAPOs == Min &&
1820                    NumFreeOpsHash.NumOpsWithSameOpcodeParent == SameOpNumber) {
1821           auto *It = HashMap.find(NumFreeOpsHash.Hash);
1822           if (It == HashMap.end())
1823             HashMap[NumFreeOpsHash.Hash] = std::make_pair(1, Lane);
1824           else
1825             ++It->second.first;
1826         }
1827       }
1828       // Select the lane with the minimum counter.
1829       unsigned BestLane = 0;
1830       unsigned CntMin = UINT_MAX;
1831       for (const auto &Data : reverse(HashMap)) {
1832         if (Data.second.first < CntMin) {
1833           CntMin = Data.second.first;
1834           BestLane = Data.second.second;
1835         }
1836       }
1837       return BestLane;
1838     }
1839 
1840     /// Data structure that helps to reorder operands.
1841     struct OperandsOrderData {
1842       /// The best number of operands with the same APOs, which can be
1843       /// reordered.
1844       unsigned NumOfAPOs = UINT_MAX;
1845       /// Number of operands with the same/alternate instruction opcode and
1846       /// parent.
1847       unsigned NumOpsWithSameOpcodeParent = 0;
1848       /// Hash for the actual operands ordering.
1849       /// Used to count operands, actually their position id and opcode
1850       /// value. It is used in the voting mechanism to find the lane with the
1851       /// least number of operands that can freely move about or less profitable
1852       /// because it already has the most optimal set of operands. Can be
1853       /// replaced with SmallVector<unsigned> instead but hash code is faster
1854       /// and requires less memory.
1855       unsigned Hash = 0;
1856     };
1857     /// \returns the maximum number of operands that are allowed to be reordered
1858     /// for \p Lane and the number of compatible instructions(with the same
1859     /// parent/opcode). This is used as a heuristic for selecting the first lane
1860     /// to start operand reordering.
1861     OperandsOrderData getMaxNumOperandsThatCanBeReordered(unsigned Lane) const {
1862       unsigned CntTrue = 0;
1863       unsigned NumOperands = getNumOperands();
1864       // Operands with the same APO can be reordered. We therefore need to count
1865       // how many of them we have for each APO, like this: Cnt[APO] = x.
1866       // Since we only have two APOs, namely true and false, we can avoid using
1867       // a map. Instead we can simply count the number of operands that
1868       // correspond to one of them (in this case the 'true' APO), and calculate
1869       // the other by subtracting it from the total number of operands.
1870       // Operands with the same instruction opcode and parent are more
1871       // profitable since we don't need to move them in many cases, with a high
1872       // probability such lane already can be vectorized effectively.
1873       bool AllUndefs = true;
1874       unsigned NumOpsWithSameOpcodeParent = 0;
1875       Instruction *OpcodeI = nullptr;
1876       BasicBlock *Parent = nullptr;
1877       unsigned Hash = 0;
1878       for (unsigned OpIdx = 0; OpIdx != NumOperands; ++OpIdx) {
1879         const OperandData &OpData = getData(OpIdx, Lane);
1880         if (OpData.APO)
1881           ++CntTrue;
1882         // Use Boyer-Moore majority voting for finding the majority opcode and
1883         // the number of times it occurs.
1884         if (auto *I = dyn_cast<Instruction>(OpData.V)) {
1885           if (!OpcodeI || !getSameOpcode({OpcodeI, I}, TLI).getOpcode() ||
1886               I->getParent() != Parent) {
1887             if (NumOpsWithSameOpcodeParent == 0) {
1888               NumOpsWithSameOpcodeParent = 1;
1889               OpcodeI = I;
1890               Parent = I->getParent();
1891             } else {
1892               --NumOpsWithSameOpcodeParent;
1893             }
1894           } else {
1895             ++NumOpsWithSameOpcodeParent;
1896           }
1897         }
1898         Hash = hash_combine(
1899             Hash, hash_value((OpIdx + 1) * (OpData.V->getValueID() + 1)));
1900         AllUndefs = AllUndefs && isa<UndefValue>(OpData.V);
1901       }
1902       if (AllUndefs)
1903         return {};
1904       OperandsOrderData Data;
1905       Data.NumOfAPOs = std::max(CntTrue, NumOperands - CntTrue);
1906       Data.NumOpsWithSameOpcodeParent = NumOpsWithSameOpcodeParent;
1907       Data.Hash = Hash;
1908       return Data;
1909     }
1910 
1911     /// Go through the instructions in VL and append their operands.
1912     void appendOperandsOfVL(ArrayRef<Value *> VL) {
1913       assert(!VL.empty() && "Bad VL");
1914       assert((empty() || VL.size() == getNumLanes()) &&
1915              "Expected same number of lanes");
1916       assert(isa<Instruction>(VL[0]) && "Expected instruction");
1917       unsigned NumOperands = cast<Instruction>(VL[0])->getNumOperands();
1918       OpsVec.resize(NumOperands);
1919       unsigned NumLanes = VL.size();
1920       for (unsigned OpIdx = 0; OpIdx != NumOperands; ++OpIdx) {
1921         OpsVec[OpIdx].resize(NumLanes);
1922         for (unsigned Lane = 0; Lane != NumLanes; ++Lane) {
1923           assert(isa<Instruction>(VL[Lane]) && "Expected instruction");
1924           // Our tree has just 3 nodes: the root and two operands.
1925           // It is therefore trivial to get the APO. We only need to check the
1926           // opcode of VL[Lane] and whether the operand at OpIdx is the LHS or
1927           // RHS operand. The LHS operand of both add and sub is never attached
1928           // to an inversese operation in the linearized form, therefore its APO
1929           // is false. The RHS is true only if VL[Lane] is an inverse operation.
1930 
1931           // Since operand reordering is performed on groups of commutative
1932           // operations or alternating sequences (e.g., +, -), we can safely
1933           // tell the inverse operations by checking commutativity.
1934           bool IsInverseOperation = !isCommutative(cast<Instruction>(VL[Lane]));
1935           bool APO = (OpIdx == 0) ? false : IsInverseOperation;
1936           OpsVec[OpIdx][Lane] = {cast<Instruction>(VL[Lane])->getOperand(OpIdx),
1937                                  APO, false};
1938         }
1939       }
1940     }
1941 
1942     /// \returns the number of operands.
1943     unsigned getNumOperands() const { return OpsVec.size(); }
1944 
1945     /// \returns the number of lanes.
1946     unsigned getNumLanes() const { return OpsVec[0].size(); }
1947 
1948     /// \returns the operand value at \p OpIdx and \p Lane.
1949     Value *getValue(unsigned OpIdx, unsigned Lane) const {
1950       return getData(OpIdx, Lane).V;
1951     }
1952 
1953     /// \returns true if the data structure is empty.
1954     bool empty() const { return OpsVec.empty(); }
1955 
1956     /// Clears the data.
1957     void clear() { OpsVec.clear(); }
1958 
1959     /// \Returns true if there are enough operands identical to \p Op to fill
1960     /// the whole vector.
1961     /// Note: This modifies the 'IsUsed' flag, so a cleanUsed() must follow.
1962     bool shouldBroadcast(Value *Op, unsigned OpIdx, unsigned Lane) {
1963       bool OpAPO = getData(OpIdx, Lane).APO;
1964       for (unsigned Ln = 0, Lns = getNumLanes(); Ln != Lns; ++Ln) {
1965         if (Ln == Lane)
1966           continue;
1967         // This is set to true if we found a candidate for broadcast at Lane.
1968         bool FoundCandidate = false;
1969         for (unsigned OpI = 0, OpE = getNumOperands(); OpI != OpE; ++OpI) {
1970           OperandData &Data = getData(OpI, Ln);
1971           if (Data.APO != OpAPO || Data.IsUsed)
1972             continue;
1973           if (Data.V == Op) {
1974             FoundCandidate = true;
1975             Data.IsUsed = true;
1976             break;
1977           }
1978         }
1979         if (!FoundCandidate)
1980           return false;
1981       }
1982       return true;
1983     }
1984 
1985   public:
1986     /// Initialize with all the operands of the instruction vector \p RootVL.
1987     VLOperands(ArrayRef<Value *> RootVL, const TargetLibraryInfo &TLI,
1988                const DataLayout &DL, ScalarEvolution &SE, const BoUpSLP &R)
1989         : TLI(TLI), DL(DL), SE(SE), R(R) {
1990       // Append all the operands of RootVL.
1991       appendOperandsOfVL(RootVL);
1992     }
1993 
1994     /// \Returns a value vector with the operands across all lanes for the
1995     /// opearnd at \p OpIdx.
1996     ValueList getVL(unsigned OpIdx) const {
1997       ValueList OpVL(OpsVec[OpIdx].size());
1998       assert(OpsVec[OpIdx].size() == getNumLanes() &&
1999              "Expected same num of lanes across all operands");
2000       for (unsigned Lane = 0, Lanes = getNumLanes(); Lane != Lanes; ++Lane)
2001         OpVL[Lane] = OpsVec[OpIdx][Lane].V;
2002       return OpVL;
2003     }
2004 
2005     // Performs operand reordering for 2 or more operands.
2006     // The original operands are in OrigOps[OpIdx][Lane].
2007     // The reordered operands are returned in 'SortedOps[OpIdx][Lane]'.
2008     void reorder() {
2009       unsigned NumOperands = getNumOperands();
2010       unsigned NumLanes = getNumLanes();
2011       // Each operand has its own mode. We are using this mode to help us select
2012       // the instructions for each lane, so that they match best with the ones
2013       // we have selected so far.
2014       SmallVector<ReorderingMode, 2> ReorderingModes(NumOperands);
2015 
2016       // This is a greedy single-pass algorithm. We are going over each lane
2017       // once and deciding on the best order right away with no back-tracking.
2018       // However, in order to increase its effectiveness, we start with the lane
2019       // that has operands that can move the least. For example, given the
2020       // following lanes:
2021       //  Lane 0 : A[0] = B[0] + C[0]   // Visited 3rd
2022       //  Lane 1 : A[1] = C[1] - B[1]   // Visited 1st
2023       //  Lane 2 : A[2] = B[2] + C[2]   // Visited 2nd
2024       //  Lane 3 : A[3] = C[3] - B[3]   // Visited 4th
2025       // we will start at Lane 1, since the operands of the subtraction cannot
2026       // be reordered. Then we will visit the rest of the lanes in a circular
2027       // fashion. That is, Lanes 2, then Lane 0, and finally Lane 3.
2028 
2029       // Find the first lane that we will start our search from.
2030       unsigned FirstLane = getBestLaneToStartReordering();
2031 
2032       // Initialize the modes.
2033       for (unsigned OpIdx = 0; OpIdx != NumOperands; ++OpIdx) {
2034         Value *OpLane0 = getValue(OpIdx, FirstLane);
2035         // Keep track if we have instructions with all the same opcode on one
2036         // side.
2037         if (isa<LoadInst>(OpLane0))
2038           ReorderingModes[OpIdx] = ReorderingMode::Load;
2039         else if (isa<Instruction>(OpLane0)) {
2040           // Check if OpLane0 should be broadcast.
2041           if (shouldBroadcast(OpLane0, OpIdx, FirstLane))
2042             ReorderingModes[OpIdx] = ReorderingMode::Splat;
2043           else
2044             ReorderingModes[OpIdx] = ReorderingMode::Opcode;
2045         }
2046         else if (isa<Constant>(OpLane0))
2047           ReorderingModes[OpIdx] = ReorderingMode::Constant;
2048         else if (isa<Argument>(OpLane0))
2049           // Our best hope is a Splat. It may save some cost in some cases.
2050           ReorderingModes[OpIdx] = ReorderingMode::Splat;
2051         else
2052           // NOTE: This should be unreachable.
2053           ReorderingModes[OpIdx] = ReorderingMode::Failed;
2054       }
2055 
2056       // Check that we don't have same operands. No need to reorder if operands
2057       // are just perfect diamond or shuffled diamond match. Do not do it only
2058       // for possible broadcasts or non-power of 2 number of scalars (just for
2059       // now).
2060       auto &&SkipReordering = [this]() {
2061         SmallPtrSet<Value *, 4> UniqueValues;
2062         ArrayRef<OperandData> Op0 = OpsVec.front();
2063         for (const OperandData &Data : Op0)
2064           UniqueValues.insert(Data.V);
2065         for (ArrayRef<OperandData> Op : drop_begin(OpsVec, 1)) {
2066           if (any_of(Op, [&UniqueValues](const OperandData &Data) {
2067                 return !UniqueValues.contains(Data.V);
2068               }))
2069             return false;
2070         }
2071         // TODO: Check if we can remove a check for non-power-2 number of
2072         // scalars after full support of non-power-2 vectorization.
2073         return UniqueValues.size() != 2 && isPowerOf2_32(UniqueValues.size());
2074       };
2075 
2076       // If the initial strategy fails for any of the operand indexes, then we
2077       // perform reordering again in a second pass. This helps avoid assigning
2078       // high priority to the failed strategy, and should improve reordering for
2079       // the non-failed operand indexes.
2080       for (int Pass = 0; Pass != 2; ++Pass) {
2081         // Check if no need to reorder operands since they're are perfect or
2082         // shuffled diamond match.
2083         // Need to do it to avoid extra external use cost counting for
2084         // shuffled matches, which may cause regressions.
2085         if (SkipReordering())
2086           break;
2087         // Skip the second pass if the first pass did not fail.
2088         bool StrategyFailed = false;
2089         // Mark all operand data as free to use.
2090         clearUsed();
2091         // We keep the original operand order for the FirstLane, so reorder the
2092         // rest of the lanes. We are visiting the nodes in a circular fashion,
2093         // using FirstLane as the center point and increasing the radius
2094         // distance.
2095         SmallVector<SmallVector<Value *, 2>> MainAltOps(NumOperands);
2096         for (unsigned I = 0; I < NumOperands; ++I)
2097           MainAltOps[I].push_back(getData(I, FirstLane).V);
2098 
2099         for (unsigned Distance = 1; Distance != NumLanes; ++Distance) {
2100           // Visit the lane on the right and then the lane on the left.
2101           for (int Direction : {+1, -1}) {
2102             int Lane = FirstLane + Direction * Distance;
2103             if (Lane < 0 || Lane >= (int)NumLanes)
2104               continue;
2105             int LastLane = Lane - Direction;
2106             assert(LastLane >= 0 && LastLane < (int)NumLanes &&
2107                    "Out of bounds");
2108             // Look for a good match for each operand.
2109             for (unsigned OpIdx = 0; OpIdx != NumOperands; ++OpIdx) {
2110               // Search for the operand that matches SortedOps[OpIdx][Lane-1].
2111               std::optional<unsigned> BestIdx = getBestOperand(
2112                   OpIdx, Lane, LastLane, ReorderingModes, MainAltOps[OpIdx]);
2113               // By not selecting a value, we allow the operands that follow to
2114               // select a better matching value. We will get a non-null value in
2115               // the next run of getBestOperand().
2116               if (BestIdx) {
2117                 // Swap the current operand with the one returned by
2118                 // getBestOperand().
2119                 swap(OpIdx, *BestIdx, Lane);
2120               } else {
2121                 // We failed to find a best operand, set mode to 'Failed'.
2122                 ReorderingModes[OpIdx] = ReorderingMode::Failed;
2123                 // Enable the second pass.
2124                 StrategyFailed = true;
2125               }
2126               // Try to get the alternate opcode and follow it during analysis.
2127               if (MainAltOps[OpIdx].size() != 2) {
2128                 OperandData &AltOp = getData(OpIdx, Lane);
2129                 InstructionsState OpS =
2130                     getSameOpcode({MainAltOps[OpIdx].front(), AltOp.V}, TLI);
2131                 if (OpS.getOpcode() && OpS.isAltShuffle())
2132                   MainAltOps[OpIdx].push_back(AltOp.V);
2133               }
2134             }
2135           }
2136         }
2137         // Skip second pass if the strategy did not fail.
2138         if (!StrategyFailed)
2139           break;
2140       }
2141     }
2142 
2143 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
2144     LLVM_DUMP_METHOD static StringRef getModeStr(ReorderingMode RMode) {
2145       switch (RMode) {
2146       case ReorderingMode::Load:
2147         return "Load";
2148       case ReorderingMode::Opcode:
2149         return "Opcode";
2150       case ReorderingMode::Constant:
2151         return "Constant";
2152       case ReorderingMode::Splat:
2153         return "Splat";
2154       case ReorderingMode::Failed:
2155         return "Failed";
2156       }
2157       llvm_unreachable("Unimplemented Reordering Type");
2158     }
2159 
2160     LLVM_DUMP_METHOD static raw_ostream &printMode(ReorderingMode RMode,
2161                                                    raw_ostream &OS) {
2162       return OS << getModeStr(RMode);
2163     }
2164 
2165     /// Debug print.
2166     LLVM_DUMP_METHOD static void dumpMode(ReorderingMode RMode) {
2167       printMode(RMode, dbgs());
2168     }
2169 
2170     friend raw_ostream &operator<<(raw_ostream &OS, ReorderingMode RMode) {
2171       return printMode(RMode, OS);
2172     }
2173 
2174     LLVM_DUMP_METHOD raw_ostream &print(raw_ostream &OS) const {
2175       const unsigned Indent = 2;
2176       unsigned Cnt = 0;
2177       for (const OperandDataVec &OpDataVec : OpsVec) {
2178         OS << "Operand " << Cnt++ << "\n";
2179         for (const OperandData &OpData : OpDataVec) {
2180           OS.indent(Indent) << "{";
2181           if (Value *V = OpData.V)
2182             OS << *V;
2183           else
2184             OS << "null";
2185           OS << ", APO:" << OpData.APO << "}\n";
2186         }
2187         OS << "\n";
2188       }
2189       return OS;
2190     }
2191 
2192     /// Debug print.
2193     LLVM_DUMP_METHOD void dump() const { print(dbgs()); }
2194 #endif
2195   };
2196 
2197   /// Evaluate each pair in \p Candidates and return index into \p Candidates
2198   /// for a pair which have highest score deemed to have best chance to form
2199   /// root of profitable tree to vectorize. Return std::nullopt if no candidate
2200   /// scored above the LookAheadHeuristics::ScoreFail. \param Limit Lower limit
2201   /// of the cost, considered to be good enough score.
2202   std::optional<int>
2203   findBestRootPair(ArrayRef<std::pair<Value *, Value *>> Candidates,
2204                    int Limit = LookAheadHeuristics::ScoreFail) {
2205     LookAheadHeuristics LookAhead(*TLI, *DL, *SE, *this, /*NumLanes=*/2,
2206                                   RootLookAheadMaxDepth);
2207     int BestScore = Limit;
2208     std::optional<int> Index;
2209     for (int I : seq<int>(0, Candidates.size())) {
2210       int Score = LookAhead.getScoreAtLevelRec(Candidates[I].first,
2211                                                Candidates[I].second,
2212                                                /*U1=*/nullptr, /*U2=*/nullptr,
2213                                                /*Level=*/1, std::nullopt);
2214       if (Score > BestScore) {
2215         BestScore = Score;
2216         Index = I;
2217       }
2218     }
2219     return Index;
2220   }
2221 
2222   /// Checks if the instruction is marked for deletion.
2223   bool isDeleted(Instruction *I) const { return DeletedInstructions.count(I); }
2224 
2225   /// Removes an instruction from its block and eventually deletes it.
2226   /// It's like Instruction::eraseFromParent() except that the actual deletion
2227   /// is delayed until BoUpSLP is destructed.
2228   void eraseInstruction(Instruction *I) {
2229     DeletedInstructions.insert(I);
2230   }
2231 
2232   /// Checks if the instruction was already analyzed for being possible
2233   /// reduction root.
2234   bool isAnalyzedReductionRoot(Instruction *I) const {
2235     return AnalyzedReductionsRoots.count(I);
2236   }
2237   /// Register given instruction as already analyzed for being possible
2238   /// reduction root.
2239   void analyzedReductionRoot(Instruction *I) {
2240     AnalyzedReductionsRoots.insert(I);
2241   }
2242   /// Checks if the provided list of reduced values was checked already for
2243   /// vectorization.
2244   bool areAnalyzedReductionVals(ArrayRef<Value *> VL) const {
2245     return AnalyzedReductionVals.contains(hash_value(VL));
2246   }
2247   /// Adds the list of reduced values to list of already checked values for the
2248   /// vectorization.
2249   void analyzedReductionVals(ArrayRef<Value *> VL) {
2250     AnalyzedReductionVals.insert(hash_value(VL));
2251   }
2252   /// Clear the list of the analyzed reduction root instructions.
2253   void clearReductionData() {
2254     AnalyzedReductionsRoots.clear();
2255     AnalyzedReductionVals.clear();
2256   }
2257   /// Checks if the given value is gathered in one of the nodes.
2258   bool isAnyGathered(const SmallDenseSet<Value *> &Vals) const {
2259     return any_of(MustGather, [&](Value *V) { return Vals.contains(V); });
2260   }
2261 
2262   /// Check if the value is vectorized in the tree.
2263   bool isVectorized(Value *V) const { return getTreeEntry(V); }
2264 
2265   ~BoUpSLP();
2266 
2267 private:
2268   /// Determine if a vectorized value \p V in can be demoted to
2269   /// a smaller type with a truncation. We collect the values that will be
2270   /// demoted in ToDemote and additional roots that require investigating in
2271   /// Roots.
2272   /// \param DemotedConsts list of Instruction/OperandIndex pairs that are
2273   /// constant and to be demoted. Required to correctly identify constant nodes
2274   /// to be demoted.
2275   bool collectValuesToDemote(
2276       Value *V, SmallVectorImpl<Value *> &ToDemote,
2277       DenseMap<Instruction *, SmallVector<unsigned>> &DemotedConsts,
2278       SmallVectorImpl<Value *> &Roots, DenseSet<Value *> &Visited) const;
2279 
2280   /// Check if the operands on the edges \p Edges of the \p UserTE allows
2281   /// reordering (i.e. the operands can be reordered because they have only one
2282   /// user and reordarable).
2283   /// \param ReorderableGathers List of all gather nodes that require reordering
2284   /// (e.g., gather of extractlements or partially vectorizable loads).
2285   /// \param GatherOps List of gather operand nodes for \p UserTE that require
2286   /// reordering, subset of \p NonVectorized.
2287   bool
2288   canReorderOperands(TreeEntry *UserTE,
2289                      SmallVectorImpl<std::pair<unsigned, TreeEntry *>> &Edges,
2290                      ArrayRef<TreeEntry *> ReorderableGathers,
2291                      SmallVectorImpl<TreeEntry *> &GatherOps);
2292 
2293   /// Checks if the given \p TE is a gather node with clustered reused scalars
2294   /// and reorders it per given \p Mask.
2295   void reorderNodeWithReuses(TreeEntry &TE, ArrayRef<int> Mask) const;
2296 
2297   /// Returns vectorized operand \p OpIdx of the node \p UserTE from the graph,
2298   /// if any. If it is not vectorized (gather node), returns nullptr.
2299   TreeEntry *getVectorizedOperand(TreeEntry *UserTE, unsigned OpIdx) {
2300     ArrayRef<Value *> VL = UserTE->getOperand(OpIdx);
2301     TreeEntry *TE = nullptr;
2302     const auto *It = find_if(VL, [&](Value *V) {
2303       TE = getTreeEntry(V);
2304       if (TE && is_contained(TE->UserTreeIndices, EdgeInfo(UserTE, OpIdx)))
2305         return true;
2306       auto It = MultiNodeScalars.find(V);
2307       if (It != MultiNodeScalars.end()) {
2308         for (TreeEntry *E : It->second) {
2309           if (is_contained(E->UserTreeIndices, EdgeInfo(UserTE, OpIdx))) {
2310             TE = E;
2311             return true;
2312           }
2313         }
2314       }
2315       return false;
2316     });
2317     if (It != VL.end()) {
2318       assert(TE->isSame(VL) && "Expected same scalars.");
2319       return TE;
2320     }
2321     return nullptr;
2322   }
2323 
2324   /// Returns vectorized operand \p OpIdx of the node \p UserTE from the graph,
2325   /// if any. If it is not vectorized (gather node), returns nullptr.
2326   const TreeEntry *getVectorizedOperand(const TreeEntry *UserTE,
2327                                         unsigned OpIdx) const {
2328     return const_cast<BoUpSLP *>(this)->getVectorizedOperand(
2329         const_cast<TreeEntry *>(UserTE), OpIdx);
2330   }
2331 
2332   /// Checks if all users of \p I are the part of the vectorization tree.
2333   bool areAllUsersVectorized(
2334       Instruction *I,
2335       const SmallDenseSet<Value *> *VectorizedVals = nullptr) const;
2336 
2337   /// Return information about the vector formed for the specified index
2338   /// of a vector of (the same) instruction.
2339   TargetTransformInfo::OperandValueInfo getOperandInfo(ArrayRef<Value *> Ops);
2340 
2341   /// \ returns the graph entry for the \p Idx operand of the \p E entry.
2342   const TreeEntry *getOperandEntry(const TreeEntry *E, unsigned Idx) const;
2343 
2344   /// \returns the cost of the vectorizable entry.
2345   InstructionCost getEntryCost(const TreeEntry *E,
2346                                ArrayRef<Value *> VectorizedVals,
2347                                SmallPtrSetImpl<Value *> &CheckedExtracts);
2348 
2349   /// This is the recursive part of buildTree.
2350   void buildTree_rec(ArrayRef<Value *> Roots, unsigned Depth,
2351                      const EdgeInfo &EI);
2352 
2353   /// \returns true if the ExtractElement/ExtractValue instructions in \p VL can
2354   /// be vectorized to use the original vector (or aggregate "bitcast" to a
2355   /// vector) and sets \p CurrentOrder to the identity permutation; otherwise
2356   /// returns false, setting \p CurrentOrder to either an empty vector or a
2357   /// non-identity permutation that allows to reuse extract instructions.
2358   /// \param ResizeAllowed indicates whether it is allowed to handle subvector
2359   /// extract order.
2360   bool canReuseExtract(ArrayRef<Value *> VL, Value *OpValue,
2361                        SmallVectorImpl<unsigned> &CurrentOrder,
2362                        bool ResizeAllowed = false) const;
2363 
2364   /// Vectorize a single entry in the tree.
2365   /// \param PostponedPHIs true, if need to postpone emission of phi nodes to
2366   /// avoid issues with def-use order.
2367   Value *vectorizeTree(TreeEntry *E, bool PostponedPHIs);
2368 
2369   /// Vectorize a single entry in the tree, the \p Idx-th operand of the entry
2370   /// \p E.
2371   /// \param PostponedPHIs true, if need to postpone emission of phi nodes to
2372   /// avoid issues with def-use order.
2373   Value *vectorizeOperand(TreeEntry *E, unsigned NodeIdx, bool PostponedPHIs);
2374 
2375   /// Create a new vector from a list of scalar values.  Produces a sequence
2376   /// which exploits values reused across lanes, and arranges the inserts
2377   /// for ease of later optimization.
2378   template <typename BVTy, typename ResTy, typename... Args>
2379   ResTy processBuildVector(const TreeEntry *E, Args &...Params);
2380 
2381   /// Create a new vector from a list of scalar values.  Produces a sequence
2382   /// which exploits values reused across lanes, and arranges the inserts
2383   /// for ease of later optimization.
2384   Value *createBuildVector(const TreeEntry *E);
2385 
2386   /// Returns the instruction in the bundle, which can be used as a base point
2387   /// for scheduling. Usually it is the last instruction in the bundle, except
2388   /// for the case when all operands are external (in this case, it is the first
2389   /// instruction in the list).
2390   Instruction &getLastInstructionInBundle(const TreeEntry *E);
2391 
2392   /// Tries to find extractelement instructions with constant indices from fixed
2393   /// vector type and gather such instructions into a bunch, which highly likely
2394   /// might be detected as a shuffle of 1 or 2 input vectors. If this attempt
2395   /// was successful, the matched scalars are replaced by poison values in \p VL
2396   /// for future analysis.
2397   std::optional<TargetTransformInfo::ShuffleKind>
2398   tryToGatherSingleRegisterExtractElements(MutableArrayRef<Value *> VL,
2399                                            SmallVectorImpl<int> &Mask) const;
2400 
2401   /// Tries to find extractelement instructions with constant indices from fixed
2402   /// vector type and gather such instructions into a bunch, which highly likely
2403   /// might be detected as a shuffle of 1 or 2 input vectors. If this attempt
2404   /// was successful, the matched scalars are replaced by poison values in \p VL
2405   /// for future analysis.
2406   SmallVector<std::optional<TargetTransformInfo::ShuffleKind>>
2407   tryToGatherExtractElements(SmallVectorImpl<Value *> &VL,
2408                              SmallVectorImpl<int> &Mask,
2409                              unsigned NumParts) const;
2410 
2411   /// Checks if the gathered \p VL can be represented as a single register
2412   /// shuffle(s) of previous tree entries.
2413   /// \param TE Tree entry checked for permutation.
2414   /// \param VL List of scalars (a subset of the TE scalar), checked for
2415   /// permutations. Must form single-register vector.
2416   /// \returns ShuffleKind, if gathered values can be represented as shuffles of
2417   /// previous tree entries. \p Part of \p Mask is filled with the shuffle mask.
2418   std::optional<TargetTransformInfo::ShuffleKind>
2419   isGatherShuffledSingleRegisterEntry(
2420       const TreeEntry *TE, ArrayRef<Value *> VL, MutableArrayRef<int> Mask,
2421       SmallVectorImpl<const TreeEntry *> &Entries, unsigned Part);
2422 
2423   /// Checks if the gathered \p VL can be represented as multi-register
2424   /// shuffle(s) of previous tree entries.
2425   /// \param TE Tree entry checked for permutation.
2426   /// \param VL List of scalars (a subset of the TE scalar), checked for
2427   /// permutations.
2428   /// \returns per-register series of ShuffleKind, if gathered values can be
2429   /// represented as shuffles of previous tree entries. \p Mask is filled with
2430   /// the shuffle mask (also on per-register base).
2431   SmallVector<std::optional<TargetTransformInfo::ShuffleKind>>
2432   isGatherShuffledEntry(
2433       const TreeEntry *TE, ArrayRef<Value *> VL, SmallVectorImpl<int> &Mask,
2434       SmallVectorImpl<SmallVector<const TreeEntry *>> &Entries,
2435       unsigned NumParts);
2436 
2437   /// \returns the scalarization cost for this list of values. Assuming that
2438   /// this subtree gets vectorized, we may need to extract the values from the
2439   /// roots. This method calculates the cost of extracting the values.
2440   /// \param ForPoisonSrc true if initial vector is poison, false otherwise.
2441   InstructionCost getGatherCost(ArrayRef<Value *> VL, bool ForPoisonSrc) const;
2442 
2443   /// Set the Builder insert point to one after the last instruction in
2444   /// the bundle
2445   void setInsertPointAfterBundle(const TreeEntry *E);
2446 
2447   /// \returns a vector from a collection of scalars in \p VL. if \p Root is not
2448   /// specified, the starting vector value is poison.
2449   Value *gather(ArrayRef<Value *> VL, Value *Root);
2450 
2451   /// \returns whether the VectorizableTree is fully vectorizable and will
2452   /// be beneficial even the tree height is tiny.
2453   bool isFullyVectorizableTinyTree(bool ForReduction) const;
2454 
2455   /// Reorder commutative or alt operands to get better probability of
2456   /// generating vectorized code.
2457   static void reorderInputsAccordingToOpcode(
2458       ArrayRef<Value *> VL, SmallVectorImpl<Value *> &Left,
2459       SmallVectorImpl<Value *> &Right, const TargetLibraryInfo &TLI,
2460       const DataLayout &DL, ScalarEvolution &SE, const BoUpSLP &R);
2461 
2462   /// Helper for `findExternalStoreUsersReorderIndices()`. It iterates over the
2463   /// users of \p TE and collects the stores. It returns the map from the store
2464   /// pointers to the collected stores.
2465   DenseMap<Value *, SmallVector<StoreInst *>>
2466   collectUserStores(const BoUpSLP::TreeEntry *TE) const;
2467 
2468   /// Helper for `findExternalStoreUsersReorderIndices()`. It checks if the
2469   /// stores in \p StoresVec can form a vector instruction. If so it returns
2470   /// true and populates \p ReorderIndices with the shuffle indices of the
2471   /// stores when compared to the sorted vector.
2472   bool canFormVector(ArrayRef<StoreInst *> StoresVec,
2473                      OrdersType &ReorderIndices) const;
2474 
2475   /// Iterates through the users of \p TE, looking for scalar stores that can be
2476   /// potentially vectorized in a future SLP-tree. If found, it keeps track of
2477   /// their order and builds an order index vector for each store bundle. It
2478   /// returns all these order vectors found.
2479   /// We run this after the tree has formed, otherwise we may come across user
2480   /// instructions that are not yet in the tree.
2481   SmallVector<OrdersType, 1>
2482   findExternalStoreUsersReorderIndices(TreeEntry *TE) const;
2483 
2484   struct TreeEntry {
2485     using VecTreeTy = SmallVector<std::unique_ptr<TreeEntry>, 8>;
2486     TreeEntry(VecTreeTy &Container) : Container(Container) {}
2487 
2488     /// \returns Common mask for reorder indices and reused scalars.
2489     SmallVector<int> getCommonMask() const {
2490       SmallVector<int> Mask;
2491       inversePermutation(ReorderIndices, Mask);
2492       ::addMask(Mask, ReuseShuffleIndices);
2493       return Mask;
2494     }
2495 
2496     /// \returns true if the scalars in VL are equal to this entry.
2497     bool isSame(ArrayRef<Value *> VL) const {
2498       auto &&IsSame = [VL](ArrayRef<Value *> Scalars, ArrayRef<int> Mask) {
2499         if (Mask.size() != VL.size() && VL.size() == Scalars.size())
2500           return std::equal(VL.begin(), VL.end(), Scalars.begin());
2501         return VL.size() == Mask.size() &&
2502                std::equal(VL.begin(), VL.end(), Mask.begin(),
2503                           [Scalars](Value *V, int Idx) {
2504                             return (isa<UndefValue>(V) &&
2505                                     Idx == PoisonMaskElem) ||
2506                                    (Idx != PoisonMaskElem && V == Scalars[Idx]);
2507                           });
2508       };
2509       if (!ReorderIndices.empty()) {
2510         // TODO: implement matching if the nodes are just reordered, still can
2511         // treat the vector as the same if the list of scalars matches VL
2512         // directly, without reordering.
2513         SmallVector<int> Mask;
2514         inversePermutation(ReorderIndices, Mask);
2515         if (VL.size() == Scalars.size())
2516           return IsSame(Scalars, Mask);
2517         if (VL.size() == ReuseShuffleIndices.size()) {
2518           ::addMask(Mask, ReuseShuffleIndices);
2519           return IsSame(Scalars, Mask);
2520         }
2521         return false;
2522       }
2523       return IsSame(Scalars, ReuseShuffleIndices);
2524     }
2525 
2526     bool isOperandGatherNode(const EdgeInfo &UserEI) const {
2527       return State == TreeEntry::NeedToGather &&
2528              UserTreeIndices.front().EdgeIdx == UserEI.EdgeIdx &&
2529              UserTreeIndices.front().UserTE == UserEI.UserTE;
2530     }
2531 
2532     /// \returns true if current entry has same operands as \p TE.
2533     bool hasEqualOperands(const TreeEntry &TE) const {
2534       if (TE.getNumOperands() != getNumOperands())
2535         return false;
2536       SmallBitVector Used(getNumOperands());
2537       for (unsigned I = 0, E = getNumOperands(); I < E; ++I) {
2538         unsigned PrevCount = Used.count();
2539         for (unsigned K = 0; K < E; ++K) {
2540           if (Used.test(K))
2541             continue;
2542           if (getOperand(K) == TE.getOperand(I)) {
2543             Used.set(K);
2544             break;
2545           }
2546         }
2547         // Check if we actually found the matching operand.
2548         if (PrevCount == Used.count())
2549           return false;
2550       }
2551       return true;
2552     }
2553 
2554     /// \return Final vectorization factor for the node. Defined by the total
2555     /// number of vectorized scalars, including those, used several times in the
2556     /// entry and counted in the \a ReuseShuffleIndices, if any.
2557     unsigned getVectorFactor() const {
2558       if (!ReuseShuffleIndices.empty())
2559         return ReuseShuffleIndices.size();
2560       return Scalars.size();
2561     };
2562 
2563     /// A vector of scalars.
2564     ValueList Scalars;
2565 
2566     /// The Scalars are vectorized into this value. It is initialized to Null.
2567     WeakTrackingVH VectorizedValue = nullptr;
2568 
2569     /// New vector phi instructions emitted for the vectorized phi nodes.
2570     PHINode *PHI = nullptr;
2571 
2572     /// Do we need to gather this sequence or vectorize it
2573     /// (either with vector instruction or with scatter/gather
2574     /// intrinsics for store/load)?
2575     enum EntryState {
2576       Vectorize,
2577       ScatterVectorize,
2578       PossibleStridedVectorize,
2579       NeedToGather
2580     };
2581     EntryState State;
2582 
2583     /// Does this sequence require some shuffling?
2584     SmallVector<int, 4> ReuseShuffleIndices;
2585 
2586     /// Does this entry require reordering?
2587     SmallVector<unsigned, 4> ReorderIndices;
2588 
2589     /// Points back to the VectorizableTree.
2590     ///
2591     /// Only used for Graphviz right now.  Unfortunately GraphTrait::NodeRef has
2592     /// to be a pointer and needs to be able to initialize the child iterator.
2593     /// Thus we need a reference back to the container to translate the indices
2594     /// to entries.
2595     VecTreeTy &Container;
2596 
2597     /// The TreeEntry index containing the user of this entry.  We can actually
2598     /// have multiple users so the data structure is not truly a tree.
2599     SmallVector<EdgeInfo, 1> UserTreeIndices;
2600 
2601     /// The index of this treeEntry in VectorizableTree.
2602     int Idx = -1;
2603 
2604   private:
2605     /// The operands of each instruction in each lane Operands[op_index][lane].
2606     /// Note: This helps avoid the replication of the code that performs the
2607     /// reordering of operands during buildTree_rec() and vectorizeTree().
2608     SmallVector<ValueList, 2> Operands;
2609 
2610     /// The main/alternate instruction.
2611     Instruction *MainOp = nullptr;
2612     Instruction *AltOp = nullptr;
2613 
2614   public:
2615     /// Set this bundle's \p OpIdx'th operand to \p OpVL.
2616     void setOperand(unsigned OpIdx, ArrayRef<Value *> OpVL) {
2617       if (Operands.size() < OpIdx + 1)
2618         Operands.resize(OpIdx + 1);
2619       assert(Operands[OpIdx].empty() && "Already resized?");
2620       assert(OpVL.size() <= Scalars.size() &&
2621              "Number of operands is greater than the number of scalars.");
2622       Operands[OpIdx].resize(OpVL.size());
2623       copy(OpVL, Operands[OpIdx].begin());
2624     }
2625 
2626     /// Set the operands of this bundle in their original order.
2627     void setOperandsInOrder() {
2628       assert(Operands.empty() && "Already initialized?");
2629       auto *I0 = cast<Instruction>(Scalars[0]);
2630       Operands.resize(I0->getNumOperands());
2631       unsigned NumLanes = Scalars.size();
2632       for (unsigned OpIdx = 0, NumOperands = I0->getNumOperands();
2633            OpIdx != NumOperands; ++OpIdx) {
2634         Operands[OpIdx].resize(NumLanes);
2635         for (unsigned Lane = 0; Lane != NumLanes; ++Lane) {
2636           auto *I = cast<Instruction>(Scalars[Lane]);
2637           assert(I->getNumOperands() == NumOperands &&
2638                  "Expected same number of operands");
2639           Operands[OpIdx][Lane] = I->getOperand(OpIdx);
2640         }
2641       }
2642     }
2643 
2644     /// Reorders operands of the node to the given mask \p Mask.
2645     void reorderOperands(ArrayRef<int> Mask) {
2646       for (ValueList &Operand : Operands)
2647         reorderScalars(Operand, Mask);
2648     }
2649 
2650     /// \returns the \p OpIdx operand of this TreeEntry.
2651     ValueList &getOperand(unsigned OpIdx) {
2652       assert(OpIdx < Operands.size() && "Off bounds");
2653       return Operands[OpIdx];
2654     }
2655 
2656     /// \returns the \p OpIdx operand of this TreeEntry.
2657     ArrayRef<Value *> getOperand(unsigned OpIdx) const {
2658       assert(OpIdx < Operands.size() && "Off bounds");
2659       return Operands[OpIdx];
2660     }
2661 
2662     /// \returns the number of operands.
2663     unsigned getNumOperands() const { return Operands.size(); }
2664 
2665     /// \return the single \p OpIdx operand.
2666     Value *getSingleOperand(unsigned OpIdx) const {
2667       assert(OpIdx < Operands.size() && "Off bounds");
2668       assert(!Operands[OpIdx].empty() && "No operand available");
2669       return Operands[OpIdx][0];
2670     }
2671 
2672     /// Some of the instructions in the list have alternate opcodes.
2673     bool isAltShuffle() const { return MainOp != AltOp; }
2674 
2675     bool isOpcodeOrAlt(Instruction *I) const {
2676       unsigned CheckedOpcode = I->getOpcode();
2677       return (getOpcode() == CheckedOpcode ||
2678               getAltOpcode() == CheckedOpcode);
2679     }
2680 
2681     /// Chooses the correct key for scheduling data. If \p Op has the same (or
2682     /// alternate) opcode as \p OpValue, the key is \p Op. Otherwise the key is
2683     /// \p OpValue.
2684     Value *isOneOf(Value *Op) const {
2685       auto *I = dyn_cast<Instruction>(Op);
2686       if (I && isOpcodeOrAlt(I))
2687         return Op;
2688       return MainOp;
2689     }
2690 
2691     void setOperations(const InstructionsState &S) {
2692       MainOp = S.MainOp;
2693       AltOp = S.AltOp;
2694     }
2695 
2696     Instruction *getMainOp() const {
2697       return MainOp;
2698     }
2699 
2700     Instruction *getAltOp() const {
2701       return AltOp;
2702     }
2703 
2704     /// The main/alternate opcodes for the list of instructions.
2705     unsigned getOpcode() const {
2706       return MainOp ? MainOp->getOpcode() : 0;
2707     }
2708 
2709     unsigned getAltOpcode() const {
2710       return AltOp ? AltOp->getOpcode() : 0;
2711     }
2712 
2713     /// When ReuseReorderShuffleIndices is empty it just returns position of \p
2714     /// V within vector of Scalars. Otherwise, try to remap on its reuse index.
2715     int findLaneForValue(Value *V) const {
2716       unsigned FoundLane = std::distance(Scalars.begin(), find(Scalars, V));
2717       assert(FoundLane < Scalars.size() && "Couldn't find extract lane");
2718       if (!ReorderIndices.empty())
2719         FoundLane = ReorderIndices[FoundLane];
2720       assert(FoundLane < Scalars.size() && "Couldn't find extract lane");
2721       if (!ReuseShuffleIndices.empty()) {
2722         FoundLane = std::distance(ReuseShuffleIndices.begin(),
2723                                   find(ReuseShuffleIndices, FoundLane));
2724       }
2725       return FoundLane;
2726     }
2727 
2728     /// Build a shuffle mask for graph entry which represents a merge of main
2729     /// and alternate operations.
2730     void
2731     buildAltOpShuffleMask(const function_ref<bool(Instruction *)> IsAltOp,
2732                           SmallVectorImpl<int> &Mask,
2733                           SmallVectorImpl<Value *> *OpScalars = nullptr,
2734                           SmallVectorImpl<Value *> *AltScalars = nullptr) const;
2735 
2736 #ifndef NDEBUG
2737     /// Debug printer.
2738     LLVM_DUMP_METHOD void dump() const {
2739       dbgs() << Idx << ".\n";
2740       for (unsigned OpI = 0, OpE = Operands.size(); OpI != OpE; ++OpI) {
2741         dbgs() << "Operand " << OpI << ":\n";
2742         for (const Value *V : Operands[OpI])
2743           dbgs().indent(2) << *V << "\n";
2744       }
2745       dbgs() << "Scalars: \n";
2746       for (Value *V : Scalars)
2747         dbgs().indent(2) << *V << "\n";
2748       dbgs() << "State: ";
2749       switch (State) {
2750       case Vectorize:
2751         dbgs() << "Vectorize\n";
2752         break;
2753       case ScatterVectorize:
2754         dbgs() << "ScatterVectorize\n";
2755         break;
2756       case PossibleStridedVectorize:
2757         dbgs() << "PossibleStridedVectorize\n";
2758         break;
2759       case NeedToGather:
2760         dbgs() << "NeedToGather\n";
2761         break;
2762       }
2763       dbgs() << "MainOp: ";
2764       if (MainOp)
2765         dbgs() << *MainOp << "\n";
2766       else
2767         dbgs() << "NULL\n";
2768       dbgs() << "AltOp: ";
2769       if (AltOp)
2770         dbgs() << *AltOp << "\n";
2771       else
2772         dbgs() << "NULL\n";
2773       dbgs() << "VectorizedValue: ";
2774       if (VectorizedValue)
2775         dbgs() << *VectorizedValue << "\n";
2776       else
2777         dbgs() << "NULL\n";
2778       dbgs() << "ReuseShuffleIndices: ";
2779       if (ReuseShuffleIndices.empty())
2780         dbgs() << "Empty";
2781       else
2782         for (int ReuseIdx : ReuseShuffleIndices)
2783           dbgs() << ReuseIdx << ", ";
2784       dbgs() << "\n";
2785       dbgs() << "ReorderIndices: ";
2786       for (unsigned ReorderIdx : ReorderIndices)
2787         dbgs() << ReorderIdx << ", ";
2788       dbgs() << "\n";
2789       dbgs() << "UserTreeIndices: ";
2790       for (const auto &EInfo : UserTreeIndices)
2791         dbgs() << EInfo << ", ";
2792       dbgs() << "\n";
2793     }
2794 #endif
2795   };
2796 
2797 #ifndef NDEBUG
2798   void dumpTreeCosts(const TreeEntry *E, InstructionCost ReuseShuffleCost,
2799                      InstructionCost VecCost, InstructionCost ScalarCost,
2800                      StringRef Banner) const {
2801     dbgs() << "SLP: " << Banner << ":\n";
2802     E->dump();
2803     dbgs() << "SLP: Costs:\n";
2804     dbgs() << "SLP:     ReuseShuffleCost = " << ReuseShuffleCost << "\n";
2805     dbgs() << "SLP:     VectorCost = " << VecCost << "\n";
2806     dbgs() << "SLP:     ScalarCost = " << ScalarCost << "\n";
2807     dbgs() << "SLP:     ReuseShuffleCost + VecCost - ScalarCost = "
2808            << ReuseShuffleCost + VecCost - ScalarCost << "\n";
2809   }
2810 #endif
2811 
2812   /// Create a new VectorizableTree entry.
2813   TreeEntry *newTreeEntry(ArrayRef<Value *> VL,
2814                           std::optional<ScheduleData *> Bundle,
2815                           const InstructionsState &S,
2816                           const EdgeInfo &UserTreeIdx,
2817                           ArrayRef<int> ReuseShuffleIndices = std::nullopt,
2818                           ArrayRef<unsigned> ReorderIndices = std::nullopt) {
2819     TreeEntry::EntryState EntryState =
2820         Bundle ? TreeEntry::Vectorize : TreeEntry::NeedToGather;
2821     return newTreeEntry(VL, EntryState, Bundle, S, UserTreeIdx,
2822                         ReuseShuffleIndices, ReorderIndices);
2823   }
2824 
2825   TreeEntry *newTreeEntry(ArrayRef<Value *> VL,
2826                           TreeEntry::EntryState EntryState,
2827                           std::optional<ScheduleData *> Bundle,
2828                           const InstructionsState &S,
2829                           const EdgeInfo &UserTreeIdx,
2830                           ArrayRef<int> ReuseShuffleIndices = std::nullopt,
2831                           ArrayRef<unsigned> ReorderIndices = std::nullopt) {
2832     assert(((!Bundle && EntryState == TreeEntry::NeedToGather) ||
2833             (Bundle && EntryState != TreeEntry::NeedToGather)) &&
2834            "Need to vectorize gather entry?");
2835     VectorizableTree.push_back(std::make_unique<TreeEntry>(VectorizableTree));
2836     TreeEntry *Last = VectorizableTree.back().get();
2837     Last->Idx = VectorizableTree.size() - 1;
2838     Last->State = EntryState;
2839     Last->ReuseShuffleIndices.append(ReuseShuffleIndices.begin(),
2840                                      ReuseShuffleIndices.end());
2841     if (ReorderIndices.empty()) {
2842       Last->Scalars.assign(VL.begin(), VL.end());
2843       Last->setOperations(S);
2844     } else {
2845       // Reorder scalars and build final mask.
2846       Last->Scalars.assign(VL.size(), nullptr);
2847       transform(ReorderIndices, Last->Scalars.begin(),
2848                 [VL](unsigned Idx) -> Value * {
2849                   if (Idx >= VL.size())
2850                     return UndefValue::get(VL.front()->getType());
2851                   return VL[Idx];
2852                 });
2853       InstructionsState S = getSameOpcode(Last->Scalars, *TLI);
2854       Last->setOperations(S);
2855       Last->ReorderIndices.append(ReorderIndices.begin(), ReorderIndices.end());
2856     }
2857     if (Last->State != TreeEntry::NeedToGather) {
2858       for (Value *V : VL) {
2859         const TreeEntry *TE = getTreeEntry(V);
2860         assert((!TE || TE == Last || doesNotNeedToBeScheduled(V)) &&
2861                "Scalar already in tree!");
2862         if (TE) {
2863           if (TE != Last)
2864             MultiNodeScalars.try_emplace(V).first->getSecond().push_back(Last);
2865           continue;
2866         }
2867         ScalarToTreeEntry[V] = Last;
2868       }
2869       // Update the scheduler bundle to point to this TreeEntry.
2870       ScheduleData *BundleMember = *Bundle;
2871       assert((BundleMember || isa<PHINode>(S.MainOp) ||
2872               isVectorLikeInstWithConstOps(S.MainOp) ||
2873               doesNotNeedToSchedule(VL)) &&
2874              "Bundle and VL out of sync");
2875       if (BundleMember) {
2876         for (Value *V : VL) {
2877           if (doesNotNeedToBeScheduled(V))
2878             continue;
2879           if (!BundleMember)
2880             continue;
2881           BundleMember->TE = Last;
2882           BundleMember = BundleMember->NextInBundle;
2883         }
2884       }
2885       assert(!BundleMember && "Bundle and VL out of sync");
2886     } else {
2887       MustGather.insert(VL.begin(), VL.end());
2888       // Build a map for gathered scalars to the nodes where they are used.
2889       for (Value *V : VL)
2890         if (!isConstant(V))
2891           ValueToGatherNodes.try_emplace(V).first->getSecond().insert(Last);
2892     }
2893 
2894     if (UserTreeIdx.UserTE)
2895       Last->UserTreeIndices.push_back(UserTreeIdx);
2896 
2897     return Last;
2898   }
2899 
2900   /// -- Vectorization State --
2901   /// Holds all of the tree entries.
2902   TreeEntry::VecTreeTy VectorizableTree;
2903 
2904 #ifndef NDEBUG
2905   /// Debug printer.
2906   LLVM_DUMP_METHOD void dumpVectorizableTree() const {
2907     for (unsigned Id = 0, IdE = VectorizableTree.size(); Id != IdE; ++Id) {
2908       VectorizableTree[Id]->dump();
2909       dbgs() << "\n";
2910     }
2911   }
2912 #endif
2913 
2914   TreeEntry *getTreeEntry(Value *V) { return ScalarToTreeEntry.lookup(V); }
2915 
2916   const TreeEntry *getTreeEntry(Value *V) const {
2917     return ScalarToTreeEntry.lookup(V);
2918   }
2919 
2920   /// Checks if the specified list of the instructions/values can be vectorized
2921   /// and fills required data before actual scheduling of the instructions.
2922   TreeEntry::EntryState getScalarsVectorizationState(
2923       InstructionsState &S, ArrayRef<Value *> VL, bool IsScatterVectorizeUserTE,
2924       OrdersType &CurrentOrder, SmallVectorImpl<Value *> &PointerOps) const;
2925 
2926   /// Maps a specific scalar to its tree entry.
2927   SmallDenseMap<Value *, TreeEntry *> ScalarToTreeEntry;
2928 
2929   /// List of scalars, used in several vectorize nodes, and the list of the
2930   /// nodes.
2931   SmallDenseMap<Value *, SmallVector<TreeEntry *>> MultiNodeScalars;
2932 
2933   /// Maps a value to the proposed vectorizable size.
2934   SmallDenseMap<Value *, unsigned> InstrElementSize;
2935 
2936   /// A list of scalars that we found that we need to keep as scalars.
2937   ValueSet MustGather;
2938 
2939   /// A map between the vectorized entries and the last instructions in the
2940   /// bundles. The bundles are built in use order, not in the def order of the
2941   /// instructions. So, we cannot rely directly on the last instruction in the
2942   /// bundle being the last instruction in the program order during
2943   /// vectorization process since the basic blocks are affected, need to
2944   /// pre-gather them before.
2945   DenseMap<const TreeEntry *, Instruction *> EntryToLastInstruction;
2946 
2947   /// List of gather nodes, depending on other gather/vector nodes, which should
2948   /// be emitted after the vector instruction emission process to correctly
2949   /// handle order of the vector instructions and shuffles.
2950   SetVector<const TreeEntry *> PostponedGathers;
2951 
2952   using ValueToGatherNodesMap =
2953       DenseMap<Value *, SmallPtrSet<const TreeEntry *, 4>>;
2954   ValueToGatherNodesMap ValueToGatherNodes;
2955 
2956   /// This POD struct describes one external user in the vectorized tree.
2957   struct ExternalUser {
2958     ExternalUser(Value *S, llvm::User *U, int L)
2959         : Scalar(S), User(U), Lane(L) {}
2960 
2961     // Which scalar in our function.
2962     Value *Scalar;
2963 
2964     // Which user that uses the scalar.
2965     llvm::User *User;
2966 
2967     // Which lane does the scalar belong to.
2968     int Lane;
2969   };
2970   using UserList = SmallVector<ExternalUser, 16>;
2971 
2972   /// Checks if two instructions may access the same memory.
2973   ///
2974   /// \p Loc1 is the location of \p Inst1. It is passed explicitly because it
2975   /// is invariant in the calling loop.
2976   bool isAliased(const MemoryLocation &Loc1, Instruction *Inst1,
2977                  Instruction *Inst2) {
2978     if (!Loc1.Ptr || !isSimple(Inst1) || !isSimple(Inst2))
2979       return true;
2980     // First check if the result is already in the cache.
2981     AliasCacheKey Key = std::make_pair(Inst1, Inst2);
2982     auto It = AliasCache.find(Key);
2983     if (It != AliasCache.end())
2984       return It->second;
2985     bool Aliased = isModOrRefSet(BatchAA.getModRefInfo(Inst2, Loc1));
2986     // Store the result in the cache.
2987     AliasCache.try_emplace(Key, Aliased);
2988     AliasCache.try_emplace(std::make_pair(Inst2, Inst1), Aliased);
2989     return Aliased;
2990   }
2991 
2992   using AliasCacheKey = std::pair<Instruction *, Instruction *>;
2993 
2994   /// Cache for alias results.
2995   /// TODO: consider moving this to the AliasAnalysis itself.
2996   DenseMap<AliasCacheKey, bool> AliasCache;
2997 
2998   // Cache for pointerMayBeCaptured calls inside AA.  This is preserved
2999   // globally through SLP because we don't perform any action which
3000   // invalidates capture results.
3001   BatchAAResults BatchAA;
3002 
3003   /// Temporary store for deleted instructions. Instructions will be deleted
3004   /// eventually when the BoUpSLP is destructed.  The deferral is required to
3005   /// ensure that there are no incorrect collisions in the AliasCache, which
3006   /// can happen if a new instruction is allocated at the same address as a
3007   /// previously deleted instruction.
3008   DenseSet<Instruction *> DeletedInstructions;
3009 
3010   /// Set of the instruction, being analyzed already for reductions.
3011   SmallPtrSet<Instruction *, 16> AnalyzedReductionsRoots;
3012 
3013   /// Set of hashes for the list of reduction values already being analyzed.
3014   DenseSet<size_t> AnalyzedReductionVals;
3015 
3016   /// A list of values that need to extracted out of the tree.
3017   /// This list holds pairs of (Internal Scalar : External User). External User
3018   /// can be nullptr, it means that this Internal Scalar will be used later,
3019   /// after vectorization.
3020   UserList ExternalUses;
3021 
3022   /// Values used only by @llvm.assume calls.
3023   SmallPtrSet<const Value *, 32> EphValues;
3024 
3025   /// Holds all of the instructions that we gathered, shuffle instructions and
3026   /// extractelements.
3027   SetVector<Instruction *> GatherShuffleExtractSeq;
3028 
3029   /// A list of blocks that we are going to CSE.
3030   DenseSet<BasicBlock *> CSEBlocks;
3031 
3032   /// Contains all scheduling relevant data for an instruction.
3033   /// A ScheduleData either represents a single instruction or a member of an
3034   /// instruction bundle (= a group of instructions which is combined into a
3035   /// vector instruction).
3036   struct ScheduleData {
3037     // The initial value for the dependency counters. It means that the
3038     // dependencies are not calculated yet.
3039     enum { InvalidDeps = -1 };
3040 
3041     ScheduleData() = default;
3042 
3043     void init(int BlockSchedulingRegionID, Value *OpVal) {
3044       FirstInBundle = this;
3045       NextInBundle = nullptr;
3046       NextLoadStore = nullptr;
3047       IsScheduled = false;
3048       SchedulingRegionID = BlockSchedulingRegionID;
3049       clearDependencies();
3050       OpValue = OpVal;
3051       TE = nullptr;
3052     }
3053 
3054     /// Verify basic self consistency properties
3055     void verify() {
3056       if (hasValidDependencies()) {
3057         assert(UnscheduledDeps <= Dependencies && "invariant");
3058       } else {
3059         assert(UnscheduledDeps == Dependencies && "invariant");
3060       }
3061 
3062       if (IsScheduled) {
3063         assert(isSchedulingEntity() &&
3064                 "unexpected scheduled state");
3065         for (const ScheduleData *BundleMember = this; BundleMember;
3066              BundleMember = BundleMember->NextInBundle) {
3067           assert(BundleMember->hasValidDependencies() &&
3068                  BundleMember->UnscheduledDeps == 0 &&
3069                  "unexpected scheduled state");
3070           assert((BundleMember == this || !BundleMember->IsScheduled) &&
3071                  "only bundle is marked scheduled");
3072         }
3073       }
3074 
3075       assert(Inst->getParent() == FirstInBundle->Inst->getParent() &&
3076              "all bundle members must be in same basic block");
3077     }
3078 
3079     /// Returns true if the dependency information has been calculated.
3080     /// Note that depenendency validity can vary between instructions within
3081     /// a single bundle.
3082     bool hasValidDependencies() const { return Dependencies != InvalidDeps; }
3083 
3084     /// Returns true for single instructions and for bundle representatives
3085     /// (= the head of a bundle).
3086     bool isSchedulingEntity() const { return FirstInBundle == this; }
3087 
3088     /// Returns true if it represents an instruction bundle and not only a
3089     /// single instruction.
3090     bool isPartOfBundle() const {
3091       return NextInBundle != nullptr || FirstInBundle != this || TE;
3092     }
3093 
3094     /// Returns true if it is ready for scheduling, i.e. it has no more
3095     /// unscheduled depending instructions/bundles.
3096     bool isReady() const {
3097       assert(isSchedulingEntity() &&
3098              "can't consider non-scheduling entity for ready list");
3099       return unscheduledDepsInBundle() == 0 && !IsScheduled;
3100     }
3101 
3102     /// Modifies the number of unscheduled dependencies for this instruction,
3103     /// and returns the number of remaining dependencies for the containing
3104     /// bundle.
3105     int incrementUnscheduledDeps(int Incr) {
3106       assert(hasValidDependencies() &&
3107              "increment of unscheduled deps would be meaningless");
3108       UnscheduledDeps += Incr;
3109       return FirstInBundle->unscheduledDepsInBundle();
3110     }
3111 
3112     /// Sets the number of unscheduled dependencies to the number of
3113     /// dependencies.
3114     void resetUnscheduledDeps() {
3115       UnscheduledDeps = Dependencies;
3116     }
3117 
3118     /// Clears all dependency information.
3119     void clearDependencies() {
3120       Dependencies = InvalidDeps;
3121       resetUnscheduledDeps();
3122       MemoryDependencies.clear();
3123       ControlDependencies.clear();
3124     }
3125 
3126     int unscheduledDepsInBundle() const {
3127       assert(isSchedulingEntity() && "only meaningful on the bundle");
3128       int Sum = 0;
3129       for (const ScheduleData *BundleMember = this; BundleMember;
3130            BundleMember = BundleMember->NextInBundle) {
3131         if (BundleMember->UnscheduledDeps == InvalidDeps)
3132           return InvalidDeps;
3133         Sum += BundleMember->UnscheduledDeps;
3134       }
3135       return Sum;
3136     }
3137 
3138     void dump(raw_ostream &os) const {
3139       if (!isSchedulingEntity()) {
3140         os << "/ " << *Inst;
3141       } else if (NextInBundle) {
3142         os << '[' << *Inst;
3143         ScheduleData *SD = NextInBundle;
3144         while (SD) {
3145           os << ';' << *SD->Inst;
3146           SD = SD->NextInBundle;
3147         }
3148         os << ']';
3149       } else {
3150         os << *Inst;
3151       }
3152     }
3153 
3154     Instruction *Inst = nullptr;
3155 
3156     /// Opcode of the current instruction in the schedule data.
3157     Value *OpValue = nullptr;
3158 
3159     /// The TreeEntry that this instruction corresponds to.
3160     TreeEntry *TE = nullptr;
3161 
3162     /// Points to the head in an instruction bundle (and always to this for
3163     /// single instructions).
3164     ScheduleData *FirstInBundle = nullptr;
3165 
3166     /// Single linked list of all instructions in a bundle. Null if it is a
3167     /// single instruction.
3168     ScheduleData *NextInBundle = nullptr;
3169 
3170     /// Single linked list of all memory instructions (e.g. load, store, call)
3171     /// in the block - until the end of the scheduling region.
3172     ScheduleData *NextLoadStore = nullptr;
3173 
3174     /// The dependent memory instructions.
3175     /// This list is derived on demand in calculateDependencies().
3176     SmallVector<ScheduleData *, 4> MemoryDependencies;
3177 
3178     /// List of instructions which this instruction could be control dependent
3179     /// on.  Allowing such nodes to be scheduled below this one could introduce
3180     /// a runtime fault which didn't exist in the original program.
3181     /// ex: this is a load or udiv following a readonly call which inf loops
3182     SmallVector<ScheduleData *, 4> ControlDependencies;
3183 
3184     /// This ScheduleData is in the current scheduling region if this matches
3185     /// the current SchedulingRegionID of BlockScheduling.
3186     int SchedulingRegionID = 0;
3187 
3188     /// Used for getting a "good" final ordering of instructions.
3189     int SchedulingPriority = 0;
3190 
3191     /// The number of dependencies. Constitutes of the number of users of the
3192     /// instruction plus the number of dependent memory instructions (if any).
3193     /// This value is calculated on demand.
3194     /// If InvalidDeps, the number of dependencies is not calculated yet.
3195     int Dependencies = InvalidDeps;
3196 
3197     /// The number of dependencies minus the number of dependencies of scheduled
3198     /// instructions. As soon as this is zero, the instruction/bundle gets ready
3199     /// for scheduling.
3200     /// Note that this is negative as long as Dependencies is not calculated.
3201     int UnscheduledDeps = InvalidDeps;
3202 
3203     /// True if this instruction is scheduled (or considered as scheduled in the
3204     /// dry-run).
3205     bool IsScheduled = false;
3206   };
3207 
3208 #ifndef NDEBUG
3209   friend inline raw_ostream &operator<<(raw_ostream &os,
3210                                         const BoUpSLP::ScheduleData &SD) {
3211     SD.dump(os);
3212     return os;
3213   }
3214 #endif
3215 
3216   friend struct GraphTraits<BoUpSLP *>;
3217   friend struct DOTGraphTraits<BoUpSLP *>;
3218 
3219   /// Contains all scheduling data for a basic block.
3220   /// It does not schedules instructions, which are not memory read/write
3221   /// instructions and their operands are either constants, or arguments, or
3222   /// phis, or instructions from others blocks, or their users are phis or from
3223   /// the other blocks. The resulting vector instructions can be placed at the
3224   /// beginning of the basic block without scheduling (if operands does not need
3225   /// to be scheduled) or at the end of the block (if users are outside of the
3226   /// block). It allows to save some compile time and memory used by the
3227   /// compiler.
3228   /// ScheduleData is assigned for each instruction in between the boundaries of
3229   /// the tree entry, even for those, which are not part of the graph. It is
3230   /// required to correctly follow the dependencies between the instructions and
3231   /// their correct scheduling. The ScheduleData is not allocated for the
3232   /// instructions, which do not require scheduling, like phis, nodes with
3233   /// extractelements/insertelements only or nodes with instructions, with
3234   /// uses/operands outside of the block.
3235   struct BlockScheduling {
3236     BlockScheduling(BasicBlock *BB)
3237         : BB(BB), ChunkSize(BB->size()), ChunkPos(ChunkSize) {}
3238 
3239     void clear() {
3240       ReadyInsts.clear();
3241       ScheduleStart = nullptr;
3242       ScheduleEnd = nullptr;
3243       FirstLoadStoreInRegion = nullptr;
3244       LastLoadStoreInRegion = nullptr;
3245       RegionHasStackSave = false;
3246 
3247       // Reduce the maximum schedule region size by the size of the
3248       // previous scheduling run.
3249       ScheduleRegionSizeLimit -= ScheduleRegionSize;
3250       if (ScheduleRegionSizeLimit < MinScheduleRegionSize)
3251         ScheduleRegionSizeLimit = MinScheduleRegionSize;
3252       ScheduleRegionSize = 0;
3253 
3254       // Make a new scheduling region, i.e. all existing ScheduleData is not
3255       // in the new region yet.
3256       ++SchedulingRegionID;
3257     }
3258 
3259     ScheduleData *getScheduleData(Instruction *I) {
3260       if (BB != I->getParent())
3261         // Avoid lookup if can't possibly be in map.
3262         return nullptr;
3263       ScheduleData *SD = ScheduleDataMap.lookup(I);
3264       if (SD && isInSchedulingRegion(SD))
3265         return SD;
3266       return nullptr;
3267     }
3268 
3269     ScheduleData *getScheduleData(Value *V) {
3270       if (auto *I = dyn_cast<Instruction>(V))
3271         return getScheduleData(I);
3272       return nullptr;
3273     }
3274 
3275     ScheduleData *getScheduleData(Value *V, Value *Key) {
3276       if (V == Key)
3277         return getScheduleData(V);
3278       auto I = ExtraScheduleDataMap.find(V);
3279       if (I != ExtraScheduleDataMap.end()) {
3280         ScheduleData *SD = I->second.lookup(Key);
3281         if (SD && isInSchedulingRegion(SD))
3282           return SD;
3283       }
3284       return nullptr;
3285     }
3286 
3287     bool isInSchedulingRegion(ScheduleData *SD) const {
3288       return SD->SchedulingRegionID == SchedulingRegionID;
3289     }
3290 
3291     /// Marks an instruction as scheduled and puts all dependent ready
3292     /// instructions into the ready-list.
3293     template <typename ReadyListType>
3294     void schedule(ScheduleData *SD, ReadyListType &ReadyList) {
3295       SD->IsScheduled = true;
3296       LLVM_DEBUG(dbgs() << "SLP:   schedule " << *SD << "\n");
3297 
3298       for (ScheduleData *BundleMember = SD; BundleMember;
3299            BundleMember = BundleMember->NextInBundle) {
3300         if (BundleMember->Inst != BundleMember->OpValue)
3301           continue;
3302 
3303         // Handle the def-use chain dependencies.
3304 
3305         // Decrement the unscheduled counter and insert to ready list if ready.
3306         auto &&DecrUnsched = [this, &ReadyList](Instruction *I) {
3307           doForAllOpcodes(I, [&ReadyList](ScheduleData *OpDef) {
3308             if (OpDef && OpDef->hasValidDependencies() &&
3309                 OpDef->incrementUnscheduledDeps(-1) == 0) {
3310               // There are no more unscheduled dependencies after
3311               // decrementing, so we can put the dependent instruction
3312               // into the ready list.
3313               ScheduleData *DepBundle = OpDef->FirstInBundle;
3314               assert(!DepBundle->IsScheduled &&
3315                      "already scheduled bundle gets ready");
3316               ReadyList.insert(DepBundle);
3317               LLVM_DEBUG(dbgs()
3318                          << "SLP:    gets ready (def): " << *DepBundle << "\n");
3319             }
3320           });
3321         };
3322 
3323         // If BundleMember is a vector bundle, its operands may have been
3324         // reordered during buildTree(). We therefore need to get its operands
3325         // through the TreeEntry.
3326         if (TreeEntry *TE = BundleMember->TE) {
3327           // Need to search for the lane since the tree entry can be reordered.
3328           int Lane = std::distance(TE->Scalars.begin(),
3329                                    find(TE->Scalars, BundleMember->Inst));
3330           assert(Lane >= 0 && "Lane not set");
3331 
3332           // Since vectorization tree is being built recursively this assertion
3333           // ensures that the tree entry has all operands set before reaching
3334           // this code. Couple of exceptions known at the moment are extracts
3335           // where their second (immediate) operand is not added. Since
3336           // immediates do not affect scheduler behavior this is considered
3337           // okay.
3338           auto *In = BundleMember->Inst;
3339           assert(In &&
3340                  (isa<ExtractValueInst, ExtractElementInst>(In) ||
3341                   In->getNumOperands() == TE->getNumOperands()) &&
3342                  "Missed TreeEntry operands?");
3343           (void)In; // fake use to avoid build failure when assertions disabled
3344 
3345           for (unsigned OpIdx = 0, NumOperands = TE->getNumOperands();
3346                OpIdx != NumOperands; ++OpIdx)
3347             if (auto *I = dyn_cast<Instruction>(TE->getOperand(OpIdx)[Lane]))
3348               DecrUnsched(I);
3349         } else {
3350           // If BundleMember is a stand-alone instruction, no operand reordering
3351           // has taken place, so we directly access its operands.
3352           for (Use &U : BundleMember->Inst->operands())
3353             if (auto *I = dyn_cast<Instruction>(U.get()))
3354               DecrUnsched(I);
3355         }
3356         // Handle the memory dependencies.
3357         for (ScheduleData *MemoryDepSD : BundleMember->MemoryDependencies) {
3358           if (MemoryDepSD->hasValidDependencies() &&
3359               MemoryDepSD->incrementUnscheduledDeps(-1) == 0) {
3360             // There are no more unscheduled dependencies after decrementing,
3361             // so we can put the dependent instruction into the ready list.
3362             ScheduleData *DepBundle = MemoryDepSD->FirstInBundle;
3363             assert(!DepBundle->IsScheduled &&
3364                    "already scheduled bundle gets ready");
3365             ReadyList.insert(DepBundle);
3366             LLVM_DEBUG(dbgs()
3367                        << "SLP:    gets ready (mem): " << *DepBundle << "\n");
3368           }
3369         }
3370         // Handle the control dependencies.
3371         for (ScheduleData *DepSD : BundleMember->ControlDependencies) {
3372           if (DepSD->incrementUnscheduledDeps(-1) == 0) {
3373             // There are no more unscheduled dependencies after decrementing,
3374             // so we can put the dependent instruction into the ready list.
3375             ScheduleData *DepBundle = DepSD->FirstInBundle;
3376             assert(!DepBundle->IsScheduled &&
3377                    "already scheduled bundle gets ready");
3378             ReadyList.insert(DepBundle);
3379             LLVM_DEBUG(dbgs()
3380                        << "SLP:    gets ready (ctl): " << *DepBundle << "\n");
3381           }
3382         }
3383       }
3384     }
3385 
3386     /// Verify basic self consistency properties of the data structure.
3387     void verify() {
3388       if (!ScheduleStart)
3389         return;
3390 
3391       assert(ScheduleStart->getParent() == ScheduleEnd->getParent() &&
3392              ScheduleStart->comesBefore(ScheduleEnd) &&
3393              "Not a valid scheduling region?");
3394 
3395       for (auto *I = ScheduleStart; I != ScheduleEnd; I = I->getNextNode()) {
3396         auto *SD = getScheduleData(I);
3397         if (!SD)
3398           continue;
3399         assert(isInSchedulingRegion(SD) &&
3400                "primary schedule data not in window?");
3401         assert(isInSchedulingRegion(SD->FirstInBundle) &&
3402                "entire bundle in window!");
3403         (void)SD;
3404         doForAllOpcodes(I, [](ScheduleData *SD) { SD->verify(); });
3405       }
3406 
3407       for (auto *SD : ReadyInsts) {
3408         assert(SD->isSchedulingEntity() && SD->isReady() &&
3409                "item in ready list not ready?");
3410         (void)SD;
3411       }
3412     }
3413 
3414     void doForAllOpcodes(Value *V,
3415                          function_ref<void(ScheduleData *SD)> Action) {
3416       if (ScheduleData *SD = getScheduleData(V))
3417         Action(SD);
3418       auto I = ExtraScheduleDataMap.find(V);
3419       if (I != ExtraScheduleDataMap.end())
3420         for (auto &P : I->second)
3421           if (isInSchedulingRegion(P.second))
3422             Action(P.second);
3423     }
3424 
3425     /// Put all instructions into the ReadyList which are ready for scheduling.
3426     template <typename ReadyListType>
3427     void initialFillReadyList(ReadyListType &ReadyList) {
3428       for (auto *I = ScheduleStart; I != ScheduleEnd; I = I->getNextNode()) {
3429         doForAllOpcodes(I, [&](ScheduleData *SD) {
3430           if (SD->isSchedulingEntity() && SD->hasValidDependencies() &&
3431               SD->isReady()) {
3432             ReadyList.insert(SD);
3433             LLVM_DEBUG(dbgs()
3434                        << "SLP:    initially in ready list: " << *SD << "\n");
3435           }
3436         });
3437       }
3438     }
3439 
3440     /// Build a bundle from the ScheduleData nodes corresponding to the
3441     /// scalar instruction for each lane.
3442     ScheduleData *buildBundle(ArrayRef<Value *> VL);
3443 
3444     /// Checks if a bundle of instructions can be scheduled, i.e. has no
3445     /// cyclic dependencies. This is only a dry-run, no instructions are
3446     /// actually moved at this stage.
3447     /// \returns the scheduling bundle. The returned Optional value is not
3448     /// std::nullopt if \p VL is allowed to be scheduled.
3449     std::optional<ScheduleData *>
3450     tryScheduleBundle(ArrayRef<Value *> VL, BoUpSLP *SLP,
3451                       const InstructionsState &S);
3452 
3453     /// Un-bundles a group of instructions.
3454     void cancelScheduling(ArrayRef<Value *> VL, Value *OpValue);
3455 
3456     /// Allocates schedule data chunk.
3457     ScheduleData *allocateScheduleDataChunks();
3458 
3459     /// Extends the scheduling region so that V is inside the region.
3460     /// \returns true if the region size is within the limit.
3461     bool extendSchedulingRegion(Value *V, const InstructionsState &S);
3462 
3463     /// Initialize the ScheduleData structures for new instructions in the
3464     /// scheduling region.
3465     void initScheduleData(Instruction *FromI, Instruction *ToI,
3466                           ScheduleData *PrevLoadStore,
3467                           ScheduleData *NextLoadStore);
3468 
3469     /// Updates the dependency information of a bundle and of all instructions/
3470     /// bundles which depend on the original bundle.
3471     void calculateDependencies(ScheduleData *SD, bool InsertInReadyList,
3472                                BoUpSLP *SLP);
3473 
3474     /// Sets all instruction in the scheduling region to un-scheduled.
3475     void resetSchedule();
3476 
3477     BasicBlock *BB;
3478 
3479     /// Simple memory allocation for ScheduleData.
3480     SmallVector<std::unique_ptr<ScheduleData[]>> ScheduleDataChunks;
3481 
3482     /// The size of a ScheduleData array in ScheduleDataChunks.
3483     int ChunkSize;
3484 
3485     /// The allocator position in the current chunk, which is the last entry
3486     /// of ScheduleDataChunks.
3487     int ChunkPos;
3488 
3489     /// Attaches ScheduleData to Instruction.
3490     /// Note that the mapping survives during all vectorization iterations, i.e.
3491     /// ScheduleData structures are recycled.
3492     DenseMap<Instruction *, ScheduleData *> ScheduleDataMap;
3493 
3494     /// Attaches ScheduleData to Instruction with the leading key.
3495     DenseMap<Value *, SmallDenseMap<Value *, ScheduleData *>>
3496         ExtraScheduleDataMap;
3497 
3498     /// The ready-list for scheduling (only used for the dry-run).
3499     SetVector<ScheduleData *> ReadyInsts;
3500 
3501     /// The first instruction of the scheduling region.
3502     Instruction *ScheduleStart = nullptr;
3503 
3504     /// The first instruction _after_ the scheduling region.
3505     Instruction *ScheduleEnd = nullptr;
3506 
3507     /// The first memory accessing instruction in the scheduling region
3508     /// (can be null).
3509     ScheduleData *FirstLoadStoreInRegion = nullptr;
3510 
3511     /// The last memory accessing instruction in the scheduling region
3512     /// (can be null).
3513     ScheduleData *LastLoadStoreInRegion = nullptr;
3514 
3515     /// Is there an llvm.stacksave or llvm.stackrestore in the scheduling
3516     /// region?  Used to optimize the dependence calculation for the
3517     /// common case where there isn't.
3518     bool RegionHasStackSave = false;
3519 
3520     /// The current size of the scheduling region.
3521     int ScheduleRegionSize = 0;
3522 
3523     /// The maximum size allowed for the scheduling region.
3524     int ScheduleRegionSizeLimit = ScheduleRegionSizeBudget;
3525 
3526     /// The ID of the scheduling region. For a new vectorization iteration this
3527     /// is incremented which "removes" all ScheduleData from the region.
3528     /// Make sure that the initial SchedulingRegionID is greater than the
3529     /// initial SchedulingRegionID in ScheduleData (which is 0).
3530     int SchedulingRegionID = 1;
3531   };
3532 
3533   /// Attaches the BlockScheduling structures to basic blocks.
3534   MapVector<BasicBlock *, std::unique_ptr<BlockScheduling>> BlocksSchedules;
3535 
3536   /// Performs the "real" scheduling. Done before vectorization is actually
3537   /// performed in a basic block.
3538   void scheduleBlock(BlockScheduling *BS);
3539 
3540   /// List of users to ignore during scheduling and that don't need extracting.
3541   const SmallDenseSet<Value *> *UserIgnoreList = nullptr;
3542 
3543   /// A DenseMapInfo implementation for holding DenseMaps and DenseSets of
3544   /// sorted SmallVectors of unsigned.
3545   struct OrdersTypeDenseMapInfo {
3546     static OrdersType getEmptyKey() {
3547       OrdersType V;
3548       V.push_back(~1U);
3549       return V;
3550     }
3551 
3552     static OrdersType getTombstoneKey() {
3553       OrdersType V;
3554       V.push_back(~2U);
3555       return V;
3556     }
3557 
3558     static unsigned getHashValue(const OrdersType &V) {
3559       return static_cast<unsigned>(hash_combine_range(V.begin(), V.end()));
3560     }
3561 
3562     static bool isEqual(const OrdersType &LHS, const OrdersType &RHS) {
3563       return LHS == RHS;
3564     }
3565   };
3566 
3567   // Analysis and block reference.
3568   Function *F;
3569   ScalarEvolution *SE;
3570   TargetTransformInfo *TTI;
3571   TargetLibraryInfo *TLI;
3572   LoopInfo *LI;
3573   DominatorTree *DT;
3574   AssumptionCache *AC;
3575   DemandedBits *DB;
3576   const DataLayout *DL;
3577   OptimizationRemarkEmitter *ORE;
3578 
3579   unsigned MaxVecRegSize; // This is set by TTI or overridden by cl::opt.
3580   unsigned MinVecRegSize; // Set by cl::opt (default: 128).
3581 
3582   /// Instruction builder to construct the vectorized tree.
3583   IRBuilder<> Builder;
3584 
3585   /// A map of scalar integer values to the smallest bit width with which they
3586   /// can legally be represented. The values map to (width, signed) pairs,
3587   /// where "width" indicates the minimum bit width and "signed" is True if the
3588   /// value must be signed-extended, rather than zero-extended, back to its
3589   /// original width.
3590   DenseMap<const TreeEntry *, std::pair<uint64_t, bool>> MinBWs;
3591 };
3592 
3593 } // end namespace slpvectorizer
3594 
3595 template <> struct GraphTraits<BoUpSLP *> {
3596   using TreeEntry = BoUpSLP::TreeEntry;
3597 
3598   /// NodeRef has to be a pointer per the GraphWriter.
3599   using NodeRef = TreeEntry *;
3600 
3601   using ContainerTy = BoUpSLP::TreeEntry::VecTreeTy;
3602 
3603   /// Add the VectorizableTree to the index iterator to be able to return
3604   /// TreeEntry pointers.
3605   struct ChildIteratorType
3606       : public iterator_adaptor_base<
3607             ChildIteratorType, SmallVector<BoUpSLP::EdgeInfo, 1>::iterator> {
3608     ContainerTy &VectorizableTree;
3609 
3610     ChildIteratorType(SmallVector<BoUpSLP::EdgeInfo, 1>::iterator W,
3611                       ContainerTy &VT)
3612         : ChildIteratorType::iterator_adaptor_base(W), VectorizableTree(VT) {}
3613 
3614     NodeRef operator*() { return I->UserTE; }
3615   };
3616 
3617   static NodeRef getEntryNode(BoUpSLP &R) {
3618     return R.VectorizableTree[0].get();
3619   }
3620 
3621   static ChildIteratorType child_begin(NodeRef N) {
3622     return {N->UserTreeIndices.begin(), N->Container};
3623   }
3624 
3625   static ChildIteratorType child_end(NodeRef N) {
3626     return {N->UserTreeIndices.end(), N->Container};
3627   }
3628 
3629   /// For the node iterator we just need to turn the TreeEntry iterator into a
3630   /// TreeEntry* iterator so that it dereferences to NodeRef.
3631   class nodes_iterator {
3632     using ItTy = ContainerTy::iterator;
3633     ItTy It;
3634 
3635   public:
3636     nodes_iterator(const ItTy &It2) : It(It2) {}
3637     NodeRef operator*() { return It->get(); }
3638     nodes_iterator operator++() {
3639       ++It;
3640       return *this;
3641     }
3642     bool operator!=(const nodes_iterator &N2) const { return N2.It != It; }
3643   };
3644 
3645   static nodes_iterator nodes_begin(BoUpSLP *R) {
3646     return nodes_iterator(R->VectorizableTree.begin());
3647   }
3648 
3649   static nodes_iterator nodes_end(BoUpSLP *R) {
3650     return nodes_iterator(R->VectorizableTree.end());
3651   }
3652 
3653   static unsigned size(BoUpSLP *R) { return R->VectorizableTree.size(); }
3654 };
3655 
3656 template <> struct DOTGraphTraits<BoUpSLP *> : public DefaultDOTGraphTraits {
3657   using TreeEntry = BoUpSLP::TreeEntry;
3658 
3659   DOTGraphTraits(bool IsSimple = false) : DefaultDOTGraphTraits(IsSimple) {}
3660 
3661   std::string getNodeLabel(const TreeEntry *Entry, const BoUpSLP *R) {
3662     std::string Str;
3663     raw_string_ostream OS(Str);
3664     OS << Entry->Idx << ".\n";
3665     if (isSplat(Entry->Scalars))
3666       OS << "<splat> ";
3667     for (auto *V : Entry->Scalars) {
3668       OS << *V;
3669       if (llvm::any_of(R->ExternalUses, [&](const BoUpSLP::ExternalUser &EU) {
3670             return EU.Scalar == V;
3671           }))
3672         OS << " <extract>";
3673       OS << "\n";
3674     }
3675     return Str;
3676   }
3677 
3678   static std::string getNodeAttributes(const TreeEntry *Entry,
3679                                        const BoUpSLP *) {
3680     if (Entry->State == TreeEntry::NeedToGather)
3681       return "color=red";
3682     if (Entry->State == TreeEntry::ScatterVectorize ||
3683         Entry->State == TreeEntry::PossibleStridedVectorize)
3684       return "color=blue";
3685     return "";
3686   }
3687 };
3688 
3689 } // end namespace llvm
3690 
3691 BoUpSLP::~BoUpSLP() {
3692   SmallVector<WeakTrackingVH> DeadInsts;
3693   for (auto *I : DeletedInstructions) {
3694     for (Use &U : I->operands()) {
3695       auto *Op = dyn_cast<Instruction>(U.get());
3696       if (Op && !DeletedInstructions.count(Op) && Op->hasOneUser() &&
3697           wouldInstructionBeTriviallyDead(Op, TLI))
3698         DeadInsts.emplace_back(Op);
3699     }
3700     I->dropAllReferences();
3701   }
3702   for (auto *I : DeletedInstructions) {
3703     assert(I->use_empty() &&
3704            "trying to erase instruction with users.");
3705     I->eraseFromParent();
3706   }
3707 
3708   // Cleanup any dead scalar code feeding the vectorized instructions
3709   RecursivelyDeleteTriviallyDeadInstructions(DeadInsts, TLI);
3710 
3711 #ifdef EXPENSIVE_CHECKS
3712   // If we could guarantee that this call is not extremely slow, we could
3713   // remove the ifdef limitation (see PR47712).
3714   assert(!verifyFunction(*F, &dbgs()));
3715 #endif
3716 }
3717 
3718 /// Reorders the given \p Reuses mask according to the given \p Mask. \p Reuses
3719 /// contains original mask for the scalars reused in the node. Procedure
3720 /// transform this mask in accordance with the given \p Mask.
3721 static void reorderReuses(SmallVectorImpl<int> &Reuses, ArrayRef<int> Mask) {
3722   assert(!Mask.empty() && Reuses.size() == Mask.size() &&
3723          "Expected non-empty mask.");
3724   SmallVector<int> Prev(Reuses.begin(), Reuses.end());
3725   Prev.swap(Reuses);
3726   for (unsigned I = 0, E = Prev.size(); I < E; ++I)
3727     if (Mask[I] != PoisonMaskElem)
3728       Reuses[Mask[I]] = Prev[I];
3729 }
3730 
3731 /// Reorders the given \p Order according to the given \p Mask. \p Order - is
3732 /// the original order of the scalars. Procedure transforms the provided order
3733 /// in accordance with the given \p Mask. If the resulting \p Order is just an
3734 /// identity order, \p Order is cleared.
3735 static void reorderOrder(SmallVectorImpl<unsigned> &Order, ArrayRef<int> Mask) {
3736   assert(!Mask.empty() && "Expected non-empty mask.");
3737   SmallVector<int> MaskOrder;
3738   if (Order.empty()) {
3739     MaskOrder.resize(Mask.size());
3740     std::iota(MaskOrder.begin(), MaskOrder.end(), 0);
3741   } else {
3742     inversePermutation(Order, MaskOrder);
3743   }
3744   reorderReuses(MaskOrder, Mask);
3745   if (ShuffleVectorInst::isIdentityMask(MaskOrder, MaskOrder.size())) {
3746     Order.clear();
3747     return;
3748   }
3749   Order.assign(Mask.size(), Mask.size());
3750   for (unsigned I = 0, E = Mask.size(); I < E; ++I)
3751     if (MaskOrder[I] != PoisonMaskElem)
3752       Order[MaskOrder[I]] = I;
3753   fixupOrderingIndices(Order);
3754 }
3755 
3756 std::optional<BoUpSLP::OrdersType>
3757 BoUpSLP::findReusedOrderedScalars(const BoUpSLP::TreeEntry &TE) {
3758   assert(TE.State == TreeEntry::NeedToGather && "Expected gather node only.");
3759   unsigned NumScalars = TE.Scalars.size();
3760   OrdersType CurrentOrder(NumScalars, NumScalars);
3761   SmallVector<int> Positions;
3762   SmallBitVector UsedPositions(NumScalars);
3763   const TreeEntry *STE = nullptr;
3764   // Try to find all gathered scalars that are gets vectorized in other
3765   // vectorize node. Here we can have only one single tree vector node to
3766   // correctly identify order of the gathered scalars.
3767   for (unsigned I = 0; I < NumScalars; ++I) {
3768     Value *V = TE.Scalars[I];
3769     if (!isa<LoadInst, ExtractElementInst, ExtractValueInst>(V))
3770       continue;
3771     if (const auto *LocalSTE = getTreeEntry(V)) {
3772       if (!STE)
3773         STE = LocalSTE;
3774       else if (STE != LocalSTE)
3775         // Take the order only from the single vector node.
3776         return std::nullopt;
3777       unsigned Lane =
3778           std::distance(STE->Scalars.begin(), find(STE->Scalars, V));
3779       if (Lane >= NumScalars)
3780         return std::nullopt;
3781       if (CurrentOrder[Lane] != NumScalars) {
3782         if (Lane != I)
3783           continue;
3784         UsedPositions.reset(CurrentOrder[Lane]);
3785       }
3786       // The partial identity (where only some elements of the gather node are
3787       // in the identity order) is good.
3788       CurrentOrder[Lane] = I;
3789       UsedPositions.set(I);
3790     }
3791   }
3792   // Need to keep the order if we have a vector entry and at least 2 scalars or
3793   // the vectorized entry has just 2 scalars.
3794   if (STE && (UsedPositions.count() > 1 || STE->Scalars.size() == 2)) {
3795     auto &&IsIdentityOrder = [NumScalars](ArrayRef<unsigned> CurrentOrder) {
3796       for (unsigned I = 0; I < NumScalars; ++I)
3797         if (CurrentOrder[I] != I && CurrentOrder[I] != NumScalars)
3798           return false;
3799       return true;
3800     };
3801     if (IsIdentityOrder(CurrentOrder))
3802       return OrdersType();
3803     auto *It = CurrentOrder.begin();
3804     for (unsigned I = 0; I < NumScalars;) {
3805       if (UsedPositions.test(I)) {
3806         ++I;
3807         continue;
3808       }
3809       if (*It == NumScalars) {
3810         *It = I;
3811         ++I;
3812       }
3813       ++It;
3814     }
3815     return std::move(CurrentOrder);
3816   }
3817   return std::nullopt;
3818 }
3819 
3820 namespace {
3821 /// Tracks the state we can represent the loads in the given sequence.
3822 enum class LoadsState {
3823   Gather,
3824   Vectorize,
3825   ScatterVectorize,
3826   PossibleStridedVectorize
3827 };
3828 } // anonymous namespace
3829 
3830 static bool arePointersCompatible(Value *Ptr1, Value *Ptr2,
3831                                   const TargetLibraryInfo &TLI,
3832                                   bool CompareOpcodes = true) {
3833   if (getUnderlyingObject(Ptr1) != getUnderlyingObject(Ptr2))
3834     return false;
3835   auto *GEP1 = dyn_cast<GetElementPtrInst>(Ptr1);
3836   if (!GEP1)
3837     return false;
3838   auto *GEP2 = dyn_cast<GetElementPtrInst>(Ptr2);
3839   if (!GEP2)
3840     return false;
3841   return GEP1->getNumOperands() == 2 && GEP2->getNumOperands() == 2 &&
3842          ((isConstant(GEP1->getOperand(1)) &&
3843            isConstant(GEP2->getOperand(1))) ||
3844           !CompareOpcodes ||
3845           getSameOpcode({GEP1->getOperand(1), GEP2->getOperand(1)}, TLI)
3846               .getOpcode());
3847 }
3848 
3849 /// Checks if the given array of loads can be represented as a vectorized,
3850 /// scatter or just simple gather.
3851 static LoadsState canVectorizeLoads(ArrayRef<Value *> VL, const Value *VL0,
3852                                     const TargetTransformInfo &TTI,
3853                                     const DataLayout &DL, ScalarEvolution &SE,
3854                                     LoopInfo &LI, const TargetLibraryInfo &TLI,
3855                                     SmallVectorImpl<unsigned> &Order,
3856                                     SmallVectorImpl<Value *> &PointerOps) {
3857   // Check that a vectorized load would load the same memory as a scalar
3858   // load. For example, we don't want to vectorize loads that are smaller
3859   // than 8-bit. Even though we have a packed struct {<i2, i2, i2, i2>} LLVM
3860   // treats loading/storing it as an i8 struct. If we vectorize loads/stores
3861   // from such a struct, we read/write packed bits disagreeing with the
3862   // unvectorized version.
3863   Type *ScalarTy = VL0->getType();
3864 
3865   if (DL.getTypeSizeInBits(ScalarTy) != DL.getTypeAllocSizeInBits(ScalarTy))
3866     return LoadsState::Gather;
3867 
3868   // Make sure all loads in the bundle are simple - we can't vectorize
3869   // atomic or volatile loads.
3870   PointerOps.clear();
3871   PointerOps.resize(VL.size());
3872   auto *POIter = PointerOps.begin();
3873   for (Value *V : VL) {
3874     auto *L = cast<LoadInst>(V);
3875     if (!L->isSimple())
3876       return LoadsState::Gather;
3877     *POIter = L->getPointerOperand();
3878     ++POIter;
3879   }
3880 
3881   Order.clear();
3882   // Check the order of pointer operands or that all pointers are the same.
3883   bool IsSorted = sortPtrAccesses(PointerOps, ScalarTy, DL, SE, Order);
3884   if (IsSorted || all_of(PointerOps, [&](Value *P) {
3885         return arePointersCompatible(P, PointerOps.front(), TLI);
3886       })) {
3887     bool IsPossibleStrided = false;
3888     if (IsSorted) {
3889       Value *Ptr0;
3890       Value *PtrN;
3891       if (Order.empty()) {
3892         Ptr0 = PointerOps.front();
3893         PtrN = PointerOps.back();
3894       } else {
3895         Ptr0 = PointerOps[Order.front()];
3896         PtrN = PointerOps[Order.back()];
3897       }
3898       std::optional<int> Diff =
3899           getPointersDiff(ScalarTy, Ptr0, ScalarTy, PtrN, DL, SE);
3900       // Check that the sorted loads are consecutive.
3901       if (static_cast<unsigned>(*Diff) == VL.size() - 1)
3902         return LoadsState::Vectorize;
3903       // Simple check if not a strided access - clear order.
3904       IsPossibleStrided = *Diff % (VL.size() - 1) == 0;
3905     }
3906     // TODO: need to improve analysis of the pointers, if not all of them are
3907     // GEPs or have > 2 operands, we end up with a gather node, which just
3908     // increases the cost.
3909     Loop *L = LI.getLoopFor(cast<LoadInst>(VL0)->getParent());
3910     bool ProfitableGatherPointers =
3911         static_cast<unsigned>(count_if(PointerOps, [L](Value *V) {
3912           return L && L->isLoopInvariant(V);
3913         })) <= VL.size() / 2 && VL.size() > 2;
3914     if (ProfitableGatherPointers || all_of(PointerOps, [IsSorted](Value *P) {
3915           auto *GEP = dyn_cast<GetElementPtrInst>(P);
3916           return (IsSorted && !GEP && doesNotNeedToBeScheduled(P)) ||
3917                  (GEP && GEP->getNumOperands() == 2);
3918         })) {
3919       Align CommonAlignment = cast<LoadInst>(VL0)->getAlign();
3920       for (Value *V : VL)
3921         CommonAlignment =
3922             std::min(CommonAlignment, cast<LoadInst>(V)->getAlign());
3923       auto *VecTy = FixedVectorType::get(ScalarTy, VL.size());
3924       if (TTI.isLegalMaskedGather(VecTy, CommonAlignment) &&
3925           !TTI.forceScalarizeMaskedGather(VecTy, CommonAlignment))
3926         return IsPossibleStrided ? LoadsState::PossibleStridedVectorize
3927                                  : LoadsState::ScatterVectorize;
3928     }
3929   }
3930 
3931   return LoadsState::Gather;
3932 }
3933 
3934 static bool clusterSortPtrAccesses(ArrayRef<Value *> VL, Type *ElemTy,
3935                                    const DataLayout &DL, ScalarEvolution &SE,
3936                                    SmallVectorImpl<unsigned> &SortedIndices) {
3937   assert(llvm::all_of(
3938              VL, [](const Value *V) { return V->getType()->isPointerTy(); }) &&
3939          "Expected list of pointer operands.");
3940   // Map from bases to a vector of (Ptr, Offset, OrigIdx), which we insert each
3941   // Ptr into, sort and return the sorted indices with values next to one
3942   // another.
3943   MapVector<Value *, SmallVector<std::tuple<Value *, int, unsigned>>> Bases;
3944   Bases[VL[0]].push_back(std::make_tuple(VL[0], 0U, 0U));
3945 
3946   unsigned Cnt = 1;
3947   for (Value *Ptr : VL.drop_front()) {
3948     bool Found = any_of(Bases, [&](auto &Base) {
3949       std::optional<int> Diff =
3950           getPointersDiff(ElemTy, Base.first, ElemTy, Ptr, DL, SE,
3951                           /*StrictCheck=*/true);
3952       if (!Diff)
3953         return false;
3954 
3955       Base.second.emplace_back(Ptr, *Diff, Cnt++);
3956       return true;
3957     });
3958 
3959     if (!Found) {
3960       // If we haven't found enough to usefully cluster, return early.
3961       if (Bases.size() > VL.size() / 2 - 1)
3962         return false;
3963 
3964       // Not found already - add a new Base
3965       Bases[Ptr].emplace_back(Ptr, 0, Cnt++);
3966     }
3967   }
3968 
3969   // For each of the bases sort the pointers by Offset and check if any of the
3970   // base become consecutively allocated.
3971   bool AnyConsecutive = false;
3972   for (auto &Base : Bases) {
3973     auto &Vec = Base.second;
3974     if (Vec.size() > 1) {
3975       llvm::stable_sort(Vec, [](const std::tuple<Value *, int, unsigned> &X,
3976                                 const std::tuple<Value *, int, unsigned> &Y) {
3977         return std::get<1>(X) < std::get<1>(Y);
3978       });
3979       int InitialOffset = std::get<1>(Vec[0]);
3980       AnyConsecutive |= all_of(enumerate(Vec), [InitialOffset](const auto &P) {
3981         return std::get<1>(P.value()) == int(P.index()) + InitialOffset;
3982       });
3983     }
3984   }
3985 
3986   // Fill SortedIndices array only if it looks worth-while to sort the ptrs.
3987   SortedIndices.clear();
3988   if (!AnyConsecutive)
3989     return false;
3990 
3991   for (auto &Base : Bases) {
3992     for (auto &T : Base.second)
3993       SortedIndices.push_back(std::get<2>(T));
3994   }
3995 
3996   assert(SortedIndices.size() == VL.size() &&
3997          "Expected SortedIndices to be the size of VL");
3998   return true;
3999 }
4000 
4001 std::optional<BoUpSLP::OrdersType>
4002 BoUpSLP::findPartiallyOrderedLoads(const BoUpSLP::TreeEntry &TE) {
4003   assert(TE.State == TreeEntry::NeedToGather && "Expected gather node only.");
4004   Type *ScalarTy = TE.Scalars[0]->getType();
4005 
4006   SmallVector<Value *> Ptrs;
4007   Ptrs.reserve(TE.Scalars.size());
4008   for (Value *V : TE.Scalars) {
4009     auto *L = dyn_cast<LoadInst>(V);
4010     if (!L || !L->isSimple())
4011       return std::nullopt;
4012     Ptrs.push_back(L->getPointerOperand());
4013   }
4014 
4015   BoUpSLP::OrdersType Order;
4016   if (clusterSortPtrAccesses(Ptrs, ScalarTy, *DL, *SE, Order))
4017     return std::move(Order);
4018   return std::nullopt;
4019 }
4020 
4021 /// Check if two insertelement instructions are from the same buildvector.
4022 static bool areTwoInsertFromSameBuildVector(
4023     InsertElementInst *VU, InsertElementInst *V,
4024     function_ref<Value *(InsertElementInst *)> GetBaseOperand) {
4025   // Instructions must be from the same basic blocks.
4026   if (VU->getParent() != V->getParent())
4027     return false;
4028   // Checks if 2 insertelements are from the same buildvector.
4029   if (VU->getType() != V->getType())
4030     return false;
4031   // Multiple used inserts are separate nodes.
4032   if (!VU->hasOneUse() && !V->hasOneUse())
4033     return false;
4034   auto *IE1 = VU;
4035   auto *IE2 = V;
4036   std::optional<unsigned> Idx1 = getInsertIndex(IE1);
4037   std::optional<unsigned> Idx2 = getInsertIndex(IE2);
4038   if (Idx1 == std::nullopt || Idx2 == std::nullopt)
4039     return false;
4040   // Go through the vector operand of insertelement instructions trying to find
4041   // either VU as the original vector for IE2 or V as the original vector for
4042   // IE1.
4043   SmallBitVector ReusedIdx(
4044       cast<VectorType>(VU->getType())->getElementCount().getKnownMinValue());
4045   bool IsReusedIdx = false;
4046   do {
4047     if (IE2 == VU && !IE1)
4048       return VU->hasOneUse();
4049     if (IE1 == V && !IE2)
4050       return V->hasOneUse();
4051     if (IE1 && IE1 != V) {
4052       unsigned Idx1 = getInsertIndex(IE1).value_or(*Idx2);
4053       IsReusedIdx |= ReusedIdx.test(Idx1);
4054       ReusedIdx.set(Idx1);
4055       if ((IE1 != VU && !IE1->hasOneUse()) || IsReusedIdx)
4056         IE1 = nullptr;
4057       else
4058         IE1 = dyn_cast_or_null<InsertElementInst>(GetBaseOperand(IE1));
4059     }
4060     if (IE2 && IE2 != VU) {
4061       unsigned Idx2 = getInsertIndex(IE2).value_or(*Idx1);
4062       IsReusedIdx |= ReusedIdx.test(Idx2);
4063       ReusedIdx.set(Idx2);
4064       if ((IE2 != V && !IE2->hasOneUse()) || IsReusedIdx)
4065         IE2 = nullptr;
4066       else
4067         IE2 = dyn_cast_or_null<InsertElementInst>(GetBaseOperand(IE2));
4068     }
4069   } while (!IsReusedIdx && (IE1 || IE2));
4070   return false;
4071 }
4072 
4073 std::optional<BoUpSLP::OrdersType>
4074 BoUpSLP::getReorderingData(const TreeEntry &TE, bool TopToBottom) {
4075   // No need to reorder if need to shuffle reuses, still need to shuffle the
4076   // node.
4077   if (!TE.ReuseShuffleIndices.empty()) {
4078     // Check if reuse shuffle indices can be improved by reordering.
4079     // For this, check that reuse mask is "clustered", i.e. each scalar values
4080     // is used once in each submask of size <number_of_scalars>.
4081     // Example: 4 scalar values.
4082     // ReuseShuffleIndices mask: 0, 1, 2, 3, 3, 2, 0, 1 - clustered.
4083     //                           0, 1, 2, 3, 3, 3, 1, 0 - not clustered, because
4084     //                           element 3 is used twice in the second submask.
4085     unsigned Sz = TE.Scalars.size();
4086     if (!ShuffleVectorInst::isOneUseSingleSourceMask(TE.ReuseShuffleIndices,
4087                                                      Sz))
4088       return std::nullopt;
4089     unsigned VF = TE.getVectorFactor();
4090     // Try build correct order for extractelement instructions.
4091     SmallVector<int> ReusedMask(TE.ReuseShuffleIndices.begin(),
4092                                 TE.ReuseShuffleIndices.end());
4093     if (TE.getOpcode() == Instruction::ExtractElement && !TE.isAltShuffle() &&
4094         all_of(TE.Scalars, [Sz](Value *V) {
4095           std::optional<unsigned> Idx = getExtractIndex(cast<Instruction>(V));
4096           return Idx && *Idx < Sz;
4097         })) {
4098       SmallVector<int> ReorderMask(Sz, PoisonMaskElem);
4099       if (TE.ReorderIndices.empty())
4100         std::iota(ReorderMask.begin(), ReorderMask.end(), 0);
4101       else
4102         inversePermutation(TE.ReorderIndices, ReorderMask);
4103       for (unsigned I = 0; I < VF; ++I) {
4104         int &Idx = ReusedMask[I];
4105         if (Idx == PoisonMaskElem)
4106           continue;
4107         Value *V = TE.Scalars[ReorderMask[Idx]];
4108         std::optional<unsigned> EI = getExtractIndex(cast<Instruction>(V));
4109         Idx = std::distance(ReorderMask.begin(), find(ReorderMask, *EI));
4110       }
4111     }
4112     // Build the order of the VF size, need to reorder reuses shuffles, they are
4113     // always of VF size.
4114     OrdersType ResOrder(VF);
4115     std::iota(ResOrder.begin(), ResOrder.end(), 0);
4116     auto *It = ResOrder.begin();
4117     for (unsigned K = 0; K < VF; K += Sz) {
4118       OrdersType CurrentOrder(TE.ReorderIndices);
4119       SmallVector<int> SubMask{ArrayRef(ReusedMask).slice(K, Sz)};
4120       if (SubMask.front() == PoisonMaskElem)
4121         std::iota(SubMask.begin(), SubMask.end(), 0);
4122       reorderOrder(CurrentOrder, SubMask);
4123       transform(CurrentOrder, It, [K](unsigned Pos) { return Pos + K; });
4124       std::advance(It, Sz);
4125     }
4126     if (all_of(enumerate(ResOrder),
4127                [](const auto &Data) { return Data.index() == Data.value(); }))
4128       return std::nullopt; // No need to reorder.
4129     return std::move(ResOrder);
4130   }
4131   if ((TE.State == TreeEntry::Vectorize ||
4132        TE.State == TreeEntry::PossibleStridedVectorize) &&
4133       (isa<LoadInst, ExtractElementInst, ExtractValueInst>(TE.getMainOp()) ||
4134        (TopToBottom && isa<StoreInst, InsertElementInst>(TE.getMainOp()))) &&
4135       !TE.isAltShuffle())
4136     return TE.ReorderIndices;
4137   if (TE.State == TreeEntry::Vectorize && TE.getOpcode() == Instruction::PHI) {
4138     auto PHICompare = [&](unsigned I1, unsigned I2) {
4139       Value *V1 = TE.Scalars[I1];
4140       Value *V2 = TE.Scalars[I2];
4141       if (V1 == V2)
4142         return false;
4143       if (!V1->hasOneUse() || !V2->hasOneUse())
4144         return false;
4145       auto *FirstUserOfPhi1 = cast<Instruction>(*V1->user_begin());
4146       auto *FirstUserOfPhi2 = cast<Instruction>(*V2->user_begin());
4147       if (auto *IE1 = dyn_cast<InsertElementInst>(FirstUserOfPhi1))
4148         if (auto *IE2 = dyn_cast<InsertElementInst>(FirstUserOfPhi2)) {
4149           if (!areTwoInsertFromSameBuildVector(
4150                   IE1, IE2,
4151                   [](InsertElementInst *II) { return II->getOperand(0); }))
4152             return false;
4153           std::optional<unsigned> Idx1 = getInsertIndex(IE1);
4154           std::optional<unsigned> Idx2 = getInsertIndex(IE2);
4155           if (Idx1 == std::nullopt || Idx2 == std::nullopt)
4156             return false;
4157           return *Idx1 < *Idx2;
4158         }
4159       if (auto *EE1 = dyn_cast<ExtractElementInst>(FirstUserOfPhi1))
4160         if (auto *EE2 = dyn_cast<ExtractElementInst>(FirstUserOfPhi2)) {
4161           if (EE1->getOperand(0) != EE2->getOperand(0))
4162             return false;
4163           std::optional<unsigned> Idx1 = getExtractIndex(EE1);
4164           std::optional<unsigned> Idx2 = getExtractIndex(EE2);
4165           if (Idx1 == std::nullopt || Idx2 == std::nullopt)
4166             return false;
4167           return *Idx1 < *Idx2;
4168         }
4169       return false;
4170     };
4171     auto IsIdentityOrder = [](const OrdersType &Order) {
4172       for (unsigned Idx : seq<unsigned>(0, Order.size()))
4173         if (Idx != Order[Idx])
4174           return false;
4175       return true;
4176     };
4177     if (!TE.ReorderIndices.empty())
4178       return TE.ReorderIndices;
4179     DenseMap<unsigned, unsigned> PhiToId;
4180     SmallVector<unsigned> Phis(TE.Scalars.size());
4181     std::iota(Phis.begin(), Phis.end(), 0);
4182     OrdersType ResOrder(TE.Scalars.size());
4183     for (unsigned Id = 0, Sz = TE.Scalars.size(); Id < Sz; ++Id)
4184       PhiToId[Id] = Id;
4185     stable_sort(Phis, PHICompare);
4186     for (unsigned Id = 0, Sz = Phis.size(); Id < Sz; ++Id)
4187       ResOrder[Id] = PhiToId[Phis[Id]];
4188     if (IsIdentityOrder(ResOrder))
4189       return std::nullopt; // No need to reorder.
4190     return std::move(ResOrder);
4191   }
4192   if (TE.State == TreeEntry::NeedToGather) {
4193     // TODO: add analysis of other gather nodes with extractelement
4194     // instructions and other values/instructions, not only undefs.
4195     if (((TE.getOpcode() == Instruction::ExtractElement &&
4196           !TE.isAltShuffle()) ||
4197          (all_of(TE.Scalars,
4198                  [](Value *V) {
4199                    return isa<UndefValue, ExtractElementInst>(V);
4200                  }) &&
4201           any_of(TE.Scalars,
4202                  [](Value *V) { return isa<ExtractElementInst>(V); }))) &&
4203         all_of(TE.Scalars,
4204                [](Value *V) {
4205                  auto *EE = dyn_cast<ExtractElementInst>(V);
4206                  return !EE || isa<FixedVectorType>(EE->getVectorOperandType());
4207                }) &&
4208         allSameType(TE.Scalars)) {
4209       // Check that gather of extractelements can be represented as
4210       // just a shuffle of a single vector.
4211       OrdersType CurrentOrder;
4212       bool Reuse = canReuseExtract(TE.Scalars, TE.getMainOp(), CurrentOrder,
4213                                    /*ResizeAllowed=*/true);
4214       if (Reuse || !CurrentOrder.empty()) {
4215         if (!CurrentOrder.empty())
4216           fixupOrderingIndices(CurrentOrder);
4217         return std::move(CurrentOrder);
4218       }
4219     }
4220     // If the gather node is <undef, v, .., poison> and
4221     // insertelement poison, v, 0 [+ permute]
4222     // is cheaper than
4223     // insertelement poison, v, n - try to reorder.
4224     // If rotating the whole graph, exclude the permute cost, the whole graph
4225     // might be transformed.
4226     int Sz = TE.Scalars.size();
4227     if (isSplat(TE.Scalars) && !allConstant(TE.Scalars) &&
4228         count_if(TE.Scalars, UndefValue::classof) == Sz - 1) {
4229       const auto *It =
4230           find_if(TE.Scalars, [](Value *V) { return !isConstant(V); });
4231       if (It == TE.Scalars.begin())
4232         return OrdersType();
4233       auto *Ty = FixedVectorType::get(TE.Scalars.front()->getType(), Sz);
4234       if (It != TE.Scalars.end()) {
4235         OrdersType Order(Sz, Sz);
4236         unsigned Idx = std::distance(TE.Scalars.begin(), It);
4237         Order[Idx] = 0;
4238         fixupOrderingIndices(Order);
4239         SmallVector<int> Mask;
4240         inversePermutation(Order, Mask);
4241         InstructionCost PermuteCost =
4242             TopToBottom
4243                 ? 0
4244                 : TTI->getShuffleCost(TTI::SK_PermuteSingleSrc, Ty, Mask);
4245         InstructionCost InsertFirstCost = TTI->getVectorInstrCost(
4246             Instruction::InsertElement, Ty, TTI::TCK_RecipThroughput, 0,
4247             PoisonValue::get(Ty), *It);
4248         InstructionCost InsertIdxCost = TTI->getVectorInstrCost(
4249             Instruction::InsertElement, Ty, TTI::TCK_RecipThroughput, Idx,
4250             PoisonValue::get(Ty), *It);
4251         if (InsertFirstCost + PermuteCost < InsertIdxCost)
4252           return std::move(Order);
4253       }
4254     }
4255     if (std::optional<OrdersType> CurrentOrder = findReusedOrderedScalars(TE))
4256       return CurrentOrder;
4257     if (TE.Scalars.size() >= 4)
4258       if (std::optional<OrdersType> Order = findPartiallyOrderedLoads(TE))
4259         return Order;
4260   }
4261   return std::nullopt;
4262 }
4263 
4264 /// Checks if the given mask is a "clustered" mask with the same clusters of
4265 /// size \p Sz, which are not identity submasks.
4266 static bool isRepeatedNonIdentityClusteredMask(ArrayRef<int> Mask,
4267                                                unsigned Sz) {
4268   ArrayRef<int> FirstCluster = Mask.slice(0, Sz);
4269   if (ShuffleVectorInst::isIdentityMask(FirstCluster, Sz))
4270     return false;
4271   for (unsigned I = Sz, E = Mask.size(); I < E; I += Sz) {
4272     ArrayRef<int> Cluster = Mask.slice(I, Sz);
4273     if (Cluster != FirstCluster)
4274       return false;
4275   }
4276   return true;
4277 }
4278 
4279 void BoUpSLP::reorderNodeWithReuses(TreeEntry &TE, ArrayRef<int> Mask) const {
4280   // Reorder reuses mask.
4281   reorderReuses(TE.ReuseShuffleIndices, Mask);
4282   const unsigned Sz = TE.Scalars.size();
4283   // For vectorized and non-clustered reused no need to do anything else.
4284   if (TE.State != TreeEntry::NeedToGather ||
4285       !ShuffleVectorInst::isOneUseSingleSourceMask(TE.ReuseShuffleIndices,
4286                                                    Sz) ||
4287       !isRepeatedNonIdentityClusteredMask(TE.ReuseShuffleIndices, Sz))
4288     return;
4289   SmallVector<int> NewMask;
4290   inversePermutation(TE.ReorderIndices, NewMask);
4291   addMask(NewMask, TE.ReuseShuffleIndices);
4292   // Clear reorder since it is going to be applied to the new mask.
4293   TE.ReorderIndices.clear();
4294   // Try to improve gathered nodes with clustered reuses, if possible.
4295   ArrayRef<int> Slice = ArrayRef(NewMask).slice(0, Sz);
4296   SmallVector<unsigned> NewOrder(Slice.begin(), Slice.end());
4297   inversePermutation(NewOrder, NewMask);
4298   reorderScalars(TE.Scalars, NewMask);
4299   // Fill the reuses mask with the identity submasks.
4300   for (auto *It = TE.ReuseShuffleIndices.begin(),
4301             *End = TE.ReuseShuffleIndices.end();
4302        It != End; std::advance(It, Sz))
4303     std::iota(It, std::next(It, Sz), 0);
4304 }
4305 
4306 void BoUpSLP::reorderTopToBottom() {
4307   // Maps VF to the graph nodes.
4308   DenseMap<unsigned, SetVector<TreeEntry *>> VFToOrderedEntries;
4309   // ExtractElement gather nodes which can be vectorized and need to handle
4310   // their ordering.
4311   DenseMap<const TreeEntry *, OrdersType> GathersToOrders;
4312 
4313   // Phi nodes can have preferred ordering based on their result users
4314   DenseMap<const TreeEntry *, OrdersType> PhisToOrders;
4315 
4316   // AltShuffles can also have a preferred ordering that leads to fewer
4317   // instructions, e.g., the addsub instruction in x86.
4318   DenseMap<const TreeEntry *, OrdersType> AltShufflesToOrders;
4319 
4320   // Maps a TreeEntry to the reorder indices of external users.
4321   DenseMap<const TreeEntry *, SmallVector<OrdersType, 1>>
4322       ExternalUserReorderMap;
4323   // FIXME: Workaround for syntax error reported by MSVC buildbots.
4324   TargetTransformInfo &TTIRef = *TTI;
4325   // Find all reorderable nodes with the given VF.
4326   // Currently the are vectorized stores,loads,extracts + some gathering of
4327   // extracts.
4328   for_each(VectorizableTree, [this, &TTIRef, &VFToOrderedEntries,
4329                               &GathersToOrders, &ExternalUserReorderMap,
4330                               &AltShufflesToOrders, &PhisToOrders](
4331                                  const std::unique_ptr<TreeEntry> &TE) {
4332     // Look for external users that will probably be vectorized.
4333     SmallVector<OrdersType, 1> ExternalUserReorderIndices =
4334         findExternalStoreUsersReorderIndices(TE.get());
4335     if (!ExternalUserReorderIndices.empty()) {
4336       VFToOrderedEntries[TE->getVectorFactor()].insert(TE.get());
4337       ExternalUserReorderMap.try_emplace(TE.get(),
4338                                          std::move(ExternalUserReorderIndices));
4339     }
4340 
4341     // Patterns like [fadd,fsub] can be combined into a single instruction in
4342     // x86. Reordering them into [fsub,fadd] blocks this pattern. So we need
4343     // to take into account their order when looking for the most used order.
4344     if (TE->isAltShuffle()) {
4345       VectorType *VecTy =
4346           FixedVectorType::get(TE->Scalars[0]->getType(), TE->Scalars.size());
4347       unsigned Opcode0 = TE->getOpcode();
4348       unsigned Opcode1 = TE->getAltOpcode();
4349       // The opcode mask selects between the two opcodes.
4350       SmallBitVector OpcodeMask(TE->Scalars.size(), false);
4351       for (unsigned Lane : seq<unsigned>(0, TE->Scalars.size()))
4352         if (cast<Instruction>(TE->Scalars[Lane])->getOpcode() == Opcode1)
4353           OpcodeMask.set(Lane);
4354       // If this pattern is supported by the target then we consider the order.
4355       if (TTIRef.isLegalAltInstr(VecTy, Opcode0, Opcode1, OpcodeMask)) {
4356         VFToOrderedEntries[TE->getVectorFactor()].insert(TE.get());
4357         AltShufflesToOrders.try_emplace(TE.get(), OrdersType());
4358       }
4359       // TODO: Check the reverse order too.
4360     }
4361 
4362     if (std::optional<OrdersType> CurrentOrder =
4363             getReorderingData(*TE, /*TopToBottom=*/true)) {
4364       // Do not include ordering for nodes used in the alt opcode vectorization,
4365       // better to reorder them during bottom-to-top stage. If follow the order
4366       // here, it causes reordering of the whole graph though actually it is
4367       // profitable just to reorder the subgraph that starts from the alternate
4368       // opcode vectorization node. Such nodes already end-up with the shuffle
4369       // instruction and it is just enough to change this shuffle rather than
4370       // rotate the scalars for the whole graph.
4371       unsigned Cnt = 0;
4372       const TreeEntry *UserTE = TE.get();
4373       while (UserTE && Cnt < RecursionMaxDepth) {
4374         if (UserTE->UserTreeIndices.size() != 1)
4375           break;
4376         if (all_of(UserTE->UserTreeIndices, [](const EdgeInfo &EI) {
4377               return EI.UserTE->State == TreeEntry::Vectorize &&
4378                      EI.UserTE->isAltShuffle() && EI.UserTE->Idx != 0;
4379             }))
4380           return;
4381         UserTE = UserTE->UserTreeIndices.back().UserTE;
4382         ++Cnt;
4383       }
4384       VFToOrderedEntries[TE->getVectorFactor()].insert(TE.get());
4385       if (!(TE->State == TreeEntry::Vectorize ||
4386             TE->State == TreeEntry::PossibleStridedVectorize) ||
4387           !TE->ReuseShuffleIndices.empty())
4388         GathersToOrders.try_emplace(TE.get(), *CurrentOrder);
4389       if (TE->State == TreeEntry::Vectorize &&
4390           TE->getOpcode() == Instruction::PHI)
4391         PhisToOrders.try_emplace(TE.get(), *CurrentOrder);
4392     }
4393   });
4394 
4395   // Reorder the graph nodes according to their vectorization factor.
4396   for (unsigned VF = VectorizableTree.front()->getVectorFactor(); VF > 1;
4397        VF /= 2) {
4398     auto It = VFToOrderedEntries.find(VF);
4399     if (It == VFToOrderedEntries.end())
4400       continue;
4401     // Try to find the most profitable order. We just are looking for the most
4402     // used order and reorder scalar elements in the nodes according to this
4403     // mostly used order.
4404     ArrayRef<TreeEntry *> OrderedEntries = It->second.getArrayRef();
4405     // All operands are reordered and used only in this node - propagate the
4406     // most used order to the user node.
4407     MapVector<OrdersType, unsigned,
4408               DenseMap<OrdersType, unsigned, OrdersTypeDenseMapInfo>>
4409         OrdersUses;
4410     // Last chance orders - scatter vectorize. Try to use their orders if no
4411     // other orders or the order is counted already.
4412     SmallVector<OrdersType> StridedVectorizeOrders;
4413     SmallPtrSet<const TreeEntry *, 4> VisitedOps;
4414     for (const TreeEntry *OpTE : OrderedEntries) {
4415       // No need to reorder this nodes, still need to extend and to use shuffle,
4416       // just need to merge reordering shuffle and the reuse shuffle.
4417       if (!OpTE->ReuseShuffleIndices.empty() && !GathersToOrders.count(OpTE))
4418         continue;
4419       // Count number of orders uses.
4420       const auto &Order = [OpTE, &GathersToOrders, &AltShufflesToOrders,
4421                            &PhisToOrders]() -> const OrdersType & {
4422         if (OpTE->State == TreeEntry::NeedToGather ||
4423             !OpTE->ReuseShuffleIndices.empty()) {
4424           auto It = GathersToOrders.find(OpTE);
4425           if (It != GathersToOrders.end())
4426             return It->second;
4427         }
4428         if (OpTE->isAltShuffle()) {
4429           auto It = AltShufflesToOrders.find(OpTE);
4430           if (It != AltShufflesToOrders.end())
4431             return It->second;
4432         }
4433         if (OpTE->State == TreeEntry::Vectorize &&
4434             OpTE->getOpcode() == Instruction::PHI) {
4435           auto It = PhisToOrders.find(OpTE);
4436           if (It != PhisToOrders.end())
4437             return It->second;
4438         }
4439         return OpTE->ReorderIndices;
4440       }();
4441       // First consider the order of the external scalar users.
4442       auto It = ExternalUserReorderMap.find(OpTE);
4443       if (It != ExternalUserReorderMap.end()) {
4444         const auto &ExternalUserReorderIndices = It->second;
4445         // If the OpTE vector factor != number of scalars - use natural order,
4446         // it is an attempt to reorder node with reused scalars but with
4447         // external uses.
4448         if (OpTE->getVectorFactor() != OpTE->Scalars.size()) {
4449           OrdersUses.insert(std::make_pair(OrdersType(), 0)).first->second +=
4450               ExternalUserReorderIndices.size();
4451         } else {
4452           for (const OrdersType &ExtOrder : ExternalUserReorderIndices)
4453             ++OrdersUses.insert(std::make_pair(ExtOrder, 0)).first->second;
4454         }
4455         // No other useful reorder data in this entry.
4456         if (Order.empty())
4457           continue;
4458       }
4459       // Postpone scatter orders.
4460       if (OpTE->State == TreeEntry::PossibleStridedVectorize) {
4461         StridedVectorizeOrders.push_back(Order);
4462         continue;
4463       }
4464       // Stores actually store the mask, not the order, need to invert.
4465       if (OpTE->State == TreeEntry::Vectorize && !OpTE->isAltShuffle() &&
4466           OpTE->getOpcode() == Instruction::Store && !Order.empty()) {
4467         SmallVector<int> Mask;
4468         inversePermutation(Order, Mask);
4469         unsigned E = Order.size();
4470         OrdersType CurrentOrder(E, E);
4471         transform(Mask, CurrentOrder.begin(), [E](int Idx) {
4472           return Idx == PoisonMaskElem ? E : static_cast<unsigned>(Idx);
4473         });
4474         fixupOrderingIndices(CurrentOrder);
4475         ++OrdersUses.insert(std::make_pair(CurrentOrder, 0)).first->second;
4476       } else {
4477         ++OrdersUses.insert(std::make_pair(Order, 0)).first->second;
4478       }
4479     }
4480     // Set order of the user node.
4481     if (OrdersUses.empty()) {
4482       if (StridedVectorizeOrders.empty())
4483         continue;
4484       // Add (potentially!) strided vectorize orders.
4485       for (OrdersType &Order : StridedVectorizeOrders)
4486         ++OrdersUses.insert(std::make_pair(Order, 0)).first->second;
4487     } else {
4488       // Account (potentially!) strided vectorize orders only if it was used
4489       // already.
4490       for (OrdersType &Order : StridedVectorizeOrders) {
4491         auto *It = OrdersUses.find(Order);
4492         if (It != OrdersUses.end())
4493           ++It->second;
4494       }
4495     }
4496     // Choose the most used order.
4497     ArrayRef<unsigned> BestOrder = OrdersUses.front().first;
4498     unsigned Cnt = OrdersUses.front().second;
4499     for (const auto &Pair : drop_begin(OrdersUses)) {
4500       if (Cnt < Pair.second || (Cnt == Pair.second && Pair.first.empty())) {
4501         BestOrder = Pair.first;
4502         Cnt = Pair.second;
4503       }
4504     }
4505     // Set order of the user node.
4506     if (BestOrder.empty())
4507       continue;
4508     SmallVector<int> Mask;
4509     inversePermutation(BestOrder, Mask);
4510     SmallVector<int> MaskOrder(BestOrder.size(), PoisonMaskElem);
4511     unsigned E = BestOrder.size();
4512     transform(BestOrder, MaskOrder.begin(), [E](unsigned I) {
4513       return I < E ? static_cast<int>(I) : PoisonMaskElem;
4514     });
4515     // Do an actual reordering, if profitable.
4516     for (std::unique_ptr<TreeEntry> &TE : VectorizableTree) {
4517       // Just do the reordering for the nodes with the given VF.
4518       if (TE->Scalars.size() != VF) {
4519         if (TE->ReuseShuffleIndices.size() == VF) {
4520           // Need to reorder the reuses masks of the operands with smaller VF to
4521           // be able to find the match between the graph nodes and scalar
4522           // operands of the given node during vectorization/cost estimation.
4523           assert(all_of(TE->UserTreeIndices,
4524                         [VF, &TE](const EdgeInfo &EI) {
4525                           return EI.UserTE->Scalars.size() == VF ||
4526                                  EI.UserTE->Scalars.size() ==
4527                                      TE->Scalars.size();
4528                         }) &&
4529                  "All users must be of VF size.");
4530           // Update ordering of the operands with the smaller VF than the given
4531           // one.
4532           reorderNodeWithReuses(*TE, Mask);
4533         }
4534         continue;
4535       }
4536       if ((TE->State == TreeEntry::Vectorize ||
4537            TE->State == TreeEntry::PossibleStridedVectorize) &&
4538           isa<ExtractElementInst, ExtractValueInst, LoadInst, StoreInst,
4539               InsertElementInst>(TE->getMainOp()) &&
4540           !TE->isAltShuffle()) {
4541         // Build correct orders for extract{element,value}, loads and
4542         // stores.
4543         reorderOrder(TE->ReorderIndices, Mask);
4544         if (isa<InsertElementInst, StoreInst>(TE->getMainOp()))
4545           TE->reorderOperands(Mask);
4546       } else {
4547         // Reorder the node and its operands.
4548         TE->reorderOperands(Mask);
4549         assert(TE->ReorderIndices.empty() &&
4550                "Expected empty reorder sequence.");
4551         reorderScalars(TE->Scalars, Mask);
4552       }
4553       if (!TE->ReuseShuffleIndices.empty()) {
4554         // Apply reversed order to keep the original ordering of the reused
4555         // elements to avoid extra reorder indices shuffling.
4556         OrdersType CurrentOrder;
4557         reorderOrder(CurrentOrder, MaskOrder);
4558         SmallVector<int> NewReuses;
4559         inversePermutation(CurrentOrder, NewReuses);
4560         addMask(NewReuses, TE->ReuseShuffleIndices);
4561         TE->ReuseShuffleIndices.swap(NewReuses);
4562       }
4563     }
4564   }
4565 }
4566 
4567 bool BoUpSLP::canReorderOperands(
4568     TreeEntry *UserTE, SmallVectorImpl<std::pair<unsigned, TreeEntry *>> &Edges,
4569     ArrayRef<TreeEntry *> ReorderableGathers,
4570     SmallVectorImpl<TreeEntry *> &GatherOps) {
4571   for (unsigned I = 0, E = UserTE->getNumOperands(); I < E; ++I) {
4572     if (any_of(Edges, [I](const std::pair<unsigned, TreeEntry *> &OpData) {
4573           return OpData.first == I &&
4574                  OpData.second->State == TreeEntry::Vectorize;
4575         }))
4576       continue;
4577     if (TreeEntry *TE = getVectorizedOperand(UserTE, I)) {
4578       // FIXME: Do not reorder (possible!) strided vectorized nodes, they
4579       // require reordering of the operands, which is not implemented yet.
4580       if (TE->State == TreeEntry::PossibleStridedVectorize)
4581         return false;
4582       // Do not reorder if operand node is used by many user nodes.
4583       if (any_of(TE->UserTreeIndices,
4584                  [UserTE](const EdgeInfo &EI) { return EI.UserTE != UserTE; }))
4585         return false;
4586       // Add the node to the list of the ordered nodes with the identity
4587       // order.
4588       Edges.emplace_back(I, TE);
4589       // Add ScatterVectorize nodes to the list of operands, where just
4590       // reordering of the scalars is required. Similar to the gathers, so
4591       // simply add to the list of gathered ops.
4592       // If there are reused scalars, process this node as a regular vectorize
4593       // node, just reorder reuses mask.
4594       if (TE->State != TreeEntry::Vectorize &&
4595           TE->ReuseShuffleIndices.empty() && TE->ReorderIndices.empty())
4596         GatherOps.push_back(TE);
4597       continue;
4598     }
4599     TreeEntry *Gather = nullptr;
4600     if (count_if(ReorderableGathers,
4601                  [&Gather, UserTE, I](TreeEntry *TE) {
4602                    assert(TE->State != TreeEntry::Vectorize &&
4603                           "Only non-vectorized nodes are expected.");
4604                    if (any_of(TE->UserTreeIndices,
4605                               [UserTE, I](const EdgeInfo &EI) {
4606                                 return EI.UserTE == UserTE && EI.EdgeIdx == I;
4607                               })) {
4608                      assert(TE->isSame(UserTE->getOperand(I)) &&
4609                             "Operand entry does not match operands.");
4610                      Gather = TE;
4611                      return true;
4612                    }
4613                    return false;
4614                  }) > 1 &&
4615         !allConstant(UserTE->getOperand(I)))
4616       return false;
4617     if (Gather)
4618       GatherOps.push_back(Gather);
4619   }
4620   return true;
4621 }
4622 
4623 void BoUpSLP::reorderBottomToTop(bool IgnoreReorder) {
4624   SetVector<TreeEntry *> OrderedEntries;
4625   DenseMap<const TreeEntry *, OrdersType> GathersToOrders;
4626   // Find all reorderable leaf nodes with the given VF.
4627   // Currently the are vectorized loads,extracts without alternate operands +
4628   // some gathering of extracts.
4629   SmallVector<TreeEntry *> NonVectorized;
4630   for (const std::unique_ptr<TreeEntry> &TE : VectorizableTree) {
4631     if (TE->State != TreeEntry::Vectorize &&
4632         TE->State != TreeEntry::PossibleStridedVectorize)
4633       NonVectorized.push_back(TE.get());
4634     if (std::optional<OrdersType> CurrentOrder =
4635             getReorderingData(*TE, /*TopToBottom=*/false)) {
4636       OrderedEntries.insert(TE.get());
4637       if (!(TE->State == TreeEntry::Vectorize ||
4638             TE->State == TreeEntry::PossibleStridedVectorize) ||
4639           !TE->ReuseShuffleIndices.empty())
4640         GathersToOrders.try_emplace(TE.get(), *CurrentOrder);
4641     }
4642   }
4643 
4644   // 1. Propagate order to the graph nodes, which use only reordered nodes.
4645   // I.e., if the node has operands, that are reordered, try to make at least
4646   // one operand order in the natural order and reorder others + reorder the
4647   // user node itself.
4648   SmallPtrSet<const TreeEntry *, 4> Visited;
4649   while (!OrderedEntries.empty()) {
4650     // 1. Filter out only reordered nodes.
4651     // 2. If the entry has multiple uses - skip it and jump to the next node.
4652     DenseMap<TreeEntry *, SmallVector<std::pair<unsigned, TreeEntry *>>> Users;
4653     SmallVector<TreeEntry *> Filtered;
4654     for (TreeEntry *TE : OrderedEntries) {
4655       if (!(TE->State == TreeEntry::Vectorize ||
4656             TE->State == TreeEntry::PossibleStridedVectorize ||
4657             (TE->State == TreeEntry::NeedToGather &&
4658              GathersToOrders.count(TE))) ||
4659           TE->UserTreeIndices.empty() || !TE->ReuseShuffleIndices.empty() ||
4660           !all_of(drop_begin(TE->UserTreeIndices),
4661                   [TE](const EdgeInfo &EI) {
4662                     return EI.UserTE == TE->UserTreeIndices.front().UserTE;
4663                   }) ||
4664           !Visited.insert(TE).second) {
4665         Filtered.push_back(TE);
4666         continue;
4667       }
4668       // Build a map between user nodes and their operands order to speedup
4669       // search. The graph currently does not provide this dependency directly.
4670       for (EdgeInfo &EI : TE->UserTreeIndices) {
4671         TreeEntry *UserTE = EI.UserTE;
4672         auto It = Users.find(UserTE);
4673         if (It == Users.end())
4674           It = Users.insert({UserTE, {}}).first;
4675         It->second.emplace_back(EI.EdgeIdx, TE);
4676       }
4677     }
4678     // Erase filtered entries.
4679     for (TreeEntry *TE : Filtered)
4680       OrderedEntries.remove(TE);
4681     SmallVector<
4682         std::pair<TreeEntry *, SmallVector<std::pair<unsigned, TreeEntry *>>>>
4683         UsersVec(Users.begin(), Users.end());
4684     sort(UsersVec, [](const auto &Data1, const auto &Data2) {
4685       return Data1.first->Idx > Data2.first->Idx;
4686     });
4687     for (auto &Data : UsersVec) {
4688       // Check that operands are used only in the User node.
4689       SmallVector<TreeEntry *> GatherOps;
4690       if (!canReorderOperands(Data.first, Data.second, NonVectorized,
4691                               GatherOps)) {
4692         for (const std::pair<unsigned, TreeEntry *> &Op : Data.second)
4693           OrderedEntries.remove(Op.second);
4694         continue;
4695       }
4696       // All operands are reordered and used only in this node - propagate the
4697       // most used order to the user node.
4698       MapVector<OrdersType, unsigned,
4699                 DenseMap<OrdersType, unsigned, OrdersTypeDenseMapInfo>>
4700           OrdersUses;
4701       // Last chance orders - scatter vectorize. Try to use their orders if no
4702       // other orders or the order is counted already.
4703       SmallVector<std::pair<OrdersType, unsigned>> StridedVectorizeOrders;
4704       // Do the analysis for each tree entry only once, otherwise the order of
4705       // the same node my be considered several times, though might be not
4706       // profitable.
4707       SmallPtrSet<const TreeEntry *, 4> VisitedOps;
4708       SmallPtrSet<const TreeEntry *, 4> VisitedUsers;
4709       for (const auto &Op : Data.second) {
4710         TreeEntry *OpTE = Op.second;
4711         if (!VisitedOps.insert(OpTE).second)
4712           continue;
4713         if (!OpTE->ReuseShuffleIndices.empty() && !GathersToOrders.count(OpTE))
4714           continue;
4715         const auto &Order = [OpTE, &GathersToOrders]() -> const OrdersType & {
4716           if (OpTE->State == TreeEntry::NeedToGather ||
4717               !OpTE->ReuseShuffleIndices.empty())
4718             return GathersToOrders.find(OpTE)->second;
4719           return OpTE->ReorderIndices;
4720         }();
4721         unsigned NumOps = count_if(
4722             Data.second, [OpTE](const std::pair<unsigned, TreeEntry *> &P) {
4723               return P.second == OpTE;
4724             });
4725         // Postpone scatter orders.
4726         if (OpTE->State == TreeEntry::PossibleStridedVectorize) {
4727           StridedVectorizeOrders.emplace_back(Order, NumOps);
4728           continue;
4729         }
4730         // Stores actually store the mask, not the order, need to invert.
4731         if (OpTE->State == TreeEntry::Vectorize && !OpTE->isAltShuffle() &&
4732             OpTE->getOpcode() == Instruction::Store && !Order.empty()) {
4733           SmallVector<int> Mask;
4734           inversePermutation(Order, Mask);
4735           unsigned E = Order.size();
4736           OrdersType CurrentOrder(E, E);
4737           transform(Mask, CurrentOrder.begin(), [E](int Idx) {
4738             return Idx == PoisonMaskElem ? E : static_cast<unsigned>(Idx);
4739           });
4740           fixupOrderingIndices(CurrentOrder);
4741           OrdersUses.insert(std::make_pair(CurrentOrder, 0)).first->second +=
4742               NumOps;
4743         } else {
4744           OrdersUses.insert(std::make_pair(Order, 0)).first->second += NumOps;
4745         }
4746         auto Res = OrdersUses.insert(std::make_pair(OrdersType(), 0));
4747         const auto &&AllowsReordering = [IgnoreReorder, &GathersToOrders](
4748                                             const TreeEntry *TE) {
4749           if (!TE->ReorderIndices.empty() || !TE->ReuseShuffleIndices.empty() ||
4750               (TE->State == TreeEntry::Vectorize && TE->isAltShuffle()) ||
4751               (IgnoreReorder && TE->Idx == 0))
4752             return true;
4753           if (TE->State == TreeEntry::NeedToGather) {
4754             auto It = GathersToOrders.find(TE);
4755             if (It != GathersToOrders.end())
4756               return !It->second.empty();
4757             return true;
4758           }
4759           return false;
4760         };
4761         for (const EdgeInfo &EI : OpTE->UserTreeIndices) {
4762           TreeEntry *UserTE = EI.UserTE;
4763           if (!VisitedUsers.insert(UserTE).second)
4764             continue;
4765           // May reorder user node if it requires reordering, has reused
4766           // scalars, is an alternate op vectorize node or its op nodes require
4767           // reordering.
4768           if (AllowsReordering(UserTE))
4769             continue;
4770           // Check if users allow reordering.
4771           // Currently look up just 1 level of operands to avoid increase of
4772           // the compile time.
4773           // Profitable to reorder if definitely more operands allow
4774           // reordering rather than those with natural order.
4775           ArrayRef<std::pair<unsigned, TreeEntry *>> Ops = Users[UserTE];
4776           if (static_cast<unsigned>(count_if(
4777                   Ops, [UserTE, &AllowsReordering](
4778                            const std::pair<unsigned, TreeEntry *> &Op) {
4779                     return AllowsReordering(Op.second) &&
4780                            all_of(Op.second->UserTreeIndices,
4781                                   [UserTE](const EdgeInfo &EI) {
4782                                     return EI.UserTE == UserTE;
4783                                   });
4784                   })) <= Ops.size() / 2)
4785             ++Res.first->second;
4786         }
4787       }
4788       // If no orders - skip current nodes and jump to the next one, if any.
4789       if (OrdersUses.empty()) {
4790         if (StridedVectorizeOrders.empty() ||
4791             (Data.first->ReorderIndices.empty() &&
4792              Data.first->ReuseShuffleIndices.empty() &&
4793              !(IgnoreReorder &&
4794                Data.first == VectorizableTree.front().get()))) {
4795           for (const std::pair<unsigned, TreeEntry *> &Op : Data.second)
4796             OrderedEntries.remove(Op.second);
4797           continue;
4798         }
4799         // Add (potentially!) strided vectorize orders.
4800         for (std::pair<OrdersType, unsigned> &Pair : StridedVectorizeOrders)
4801           OrdersUses.insert(std::make_pair(Pair.first, 0)).first->second +=
4802               Pair.second;
4803       } else {
4804         // Account (potentially!) strided vectorize orders only if it was used
4805         // already.
4806         for (std::pair<OrdersType, unsigned> &Pair : StridedVectorizeOrders) {
4807           auto *It = OrdersUses.find(Pair.first);
4808           if (It != OrdersUses.end())
4809             It->second += Pair.second;
4810         }
4811       }
4812       // Choose the best order.
4813       ArrayRef<unsigned> BestOrder = OrdersUses.front().first;
4814       unsigned Cnt = OrdersUses.front().second;
4815       for (const auto &Pair : drop_begin(OrdersUses)) {
4816         if (Cnt < Pair.second || (Cnt == Pair.second && Pair.first.empty())) {
4817           BestOrder = Pair.first;
4818           Cnt = Pair.second;
4819         }
4820       }
4821       // Set order of the user node (reordering of operands and user nodes).
4822       if (BestOrder.empty()) {
4823         for (const std::pair<unsigned, TreeEntry *> &Op : Data.second)
4824           OrderedEntries.remove(Op.second);
4825         continue;
4826       }
4827       // Erase operands from OrderedEntries list and adjust their orders.
4828       VisitedOps.clear();
4829       SmallVector<int> Mask;
4830       inversePermutation(BestOrder, Mask);
4831       SmallVector<int> MaskOrder(BestOrder.size(), PoisonMaskElem);
4832       unsigned E = BestOrder.size();
4833       transform(BestOrder, MaskOrder.begin(), [E](unsigned I) {
4834         return I < E ? static_cast<int>(I) : PoisonMaskElem;
4835       });
4836       for (const std::pair<unsigned, TreeEntry *> &Op : Data.second) {
4837         TreeEntry *TE = Op.second;
4838         OrderedEntries.remove(TE);
4839         if (!VisitedOps.insert(TE).second)
4840           continue;
4841         if (TE->ReuseShuffleIndices.size() == BestOrder.size()) {
4842           reorderNodeWithReuses(*TE, Mask);
4843           continue;
4844         }
4845         // Gathers are processed separately.
4846         if (TE->State != TreeEntry::Vectorize &&
4847             TE->State != TreeEntry::PossibleStridedVectorize &&
4848             (TE->State != TreeEntry::ScatterVectorize ||
4849              TE->ReorderIndices.empty()))
4850           continue;
4851         assert((BestOrder.size() == TE->ReorderIndices.size() ||
4852                 TE->ReorderIndices.empty()) &&
4853                "Non-matching sizes of user/operand entries.");
4854         reorderOrder(TE->ReorderIndices, Mask);
4855         if (IgnoreReorder && TE == VectorizableTree.front().get())
4856           IgnoreReorder = false;
4857       }
4858       // For gathers just need to reorder its scalars.
4859       for (TreeEntry *Gather : GatherOps) {
4860         assert(Gather->ReorderIndices.empty() &&
4861                "Unexpected reordering of gathers.");
4862         if (!Gather->ReuseShuffleIndices.empty()) {
4863           // Just reorder reuses indices.
4864           reorderReuses(Gather->ReuseShuffleIndices, Mask);
4865           continue;
4866         }
4867         reorderScalars(Gather->Scalars, Mask);
4868         OrderedEntries.remove(Gather);
4869       }
4870       // Reorder operands of the user node and set the ordering for the user
4871       // node itself.
4872       if (Data.first->State != TreeEntry::Vectorize ||
4873           !isa<ExtractElementInst, ExtractValueInst, LoadInst>(
4874               Data.first->getMainOp()) ||
4875           Data.first->isAltShuffle())
4876         Data.first->reorderOperands(Mask);
4877       if (!isa<InsertElementInst, StoreInst>(Data.first->getMainOp()) ||
4878           Data.first->isAltShuffle() ||
4879           Data.first->State == TreeEntry::PossibleStridedVectorize) {
4880         reorderScalars(Data.first->Scalars, Mask);
4881         reorderOrder(Data.first->ReorderIndices, MaskOrder);
4882         if (Data.first->ReuseShuffleIndices.empty() &&
4883             !Data.first->ReorderIndices.empty() &&
4884             !Data.first->isAltShuffle()) {
4885           // Insert user node to the list to try to sink reordering deeper in
4886           // the graph.
4887           OrderedEntries.insert(Data.first);
4888         }
4889       } else {
4890         reorderOrder(Data.first->ReorderIndices, Mask);
4891       }
4892     }
4893   }
4894   // If the reordering is unnecessary, just remove the reorder.
4895   if (IgnoreReorder && !VectorizableTree.front()->ReorderIndices.empty() &&
4896       VectorizableTree.front()->ReuseShuffleIndices.empty())
4897     VectorizableTree.front()->ReorderIndices.clear();
4898 }
4899 
4900 void BoUpSLP::buildExternalUses(
4901     const ExtraValueToDebugLocsMap &ExternallyUsedValues) {
4902   // Collect the values that we need to extract from the tree.
4903   for (auto &TEPtr : VectorizableTree) {
4904     TreeEntry *Entry = TEPtr.get();
4905 
4906     // No need to handle users of gathered values.
4907     if (Entry->State == TreeEntry::NeedToGather)
4908       continue;
4909 
4910     // For each lane:
4911     for (int Lane = 0, LE = Entry->Scalars.size(); Lane != LE; ++Lane) {
4912       Value *Scalar = Entry->Scalars[Lane];
4913       if (!isa<Instruction>(Scalar))
4914         continue;
4915       int FoundLane = Entry->findLaneForValue(Scalar);
4916 
4917       // Check if the scalar is externally used as an extra arg.
4918       const auto *ExtI = ExternallyUsedValues.find(Scalar);
4919       if (ExtI != ExternallyUsedValues.end()) {
4920         LLVM_DEBUG(dbgs() << "SLP: Need to extract: Extra arg from lane "
4921                           << Lane << " from " << *Scalar << ".\n");
4922         ExternalUses.emplace_back(Scalar, nullptr, FoundLane);
4923       }
4924       for (User *U : Scalar->users()) {
4925         LLVM_DEBUG(dbgs() << "SLP: Checking user:" << *U << ".\n");
4926 
4927         Instruction *UserInst = dyn_cast<Instruction>(U);
4928         if (!UserInst || isDeleted(UserInst))
4929           continue;
4930 
4931         // Ignore users in the user ignore list.
4932         if (UserIgnoreList && UserIgnoreList->contains(UserInst))
4933           continue;
4934 
4935         // Skip in-tree scalars that become vectors
4936         if (TreeEntry *UseEntry = getTreeEntry(U)) {
4937           // Some in-tree scalars will remain as scalar in vectorized
4938           // instructions. If that is the case, the one in FoundLane will
4939           // be used.
4940           if (UseEntry->State == TreeEntry::ScatterVectorize ||
4941               UseEntry->State == TreeEntry::PossibleStridedVectorize ||
4942               !doesInTreeUserNeedToExtract(
4943                   Scalar, cast<Instruction>(UseEntry->Scalars.front()), TLI)) {
4944             LLVM_DEBUG(dbgs() << "SLP: \tInternal user will be removed:" << *U
4945                               << ".\n");
4946             assert(UseEntry->State != TreeEntry::NeedToGather && "Bad state");
4947             continue;
4948           }
4949           U = nullptr;
4950         }
4951 
4952         LLVM_DEBUG(dbgs() << "SLP: Need to extract:" << *UserInst
4953                           << " from lane " << Lane << " from " << *Scalar
4954                           << ".\n");
4955         ExternalUses.emplace_back(Scalar, U, FoundLane);
4956       }
4957     }
4958   }
4959 }
4960 
4961 DenseMap<Value *, SmallVector<StoreInst *>>
4962 BoUpSLP::collectUserStores(const BoUpSLP::TreeEntry *TE) const {
4963   DenseMap<Value *, SmallVector<StoreInst *>> PtrToStoresMap;
4964   for (unsigned Lane : seq<unsigned>(0, TE->Scalars.size())) {
4965     Value *V = TE->Scalars[Lane];
4966     // To save compilation time we don't visit if we have too many users.
4967     static constexpr unsigned UsersLimit = 4;
4968     if (V->hasNUsesOrMore(UsersLimit))
4969       break;
4970 
4971     // Collect stores per pointer object.
4972     for (User *U : V->users()) {
4973       auto *SI = dyn_cast<StoreInst>(U);
4974       if (SI == nullptr || !SI->isSimple() ||
4975           !isValidElementType(SI->getValueOperand()->getType()))
4976         continue;
4977       // Skip entry if already
4978       if (getTreeEntry(U))
4979         continue;
4980 
4981       Value *Ptr = getUnderlyingObject(SI->getPointerOperand());
4982       auto &StoresVec = PtrToStoresMap[Ptr];
4983       // For now just keep one store per pointer object per lane.
4984       // TODO: Extend this to support multiple stores per pointer per lane
4985       if (StoresVec.size() > Lane)
4986         continue;
4987       // Skip if in different BBs.
4988       if (!StoresVec.empty() &&
4989           SI->getParent() != StoresVec.back()->getParent())
4990         continue;
4991       // Make sure that the stores are of the same type.
4992       if (!StoresVec.empty() &&
4993           SI->getValueOperand()->getType() !=
4994               StoresVec.back()->getValueOperand()->getType())
4995         continue;
4996       StoresVec.push_back(SI);
4997     }
4998   }
4999   return PtrToStoresMap;
5000 }
5001 
5002 bool BoUpSLP::canFormVector(ArrayRef<StoreInst *> StoresVec,
5003                             OrdersType &ReorderIndices) const {
5004   // We check whether the stores in StoreVec can form a vector by sorting them
5005   // and checking whether they are consecutive.
5006 
5007   // To avoid calling getPointersDiff() while sorting we create a vector of
5008   // pairs {store, offset from first} and sort this instead.
5009   SmallVector<std::pair<StoreInst *, int>> StoreOffsetVec(StoresVec.size());
5010   StoreInst *S0 = StoresVec[0];
5011   StoreOffsetVec[0] = {S0, 0};
5012   Type *S0Ty = S0->getValueOperand()->getType();
5013   Value *S0Ptr = S0->getPointerOperand();
5014   for (unsigned Idx : seq<unsigned>(1, StoresVec.size())) {
5015     StoreInst *SI = StoresVec[Idx];
5016     std::optional<int> Diff =
5017         getPointersDiff(S0Ty, S0Ptr, SI->getValueOperand()->getType(),
5018                         SI->getPointerOperand(), *DL, *SE,
5019                         /*StrictCheck=*/true);
5020     // We failed to compare the pointers so just abandon this StoresVec.
5021     if (!Diff)
5022       return false;
5023     StoreOffsetVec[Idx] = {StoresVec[Idx], *Diff};
5024   }
5025 
5026   // Sort the vector based on the pointers. We create a copy because we may
5027   // need the original later for calculating the reorder (shuffle) indices.
5028   stable_sort(StoreOffsetVec, [](const std::pair<StoreInst *, int> &Pair1,
5029                                  const std::pair<StoreInst *, int> &Pair2) {
5030     int Offset1 = Pair1.second;
5031     int Offset2 = Pair2.second;
5032     return Offset1 < Offset2;
5033   });
5034 
5035   // Check if the stores are consecutive by checking if their difference is 1.
5036   for (unsigned Idx : seq<unsigned>(1, StoreOffsetVec.size()))
5037     if (StoreOffsetVec[Idx].second != StoreOffsetVec[Idx - 1].second + 1)
5038       return false;
5039 
5040   // Calculate the shuffle indices according to their offset against the sorted
5041   // StoreOffsetVec.
5042   ReorderIndices.reserve(StoresVec.size());
5043   for (StoreInst *SI : StoresVec) {
5044     unsigned Idx = find_if(StoreOffsetVec,
5045                            [SI](const std::pair<StoreInst *, int> &Pair) {
5046                              return Pair.first == SI;
5047                            }) -
5048                    StoreOffsetVec.begin();
5049     ReorderIndices.push_back(Idx);
5050   }
5051   // Identity order (e.g., {0,1,2,3}) is modeled as an empty OrdersType in
5052   // reorderTopToBottom() and reorderBottomToTop(), so we are following the
5053   // same convention here.
5054   auto IsIdentityOrder = [](const OrdersType &Order) {
5055     for (unsigned Idx : seq<unsigned>(0, Order.size()))
5056       if (Idx != Order[Idx])
5057         return false;
5058     return true;
5059   };
5060   if (IsIdentityOrder(ReorderIndices))
5061     ReorderIndices.clear();
5062 
5063   return true;
5064 }
5065 
5066 #ifndef NDEBUG
5067 LLVM_DUMP_METHOD static void dumpOrder(const BoUpSLP::OrdersType &Order) {
5068   for (unsigned Idx : Order)
5069     dbgs() << Idx << ", ";
5070   dbgs() << "\n";
5071 }
5072 #endif
5073 
5074 SmallVector<BoUpSLP::OrdersType, 1>
5075 BoUpSLP::findExternalStoreUsersReorderIndices(TreeEntry *TE) const {
5076   unsigned NumLanes = TE->Scalars.size();
5077 
5078   DenseMap<Value *, SmallVector<StoreInst *>> PtrToStoresMap =
5079       collectUserStores(TE);
5080 
5081   // Holds the reorder indices for each candidate store vector that is a user of
5082   // the current TreeEntry.
5083   SmallVector<OrdersType, 1> ExternalReorderIndices;
5084 
5085   // Now inspect the stores collected per pointer and look for vectorization
5086   // candidates. For each candidate calculate the reorder index vector and push
5087   // it into `ExternalReorderIndices`
5088   for (const auto &Pair : PtrToStoresMap) {
5089     auto &StoresVec = Pair.second;
5090     // If we have fewer than NumLanes stores, then we can't form a vector.
5091     if (StoresVec.size() != NumLanes)
5092       continue;
5093 
5094     // If the stores are not consecutive then abandon this StoresVec.
5095     OrdersType ReorderIndices;
5096     if (!canFormVector(StoresVec, ReorderIndices))
5097       continue;
5098 
5099     // We now know that the scalars in StoresVec can form a vector instruction,
5100     // so set the reorder indices.
5101     ExternalReorderIndices.push_back(ReorderIndices);
5102   }
5103   return ExternalReorderIndices;
5104 }
5105 
5106 void BoUpSLP::buildTree(ArrayRef<Value *> Roots,
5107                         const SmallDenseSet<Value *> &UserIgnoreLst) {
5108   deleteTree();
5109   UserIgnoreList = &UserIgnoreLst;
5110   if (!allSameType(Roots))
5111     return;
5112   buildTree_rec(Roots, 0, EdgeInfo());
5113 }
5114 
5115 void BoUpSLP::buildTree(ArrayRef<Value *> Roots) {
5116   deleteTree();
5117   if (!allSameType(Roots))
5118     return;
5119   buildTree_rec(Roots, 0, EdgeInfo());
5120 }
5121 
5122 /// \return true if the specified list of values has only one instruction that
5123 /// requires scheduling, false otherwise.
5124 #ifndef NDEBUG
5125 static bool needToScheduleSingleInstruction(ArrayRef<Value *> VL) {
5126   Value *NeedsScheduling = nullptr;
5127   for (Value *V : VL) {
5128     if (doesNotNeedToBeScheduled(V))
5129       continue;
5130     if (!NeedsScheduling) {
5131       NeedsScheduling = V;
5132       continue;
5133     }
5134     return false;
5135   }
5136   return NeedsScheduling;
5137 }
5138 #endif
5139 
5140 /// Generates key/subkey pair for the given value to provide effective sorting
5141 /// of the values and better detection of the vectorizable values sequences. The
5142 /// keys/subkeys can be used for better sorting of the values themselves (keys)
5143 /// and in values subgroups (subkeys).
5144 static std::pair<size_t, size_t> generateKeySubkey(
5145     Value *V, const TargetLibraryInfo *TLI,
5146     function_ref<hash_code(size_t, LoadInst *)> LoadsSubkeyGenerator,
5147     bool AllowAlternate) {
5148   hash_code Key = hash_value(V->getValueID() + 2);
5149   hash_code SubKey = hash_value(0);
5150   // Sort the loads by the distance between the pointers.
5151   if (auto *LI = dyn_cast<LoadInst>(V)) {
5152     Key = hash_combine(LI->getType(), hash_value(Instruction::Load), Key);
5153     if (LI->isSimple())
5154       SubKey = hash_value(LoadsSubkeyGenerator(Key, LI));
5155     else
5156       Key = SubKey = hash_value(LI);
5157   } else if (isVectorLikeInstWithConstOps(V)) {
5158     // Sort extracts by the vector operands.
5159     if (isa<ExtractElementInst, UndefValue>(V))
5160       Key = hash_value(Value::UndefValueVal + 1);
5161     if (auto *EI = dyn_cast<ExtractElementInst>(V)) {
5162       if (!isUndefVector(EI->getVectorOperand()).all() &&
5163           !isa<UndefValue>(EI->getIndexOperand()))
5164         SubKey = hash_value(EI->getVectorOperand());
5165     }
5166   } else if (auto *I = dyn_cast<Instruction>(V)) {
5167     // Sort other instructions just by the opcodes except for CMPInst.
5168     // For CMP also sort by the predicate kind.
5169     if ((isa<BinaryOperator, CastInst>(I)) &&
5170         isValidForAlternation(I->getOpcode())) {
5171       if (AllowAlternate)
5172         Key = hash_value(isa<BinaryOperator>(I) ? 1 : 0);
5173       else
5174         Key = hash_combine(hash_value(I->getOpcode()), Key);
5175       SubKey = hash_combine(
5176           hash_value(I->getOpcode()), hash_value(I->getType()),
5177           hash_value(isa<BinaryOperator>(I)
5178                          ? I->getType()
5179                          : cast<CastInst>(I)->getOperand(0)->getType()));
5180       // For casts, look through the only operand to improve compile time.
5181       if (isa<CastInst>(I)) {
5182         std::pair<size_t, size_t> OpVals =
5183             generateKeySubkey(I->getOperand(0), TLI, LoadsSubkeyGenerator,
5184                               /*AllowAlternate=*/true);
5185         Key = hash_combine(OpVals.first, Key);
5186         SubKey = hash_combine(OpVals.first, SubKey);
5187       }
5188     } else if (auto *CI = dyn_cast<CmpInst>(I)) {
5189       CmpInst::Predicate Pred = CI->getPredicate();
5190       if (CI->isCommutative())
5191         Pred = std::min(Pred, CmpInst::getInversePredicate(Pred));
5192       CmpInst::Predicate SwapPred = CmpInst::getSwappedPredicate(Pred);
5193       SubKey = hash_combine(hash_value(I->getOpcode()), hash_value(Pred),
5194                             hash_value(SwapPred),
5195                             hash_value(CI->getOperand(0)->getType()));
5196     } else if (auto *Call = dyn_cast<CallInst>(I)) {
5197       Intrinsic::ID ID = getVectorIntrinsicIDForCall(Call, TLI);
5198       if (isTriviallyVectorizable(ID)) {
5199         SubKey = hash_combine(hash_value(I->getOpcode()), hash_value(ID));
5200       } else if (!VFDatabase(*Call).getMappings(*Call).empty()) {
5201         SubKey = hash_combine(hash_value(I->getOpcode()),
5202                               hash_value(Call->getCalledFunction()));
5203       } else {
5204         Key = hash_combine(hash_value(Call), Key);
5205         SubKey = hash_combine(hash_value(I->getOpcode()), hash_value(Call));
5206       }
5207       for (const CallBase::BundleOpInfo &Op : Call->bundle_op_infos())
5208         SubKey = hash_combine(hash_value(Op.Begin), hash_value(Op.End),
5209                               hash_value(Op.Tag), SubKey);
5210     } else if (auto *Gep = dyn_cast<GetElementPtrInst>(I)) {
5211       if (Gep->getNumOperands() == 2 && isa<ConstantInt>(Gep->getOperand(1)))
5212         SubKey = hash_value(Gep->getPointerOperand());
5213       else
5214         SubKey = hash_value(Gep);
5215     } else if (BinaryOperator::isIntDivRem(I->getOpcode()) &&
5216                !isa<ConstantInt>(I->getOperand(1))) {
5217       // Do not try to vectorize instructions with potentially high cost.
5218       SubKey = hash_value(I);
5219     } else {
5220       SubKey = hash_value(I->getOpcode());
5221     }
5222     Key = hash_combine(hash_value(I->getParent()), Key);
5223   }
5224   return std::make_pair(Key, SubKey);
5225 }
5226 
5227 /// Checks if the specified instruction \p I is an alternate operation for
5228 /// the given \p MainOp and \p AltOp instructions.
5229 static bool isAlternateInstruction(const Instruction *I,
5230                                    const Instruction *MainOp,
5231                                    const Instruction *AltOp,
5232                                    const TargetLibraryInfo &TLI);
5233 
5234 BoUpSLP::TreeEntry::EntryState BoUpSLP::getScalarsVectorizationState(
5235     InstructionsState &S, ArrayRef<Value *> VL, bool IsScatterVectorizeUserTE,
5236     OrdersType &CurrentOrder, SmallVectorImpl<Value *> &PointerOps) const {
5237   assert(S.MainOp && "Expected instructions with same/alternate opcodes only.");
5238 
5239   unsigned ShuffleOrOp =
5240       S.isAltShuffle() ? (unsigned)Instruction::ShuffleVector : S.getOpcode();
5241   auto *VL0 = cast<Instruction>(S.OpValue);
5242   switch (ShuffleOrOp) {
5243   case Instruction::PHI: {
5244     // Check for terminator values (e.g. invoke).
5245     for (Value *V : VL)
5246       for (Value *Incoming : cast<PHINode>(V)->incoming_values()) {
5247         Instruction *Term = dyn_cast<Instruction>(Incoming);
5248         if (Term && Term->isTerminator()) {
5249           LLVM_DEBUG(dbgs()
5250                      << "SLP: Need to swizzle PHINodes (terminator use).\n");
5251           return TreeEntry::NeedToGather;
5252         }
5253       }
5254 
5255     return TreeEntry::Vectorize;
5256   }
5257   case Instruction::ExtractValue:
5258   case Instruction::ExtractElement: {
5259     bool Reuse = canReuseExtract(VL, VL0, CurrentOrder);
5260     if (Reuse || !CurrentOrder.empty())
5261       return TreeEntry::Vectorize;
5262     LLVM_DEBUG(dbgs() << "SLP: Gather extract sequence.\n");
5263     return TreeEntry::NeedToGather;
5264   }
5265   case Instruction::InsertElement: {
5266     // Check that we have a buildvector and not a shuffle of 2 or more
5267     // different vectors.
5268     ValueSet SourceVectors;
5269     for (Value *V : VL) {
5270       SourceVectors.insert(cast<Instruction>(V)->getOperand(0));
5271       assert(getInsertIndex(V) != std::nullopt &&
5272              "Non-constant or undef index?");
5273     }
5274 
5275     if (count_if(VL, [&SourceVectors](Value *V) {
5276           return !SourceVectors.contains(V);
5277         }) >= 2) {
5278       // Found 2nd source vector - cancel.
5279       LLVM_DEBUG(dbgs() << "SLP: Gather of insertelement vectors with "
5280                            "different source vectors.\n");
5281       return TreeEntry::NeedToGather;
5282     }
5283 
5284     return TreeEntry::Vectorize;
5285   }
5286   case Instruction::Load: {
5287     // Check that a vectorized load would load the same memory as a scalar
5288     // load. For example, we don't want to vectorize loads that are smaller
5289     // than 8-bit. Even though we have a packed struct {<i2, i2, i2, i2>} LLVM
5290     // treats loading/storing it as an i8 struct. If we vectorize loads/stores
5291     // from such a struct, we read/write packed bits disagreeing with the
5292     // unvectorized version.
5293     switch (canVectorizeLoads(VL, VL0, *TTI, *DL, *SE, *LI, *TLI, CurrentOrder,
5294                               PointerOps)) {
5295     case LoadsState::Vectorize:
5296       return TreeEntry::Vectorize;
5297     case LoadsState::ScatterVectorize:
5298       return TreeEntry::ScatterVectorize;
5299     case LoadsState::PossibleStridedVectorize:
5300       return TreeEntry::PossibleStridedVectorize;
5301     case LoadsState::Gather:
5302 #ifndef NDEBUG
5303       Type *ScalarTy = VL0->getType();
5304       if (DL->getTypeSizeInBits(ScalarTy) !=
5305           DL->getTypeAllocSizeInBits(ScalarTy))
5306         LLVM_DEBUG(dbgs() << "SLP: Gathering loads of non-packed type.\n");
5307       else if (any_of(VL,
5308                       [](Value *V) { return !cast<LoadInst>(V)->isSimple(); }))
5309         LLVM_DEBUG(dbgs() << "SLP: Gathering non-simple loads.\n");
5310       else
5311         LLVM_DEBUG(dbgs() << "SLP: Gathering non-consecutive loads.\n");
5312 #endif // NDEBUG
5313       return TreeEntry::NeedToGather;
5314     }
5315     llvm_unreachable("Unexpected state of loads");
5316   }
5317   case Instruction::ZExt:
5318   case Instruction::SExt:
5319   case Instruction::FPToUI:
5320   case Instruction::FPToSI:
5321   case Instruction::FPExt:
5322   case Instruction::PtrToInt:
5323   case Instruction::IntToPtr:
5324   case Instruction::SIToFP:
5325   case Instruction::UIToFP:
5326   case Instruction::Trunc:
5327   case Instruction::FPTrunc:
5328   case Instruction::BitCast: {
5329     Type *SrcTy = VL0->getOperand(0)->getType();
5330     for (Value *V : VL) {
5331       Type *Ty = cast<Instruction>(V)->getOperand(0)->getType();
5332       if (Ty != SrcTy || !isValidElementType(Ty)) {
5333         LLVM_DEBUG(
5334             dbgs() << "SLP: Gathering casts with different src types.\n");
5335         return TreeEntry::NeedToGather;
5336       }
5337     }
5338     return TreeEntry::Vectorize;
5339   }
5340   case Instruction::ICmp:
5341   case Instruction::FCmp: {
5342     // Check that all of the compares have the same predicate.
5343     CmpInst::Predicate P0 = cast<CmpInst>(VL0)->getPredicate();
5344     CmpInst::Predicate SwapP0 = CmpInst::getSwappedPredicate(P0);
5345     Type *ComparedTy = VL0->getOperand(0)->getType();
5346     for (Value *V : VL) {
5347       CmpInst *Cmp = cast<CmpInst>(V);
5348       if ((Cmp->getPredicate() != P0 && Cmp->getPredicate() != SwapP0) ||
5349           Cmp->getOperand(0)->getType() != ComparedTy) {
5350         LLVM_DEBUG(dbgs() << "SLP: Gathering cmp with different predicate.\n");
5351         return TreeEntry::NeedToGather;
5352       }
5353     }
5354     return TreeEntry::Vectorize;
5355   }
5356   case Instruction::Select:
5357   case Instruction::FNeg:
5358   case Instruction::Add:
5359   case Instruction::FAdd:
5360   case Instruction::Sub:
5361   case Instruction::FSub:
5362   case Instruction::Mul:
5363   case Instruction::FMul:
5364   case Instruction::UDiv:
5365   case Instruction::SDiv:
5366   case Instruction::FDiv:
5367   case Instruction::URem:
5368   case Instruction::SRem:
5369   case Instruction::FRem:
5370   case Instruction::Shl:
5371   case Instruction::LShr:
5372   case Instruction::AShr:
5373   case Instruction::And:
5374   case Instruction::Or:
5375   case Instruction::Xor:
5376     return TreeEntry::Vectorize;
5377   case Instruction::GetElementPtr: {
5378     // We don't combine GEPs with complicated (nested) indexing.
5379     for (Value *V : VL) {
5380       auto *I = dyn_cast<GetElementPtrInst>(V);
5381       if (!I)
5382         continue;
5383       if (I->getNumOperands() != 2) {
5384         LLVM_DEBUG(dbgs() << "SLP: not-vectorizable GEP (nested indexes).\n");
5385         return TreeEntry::NeedToGather;
5386       }
5387     }
5388 
5389     // We can't combine several GEPs into one vector if they operate on
5390     // different types.
5391     Type *Ty0 = cast<GEPOperator>(VL0)->getSourceElementType();
5392     for (Value *V : VL) {
5393       auto *GEP = dyn_cast<GEPOperator>(V);
5394       if (!GEP)
5395         continue;
5396       Type *CurTy = GEP->getSourceElementType();
5397       if (Ty0 != CurTy) {
5398         LLVM_DEBUG(dbgs() << "SLP: not-vectorizable GEP (different types).\n");
5399         return TreeEntry::NeedToGather;
5400       }
5401     }
5402 
5403     // We don't combine GEPs with non-constant indexes.
5404     Type *Ty1 = VL0->getOperand(1)->getType();
5405     for (Value *V : VL) {
5406       auto *I = dyn_cast<GetElementPtrInst>(V);
5407       if (!I)
5408         continue;
5409       auto *Op = I->getOperand(1);
5410       if ((!IsScatterVectorizeUserTE && !isa<ConstantInt>(Op)) ||
5411           (Op->getType() != Ty1 &&
5412            ((IsScatterVectorizeUserTE && !isa<ConstantInt>(Op)) ||
5413             Op->getType()->getScalarSizeInBits() >
5414                 DL->getIndexSizeInBits(
5415                     V->getType()->getPointerAddressSpace())))) {
5416         LLVM_DEBUG(
5417             dbgs() << "SLP: not-vectorizable GEP (non-constant indexes).\n");
5418         return TreeEntry::NeedToGather;
5419       }
5420     }
5421 
5422     return TreeEntry::Vectorize;
5423   }
5424   case Instruction::Store: {
5425     // Check if the stores are consecutive or if we need to swizzle them.
5426     llvm::Type *ScalarTy = cast<StoreInst>(VL0)->getValueOperand()->getType();
5427     // Avoid types that are padded when being allocated as scalars, while
5428     // being packed together in a vector (such as i1).
5429     if (DL->getTypeSizeInBits(ScalarTy) !=
5430         DL->getTypeAllocSizeInBits(ScalarTy)) {
5431       LLVM_DEBUG(dbgs() << "SLP: Gathering stores of non-packed type.\n");
5432       return TreeEntry::NeedToGather;
5433     }
5434     // Make sure all stores in the bundle are simple - we can't vectorize
5435     // atomic or volatile stores.
5436     for (Value *V : VL) {
5437       auto *SI = cast<StoreInst>(V);
5438       if (!SI->isSimple()) {
5439         LLVM_DEBUG(dbgs() << "SLP: Gathering non-simple stores.\n");
5440         return TreeEntry::NeedToGather;
5441       }
5442       PointerOps.push_back(SI->getPointerOperand());
5443     }
5444 
5445     // Check the order of pointer operands.
5446     if (llvm::sortPtrAccesses(PointerOps, ScalarTy, *DL, *SE, CurrentOrder)) {
5447       Value *Ptr0;
5448       Value *PtrN;
5449       if (CurrentOrder.empty()) {
5450         Ptr0 = PointerOps.front();
5451         PtrN = PointerOps.back();
5452       } else {
5453         Ptr0 = PointerOps[CurrentOrder.front()];
5454         PtrN = PointerOps[CurrentOrder.back()];
5455       }
5456       std::optional<int> Dist =
5457           getPointersDiff(ScalarTy, Ptr0, ScalarTy, PtrN, *DL, *SE);
5458       // Check that the sorted pointer operands are consecutive.
5459       if (static_cast<unsigned>(*Dist) == VL.size() - 1)
5460         return TreeEntry::Vectorize;
5461     }
5462 
5463     LLVM_DEBUG(dbgs() << "SLP: Non-consecutive store.\n");
5464     return TreeEntry::NeedToGather;
5465   }
5466   case Instruction::Call: {
5467     // Check if the calls are all to the same vectorizable intrinsic or
5468     // library function.
5469     CallInst *CI = cast<CallInst>(VL0);
5470     Intrinsic::ID ID = getVectorIntrinsicIDForCall(CI, TLI);
5471 
5472     VFShape Shape = VFShape::get(
5473         CI->getFunctionType(),
5474         ElementCount::getFixed(static_cast<unsigned int>(VL.size())),
5475         false /*HasGlobalPred*/);
5476     Function *VecFunc = VFDatabase(*CI).getVectorizedFunction(Shape);
5477 
5478     if (!VecFunc && !isTriviallyVectorizable(ID)) {
5479       LLVM_DEBUG(dbgs() << "SLP: Non-vectorizable call.\n");
5480       return TreeEntry::NeedToGather;
5481     }
5482     Function *F = CI->getCalledFunction();
5483     unsigned NumArgs = CI->arg_size();
5484     SmallVector<Value *, 4> ScalarArgs(NumArgs, nullptr);
5485     for (unsigned J = 0; J != NumArgs; ++J)
5486       if (isVectorIntrinsicWithScalarOpAtArg(ID, J))
5487         ScalarArgs[J] = CI->getArgOperand(J);
5488     for (Value *V : VL) {
5489       CallInst *CI2 = dyn_cast<CallInst>(V);
5490       if (!CI2 || CI2->getCalledFunction() != F ||
5491           getVectorIntrinsicIDForCall(CI2, TLI) != ID ||
5492           (VecFunc &&
5493            VecFunc != VFDatabase(*CI2).getVectorizedFunction(Shape)) ||
5494           !CI->hasIdenticalOperandBundleSchema(*CI2)) {
5495         LLVM_DEBUG(dbgs() << "SLP: mismatched calls:" << *CI << "!=" << *V
5496                           << "\n");
5497         return TreeEntry::NeedToGather;
5498       }
5499       // Some intrinsics have scalar arguments and should be same in order for
5500       // them to be vectorized.
5501       for (unsigned J = 0; J != NumArgs; ++J) {
5502         if (isVectorIntrinsicWithScalarOpAtArg(ID, J)) {
5503           Value *A1J = CI2->getArgOperand(J);
5504           if (ScalarArgs[J] != A1J) {
5505             LLVM_DEBUG(dbgs()
5506                        << "SLP: mismatched arguments in call:" << *CI
5507                        << " argument " << ScalarArgs[J] << "!=" << A1J << "\n");
5508             return TreeEntry::NeedToGather;
5509           }
5510         }
5511       }
5512       // Verify that the bundle operands are identical between the two calls.
5513       if (CI->hasOperandBundles() &&
5514           !std::equal(CI->op_begin() + CI->getBundleOperandsStartIndex(),
5515                       CI->op_begin() + CI->getBundleOperandsEndIndex(),
5516                       CI2->op_begin() + CI2->getBundleOperandsStartIndex())) {
5517         LLVM_DEBUG(dbgs() << "SLP: mismatched bundle operands in calls:" << *CI
5518                           << "!=" << *V << '\n');
5519         return TreeEntry::NeedToGather;
5520       }
5521     }
5522 
5523     return TreeEntry::Vectorize;
5524   }
5525   case Instruction::ShuffleVector: {
5526     // If this is not an alternate sequence of opcode like add-sub
5527     // then do not vectorize this instruction.
5528     if (!S.isAltShuffle()) {
5529       LLVM_DEBUG(dbgs() << "SLP: ShuffleVector are not vectorized.\n");
5530       return TreeEntry::NeedToGather;
5531     }
5532     return TreeEntry::Vectorize;
5533   }
5534   default:
5535     LLVM_DEBUG(dbgs() << "SLP: Gathering unknown instruction.\n");
5536     return TreeEntry::NeedToGather;
5537   }
5538 }
5539 
5540 void BoUpSLP::buildTree_rec(ArrayRef<Value *> VL, unsigned Depth,
5541                             const EdgeInfo &UserTreeIdx) {
5542   assert((allConstant(VL) || allSameType(VL)) && "Invalid types!");
5543 
5544   SmallVector<int> ReuseShuffleIndicies;
5545   SmallVector<Value *> UniqueValues;
5546   SmallVector<Value *> NonUniqueValueVL;
5547   auto TryToFindDuplicates = [&](const InstructionsState &S,
5548                                  bool DoNotFail = false) {
5549     // Check that every instruction appears once in this bundle.
5550     DenseMap<Value *, unsigned> UniquePositions(VL.size());
5551     for (Value *V : VL) {
5552       if (isConstant(V)) {
5553         ReuseShuffleIndicies.emplace_back(
5554             isa<UndefValue>(V) ? PoisonMaskElem : UniqueValues.size());
5555         UniqueValues.emplace_back(V);
5556         continue;
5557       }
5558       auto Res = UniquePositions.try_emplace(V, UniqueValues.size());
5559       ReuseShuffleIndicies.emplace_back(Res.first->second);
5560       if (Res.second)
5561         UniqueValues.emplace_back(V);
5562     }
5563     size_t NumUniqueScalarValues = UniqueValues.size();
5564     if (NumUniqueScalarValues == VL.size()) {
5565       ReuseShuffleIndicies.clear();
5566     } else {
5567       LLVM_DEBUG(dbgs() << "SLP: Shuffle for reused scalars.\n");
5568       if (NumUniqueScalarValues <= 1 ||
5569           (UniquePositions.size() == 1 && all_of(UniqueValues,
5570                                                  [](Value *V) {
5571                                                    return isa<UndefValue>(V) ||
5572                                                           !isConstant(V);
5573                                                  })) ||
5574           !llvm::has_single_bit<uint32_t>(NumUniqueScalarValues)) {
5575         if (DoNotFail && UniquePositions.size() > 1 &&
5576             NumUniqueScalarValues > 1 && S.MainOp->isSafeToRemove() &&
5577             all_of(UniqueValues, [=](Value *V) {
5578               return isa<ExtractElementInst>(V) ||
5579                      areAllUsersVectorized(cast<Instruction>(V),
5580                                            UserIgnoreList);
5581             })) {
5582           unsigned PWSz = PowerOf2Ceil(UniqueValues.size());
5583           if (PWSz == VL.size()) {
5584             ReuseShuffleIndicies.clear();
5585           } else {
5586             NonUniqueValueVL.assign(UniqueValues.begin(), UniqueValues.end());
5587             NonUniqueValueVL.append(PWSz - UniqueValues.size(),
5588                                     UniqueValues.back());
5589             VL = NonUniqueValueVL;
5590           }
5591           return true;
5592         }
5593         LLVM_DEBUG(dbgs() << "SLP: Scalar used twice in bundle.\n");
5594         newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx);
5595         return false;
5596       }
5597       VL = UniqueValues;
5598     }
5599     return true;
5600   };
5601 
5602   InstructionsState S = getSameOpcode(VL, *TLI);
5603 
5604   // Don't vectorize ephemeral values.
5605   if (!EphValues.empty()) {
5606     for (Value *V : VL) {
5607       if (EphValues.count(V)) {
5608         LLVM_DEBUG(dbgs() << "SLP: The instruction (" << *V
5609                           << ") is ephemeral.\n");
5610         newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx);
5611         return;
5612       }
5613     }
5614   }
5615 
5616   // Gather if we hit the RecursionMaxDepth, unless this is a load (or z/sext of
5617   // a load), in which case peek through to include it in the tree, without
5618   // ballooning over-budget.
5619   if (Depth >= RecursionMaxDepth &&
5620       !(S.MainOp && isa<Instruction>(S.MainOp) && S.MainOp == S.AltOp &&
5621         VL.size() >= 4 &&
5622         (match(S.MainOp, m_Load(m_Value())) || all_of(VL, [&S](const Value *I) {
5623            return match(I,
5624                         m_OneUse(m_ZExtOrSExt(m_OneUse(m_Load(m_Value()))))) &&
5625                   cast<Instruction>(I)->getOpcode() ==
5626                       cast<Instruction>(S.MainOp)->getOpcode();
5627          })))) {
5628     LLVM_DEBUG(dbgs() << "SLP: Gathering due to max recursion depth.\n");
5629     if (TryToFindDuplicates(S))
5630       newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx,
5631                    ReuseShuffleIndicies);
5632     return;
5633   }
5634 
5635   // Don't handle scalable vectors
5636   if (S.getOpcode() == Instruction::ExtractElement &&
5637       isa<ScalableVectorType>(
5638           cast<ExtractElementInst>(S.OpValue)->getVectorOperandType())) {
5639     LLVM_DEBUG(dbgs() << "SLP: Gathering due to scalable vector type.\n");
5640     if (TryToFindDuplicates(S))
5641       newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx,
5642                    ReuseShuffleIndicies);
5643     return;
5644   }
5645 
5646   // Don't handle vectors.
5647   if (S.OpValue->getType()->isVectorTy() &&
5648       !isa<InsertElementInst>(S.OpValue)) {
5649     LLVM_DEBUG(dbgs() << "SLP: Gathering due to vector type.\n");
5650     newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx);
5651     return;
5652   }
5653 
5654   if (StoreInst *SI = dyn_cast<StoreInst>(S.OpValue))
5655     if (SI->getValueOperand()->getType()->isVectorTy()) {
5656       LLVM_DEBUG(dbgs() << "SLP: Gathering due to store vector type.\n");
5657       newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx);
5658       return;
5659     }
5660 
5661   // If all of the operands are identical or constant we have a simple solution.
5662   // If we deal with insert/extract instructions, they all must have constant
5663   // indices, otherwise we should gather them, not try to vectorize.
5664   // If alternate op node with 2 elements with gathered operands - do not
5665   // vectorize.
5666   auto &&NotProfitableForVectorization = [&S, this,
5667                                           Depth](ArrayRef<Value *> VL) {
5668     if (!S.getOpcode() || !S.isAltShuffle() || VL.size() > 2)
5669       return false;
5670     if (VectorizableTree.size() < MinTreeSize)
5671       return false;
5672     if (Depth >= RecursionMaxDepth - 1)
5673       return true;
5674     // Check if all operands are extracts, part of vector node or can build a
5675     // regular vectorize node.
5676     SmallVector<unsigned, 2> InstsCount(VL.size(), 0);
5677     for (Value *V : VL) {
5678       auto *I = cast<Instruction>(V);
5679       InstsCount.push_back(count_if(I->operand_values(), [](Value *Op) {
5680         return isa<Instruction>(Op) || isVectorLikeInstWithConstOps(Op);
5681       }));
5682     }
5683     bool IsCommutative = isCommutative(S.MainOp) || isCommutative(S.AltOp);
5684     if ((IsCommutative &&
5685          std::accumulate(InstsCount.begin(), InstsCount.end(), 0) < 2) ||
5686         (!IsCommutative &&
5687          all_of(InstsCount, [](unsigned ICnt) { return ICnt < 2; })))
5688       return true;
5689     assert(VL.size() == 2 && "Expected only 2 alternate op instructions.");
5690     SmallVector<SmallVector<std::pair<Value *, Value *>>> Candidates;
5691     auto *I1 = cast<Instruction>(VL.front());
5692     auto *I2 = cast<Instruction>(VL.back());
5693     for (int Op = 0, E = S.MainOp->getNumOperands(); Op < E; ++Op)
5694       Candidates.emplace_back().emplace_back(I1->getOperand(Op),
5695                                              I2->getOperand(Op));
5696     if (static_cast<unsigned>(count_if(
5697             Candidates, [this](ArrayRef<std::pair<Value *, Value *>> Cand) {
5698               return findBestRootPair(Cand, LookAheadHeuristics::ScoreSplat);
5699             })) >= S.MainOp->getNumOperands() / 2)
5700       return false;
5701     if (S.MainOp->getNumOperands() > 2)
5702       return true;
5703     if (IsCommutative) {
5704       // Check permuted operands.
5705       Candidates.clear();
5706       for (int Op = 0, E = S.MainOp->getNumOperands(); Op < E; ++Op)
5707         Candidates.emplace_back().emplace_back(I1->getOperand(Op),
5708                                                I2->getOperand((Op + 1) % E));
5709       if (any_of(
5710               Candidates, [this](ArrayRef<std::pair<Value *, Value *>> Cand) {
5711                 return findBestRootPair(Cand, LookAheadHeuristics::ScoreSplat);
5712               }))
5713         return false;
5714     }
5715     return true;
5716   };
5717   SmallVector<unsigned> SortedIndices;
5718   BasicBlock *BB = nullptr;
5719   bool IsScatterVectorizeUserTE =
5720       UserTreeIdx.UserTE &&
5721       (UserTreeIdx.UserTE->State == TreeEntry::ScatterVectorize ||
5722        UserTreeIdx.UserTE->State == TreeEntry::PossibleStridedVectorize);
5723   bool AreAllSameInsts =
5724       (S.getOpcode() && allSameBlock(VL)) ||
5725       (S.OpValue->getType()->isPointerTy() && IsScatterVectorizeUserTE &&
5726        VL.size() > 2 &&
5727        all_of(VL,
5728               [&BB](Value *V) {
5729                 auto *I = dyn_cast<GetElementPtrInst>(V);
5730                 if (!I)
5731                   return doesNotNeedToBeScheduled(V);
5732                 if (!BB)
5733                   BB = I->getParent();
5734                 return BB == I->getParent() && I->getNumOperands() == 2;
5735               }) &&
5736        BB &&
5737        sortPtrAccesses(VL, UserTreeIdx.UserTE->getMainOp()->getType(), *DL, *SE,
5738                        SortedIndices));
5739   if (!AreAllSameInsts || allConstant(VL) || isSplat(VL) ||
5740       (isa<InsertElementInst, ExtractValueInst, ExtractElementInst>(
5741            S.OpValue) &&
5742        !all_of(VL, isVectorLikeInstWithConstOps)) ||
5743       NotProfitableForVectorization(VL)) {
5744     LLVM_DEBUG(dbgs() << "SLP: Gathering due to C,S,B,O, small shuffle. \n");
5745     if (TryToFindDuplicates(S))
5746       newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx,
5747                    ReuseShuffleIndicies);
5748     return;
5749   }
5750 
5751   // We now know that this is a vector of instructions of the same type from
5752   // the same block.
5753 
5754   // Check if this is a duplicate of another entry.
5755   if (TreeEntry *E = getTreeEntry(S.OpValue)) {
5756     LLVM_DEBUG(dbgs() << "SLP: \tChecking bundle: " << *S.OpValue << ".\n");
5757     if (!E->isSame(VL)) {
5758       auto It = MultiNodeScalars.find(S.OpValue);
5759       if (It != MultiNodeScalars.end()) {
5760         auto *TEIt = find_if(It->getSecond(),
5761                              [&](TreeEntry *ME) { return ME->isSame(VL); });
5762         if (TEIt != It->getSecond().end())
5763           E = *TEIt;
5764         else
5765           E = nullptr;
5766       } else {
5767         E = nullptr;
5768       }
5769     }
5770     if (!E) {
5771       if (!doesNotNeedToBeScheduled(S.OpValue)) {
5772         LLVM_DEBUG(dbgs() << "SLP: Gathering due to partial overlap.\n");
5773         if (TryToFindDuplicates(S))
5774           newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx,
5775                        ReuseShuffleIndicies);
5776         return;
5777       }
5778     } else {
5779       // Record the reuse of the tree node.  FIXME, currently this is only used
5780       // to properly draw the graph rather than for the actual vectorization.
5781       E->UserTreeIndices.push_back(UserTreeIdx);
5782       LLVM_DEBUG(dbgs() << "SLP: Perfect diamond merge at " << *S.OpValue
5783                         << ".\n");
5784       return;
5785     }
5786   }
5787 
5788   // Check that none of the instructions in the bundle are already in the tree.
5789   for (Value *V : VL) {
5790     if ((!IsScatterVectorizeUserTE && !isa<Instruction>(V)) ||
5791         doesNotNeedToBeScheduled(V))
5792       continue;
5793     if (getTreeEntry(V)) {
5794       LLVM_DEBUG(dbgs() << "SLP: The instruction (" << *V
5795                         << ") is already in tree.\n");
5796       if (TryToFindDuplicates(S))
5797         newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx,
5798                      ReuseShuffleIndicies);
5799       return;
5800     }
5801   }
5802 
5803   // The reduction nodes (stored in UserIgnoreList) also should stay scalar.
5804   if (UserIgnoreList && !UserIgnoreList->empty()) {
5805     for (Value *V : VL) {
5806       if (UserIgnoreList && UserIgnoreList->contains(V)) {
5807         LLVM_DEBUG(dbgs() << "SLP: Gathering due to gathered scalar.\n");
5808         if (TryToFindDuplicates(S))
5809           newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx,
5810                        ReuseShuffleIndicies);
5811         return;
5812       }
5813     }
5814   }
5815 
5816   // Special processing for sorted pointers for ScatterVectorize node with
5817   // constant indeces only.
5818   if (AreAllSameInsts && UserTreeIdx.UserTE &&
5819       (UserTreeIdx.UserTE->State == TreeEntry::ScatterVectorize ||
5820        UserTreeIdx.UserTE->State == TreeEntry::PossibleStridedVectorize) &&
5821       !(S.getOpcode() && allSameBlock(VL))) {
5822     assert(S.OpValue->getType()->isPointerTy() &&
5823            count_if(VL, [](Value *V) { return isa<GetElementPtrInst>(V); }) >=
5824                2 &&
5825            "Expected pointers only.");
5826     // Reset S to make it GetElementPtr kind of node.
5827     const auto *It = find_if(VL, [](Value *V) { return isa<GetElementPtrInst>(V); });
5828     assert(It != VL.end() && "Expected at least one GEP.");
5829     S = getSameOpcode(*It, *TLI);
5830   }
5831 
5832   // Check that all of the users of the scalars that we want to vectorize are
5833   // schedulable.
5834   auto *VL0 = cast<Instruction>(S.OpValue);
5835   BB = VL0->getParent();
5836 
5837   if (!DT->isReachableFromEntry(BB)) {
5838     // Don't go into unreachable blocks. They may contain instructions with
5839     // dependency cycles which confuse the final scheduling.
5840     LLVM_DEBUG(dbgs() << "SLP: bundle in unreachable block.\n");
5841     newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx);
5842     return;
5843   }
5844 
5845   // Don't go into catchswitch blocks, which can happen with PHIs.
5846   // Such blocks can only have PHIs and the catchswitch.  There is no
5847   // place to insert a shuffle if we need to, so just avoid that issue.
5848   if (isa<CatchSwitchInst>(BB->getTerminator())) {
5849     LLVM_DEBUG(dbgs() << "SLP: bundle in catchswitch block.\n");
5850     newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx);
5851     return;
5852   }
5853 
5854   // Check that every instruction appears once in this bundle.
5855   if (!TryToFindDuplicates(S, /*DoNotFail=*/true))
5856     return;
5857 
5858   // Perform specific checks for each particular instruction kind.
5859   OrdersType CurrentOrder;
5860   SmallVector<Value *> PointerOps;
5861   TreeEntry::EntryState State = getScalarsVectorizationState(
5862       S, VL, IsScatterVectorizeUserTE, CurrentOrder, PointerOps);
5863   if (State == TreeEntry::NeedToGather) {
5864     newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx,
5865                  ReuseShuffleIndicies);
5866     return;
5867   }
5868 
5869   auto &BSRef = BlocksSchedules[BB];
5870   if (!BSRef)
5871     BSRef = std::make_unique<BlockScheduling>(BB);
5872 
5873   BlockScheduling &BS = *BSRef;
5874 
5875   std::optional<ScheduleData *> Bundle =
5876       BS.tryScheduleBundle(UniqueValues, this, S);
5877 #ifdef EXPENSIVE_CHECKS
5878   // Make sure we didn't break any internal invariants
5879   BS.verify();
5880 #endif
5881   if (!Bundle) {
5882     LLVM_DEBUG(dbgs() << "SLP: We are not able to schedule this bundle!\n");
5883     assert((!BS.getScheduleData(VL0) ||
5884             !BS.getScheduleData(VL0)->isPartOfBundle()) &&
5885            "tryScheduleBundle should cancelScheduling on failure");
5886     newTreeEntry(VL, std::nullopt /*not vectorized*/, S, UserTreeIdx,
5887                  ReuseShuffleIndicies);
5888     return;
5889   }
5890   LLVM_DEBUG(dbgs() << "SLP: We are able to schedule this bundle.\n");
5891 
5892   unsigned ShuffleOrOp = S.isAltShuffle() ?
5893                 (unsigned) Instruction::ShuffleVector : S.getOpcode();
5894   switch (ShuffleOrOp) {
5895     case Instruction::PHI: {
5896       auto *PH = cast<PHINode>(VL0);
5897 
5898       TreeEntry *TE =
5899           newTreeEntry(VL, Bundle, S, UserTreeIdx, ReuseShuffleIndicies);
5900       LLVM_DEBUG(dbgs() << "SLP: added a vector of PHINodes.\n");
5901 
5902       // Keeps the reordered operands to avoid code duplication.
5903       SmallVector<ValueList, 2> OperandsVec;
5904       for (unsigned I = 0, E = PH->getNumIncomingValues(); I < E; ++I) {
5905         if (!DT->isReachableFromEntry(PH->getIncomingBlock(I))) {
5906           ValueList Operands(VL.size(), PoisonValue::get(PH->getType()));
5907           TE->setOperand(I, Operands);
5908           OperandsVec.push_back(Operands);
5909           continue;
5910         }
5911         ValueList Operands;
5912         // Prepare the operand vector.
5913         for (Value *V : VL)
5914           Operands.push_back(cast<PHINode>(V)->getIncomingValueForBlock(
5915               PH->getIncomingBlock(I)));
5916         TE->setOperand(I, Operands);
5917         OperandsVec.push_back(Operands);
5918       }
5919       for (unsigned OpIdx = 0, OpE = OperandsVec.size(); OpIdx != OpE; ++OpIdx)
5920         buildTree_rec(OperandsVec[OpIdx], Depth + 1, {TE, OpIdx});
5921       return;
5922     }
5923     case Instruction::ExtractValue:
5924     case Instruction::ExtractElement: {
5925       if (CurrentOrder.empty()) {
5926         LLVM_DEBUG(dbgs() << "SLP: Reusing or shuffling extract sequence.\n");
5927         newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
5928                      ReuseShuffleIndicies);
5929         // This is a special case, as it does not gather, but at the same time
5930         // we are not extending buildTree_rec() towards the operands.
5931         ValueList Op0;
5932         Op0.assign(VL.size(), VL0->getOperand(0));
5933         VectorizableTree.back()->setOperand(0, Op0);
5934         return;
5935       }
5936       LLVM_DEBUG({
5937         dbgs() << "SLP: Reusing or shuffling of reordered extract sequence "
5938                   "with order";
5939         for (unsigned Idx : CurrentOrder)
5940           dbgs() << " " << Idx;
5941         dbgs() << "\n";
5942       });
5943       fixupOrderingIndices(CurrentOrder);
5944       // Insert new order with initial value 0, if it does not exist,
5945       // otherwise return the iterator to the existing one.
5946       newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
5947                    ReuseShuffleIndicies, CurrentOrder);
5948       // This is a special case, as it does not gather, but at the same time
5949       // we are not extending buildTree_rec() towards the operands.
5950       ValueList Op0;
5951       Op0.assign(VL.size(), VL0->getOperand(0));
5952       VectorizableTree.back()->setOperand(0, Op0);
5953       return;
5954     }
5955     case Instruction::InsertElement: {
5956       assert(ReuseShuffleIndicies.empty() && "All inserts should be unique");
5957 
5958       auto OrdCompare = [](const std::pair<int, int> &P1,
5959                            const std::pair<int, int> &P2) {
5960         return P1.first > P2.first;
5961       };
5962       PriorityQueue<std::pair<int, int>, SmallVector<std::pair<int, int>>,
5963                     decltype(OrdCompare)>
5964           Indices(OrdCompare);
5965       for (int I = 0, E = VL.size(); I < E; ++I) {
5966         unsigned Idx = *getInsertIndex(VL[I]);
5967         Indices.emplace(Idx, I);
5968       }
5969       OrdersType CurrentOrder(VL.size(), VL.size());
5970       bool IsIdentity = true;
5971       for (int I = 0, E = VL.size(); I < E; ++I) {
5972         CurrentOrder[Indices.top().second] = I;
5973         IsIdentity &= Indices.top().second == I;
5974         Indices.pop();
5975       }
5976       if (IsIdentity)
5977         CurrentOrder.clear();
5978       TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
5979                                    std::nullopt, CurrentOrder);
5980       LLVM_DEBUG(dbgs() << "SLP: added inserts bundle.\n");
5981 
5982       constexpr int NumOps = 2;
5983       ValueList VectorOperands[NumOps];
5984       for (int I = 0; I < NumOps; ++I) {
5985         for (Value *V : VL)
5986           VectorOperands[I].push_back(cast<Instruction>(V)->getOperand(I));
5987 
5988         TE->setOperand(I, VectorOperands[I]);
5989       }
5990       buildTree_rec(VectorOperands[NumOps - 1], Depth + 1, {TE, NumOps - 1});
5991       return;
5992     }
5993     case Instruction::Load: {
5994       // Check that a vectorized load would load the same memory as a scalar
5995       // load. For example, we don't want to vectorize loads that are smaller
5996       // than 8-bit. Even though we have a packed struct {<i2, i2, i2, i2>} LLVM
5997       // treats loading/storing it as an i8 struct. If we vectorize loads/stores
5998       // from such a struct, we read/write packed bits disagreeing with the
5999       // unvectorized version.
6000       TreeEntry *TE = nullptr;
6001       fixupOrderingIndices(CurrentOrder);
6002       switch (State) {
6003       case TreeEntry::Vectorize:
6004         if (CurrentOrder.empty()) {
6005           // Original loads are consecutive and does not require reordering.
6006           TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6007                             ReuseShuffleIndicies);
6008           LLVM_DEBUG(dbgs() << "SLP: added a vector of loads.\n");
6009         } else {
6010           // Need to reorder.
6011           TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6012                             ReuseShuffleIndicies, CurrentOrder);
6013           LLVM_DEBUG(dbgs() << "SLP: added a vector of jumbled loads.\n");
6014         }
6015         TE->setOperandsInOrder();
6016         break;
6017       case TreeEntry::PossibleStridedVectorize:
6018         // Vectorizing non-consecutive loads with `llvm.masked.gather`.
6019         if (CurrentOrder.empty()) {
6020           TE = newTreeEntry(VL, TreeEntry::PossibleStridedVectorize, Bundle, S,
6021                             UserTreeIdx, ReuseShuffleIndicies);
6022         } else {
6023           TE = newTreeEntry(VL, TreeEntry::PossibleStridedVectorize, Bundle, S,
6024                             UserTreeIdx, ReuseShuffleIndicies, CurrentOrder);
6025         }
6026         TE->setOperandsInOrder();
6027         buildTree_rec(PointerOps, Depth + 1, {TE, 0});
6028         LLVM_DEBUG(dbgs() << "SLP: added a vector of non-consecutive loads.\n");
6029         break;
6030       case TreeEntry::ScatterVectorize:
6031         // Vectorizing non-consecutive loads with `llvm.masked.gather`.
6032         TE = newTreeEntry(VL, TreeEntry::ScatterVectorize, Bundle, S,
6033                           UserTreeIdx, ReuseShuffleIndicies);
6034         TE->setOperandsInOrder();
6035         buildTree_rec(PointerOps, Depth + 1, {TE, 0});
6036         LLVM_DEBUG(dbgs() << "SLP: added a vector of non-consecutive loads.\n");
6037         break;
6038       case TreeEntry::NeedToGather:
6039         llvm_unreachable("Unexpected loads state.");
6040       }
6041       return;
6042     }
6043     case Instruction::ZExt:
6044     case Instruction::SExt:
6045     case Instruction::FPToUI:
6046     case Instruction::FPToSI:
6047     case Instruction::FPExt:
6048     case Instruction::PtrToInt:
6049     case Instruction::IntToPtr:
6050     case Instruction::SIToFP:
6051     case Instruction::UIToFP:
6052     case Instruction::Trunc:
6053     case Instruction::FPTrunc:
6054     case Instruction::BitCast: {
6055       TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6056                                    ReuseShuffleIndicies);
6057       LLVM_DEBUG(dbgs() << "SLP: added a vector of casts.\n");
6058 
6059       TE->setOperandsInOrder();
6060       for (unsigned I : seq<unsigned>(0, VL0->getNumOperands())) {
6061         ValueList Operands;
6062         // Prepare the operand vector.
6063         for (Value *V : VL)
6064           Operands.push_back(cast<Instruction>(V)->getOperand(I));
6065 
6066         buildTree_rec(Operands, Depth + 1, {TE, I});
6067       }
6068       return;
6069     }
6070     case Instruction::ICmp:
6071     case Instruction::FCmp: {
6072       // Check that all of the compares have the same predicate.
6073       CmpInst::Predicate P0 = cast<CmpInst>(VL0)->getPredicate();
6074       TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6075                                    ReuseShuffleIndicies);
6076       LLVM_DEBUG(dbgs() << "SLP: added a vector of compares.\n");
6077 
6078       ValueList Left, Right;
6079       if (cast<CmpInst>(VL0)->isCommutative()) {
6080         // Commutative predicate - collect + sort operands of the instructions
6081         // so that each side is more likely to have the same opcode.
6082         assert(P0 == CmpInst::getSwappedPredicate(P0) &&
6083                "Commutative Predicate mismatch");
6084         reorderInputsAccordingToOpcode(VL, Left, Right, *TLI, *DL, *SE, *this);
6085       } else {
6086         // Collect operands - commute if it uses the swapped predicate.
6087         for (Value *V : VL) {
6088           auto *Cmp = cast<CmpInst>(V);
6089           Value *LHS = Cmp->getOperand(0);
6090           Value *RHS = Cmp->getOperand(1);
6091           if (Cmp->getPredicate() != P0)
6092             std::swap(LHS, RHS);
6093           Left.push_back(LHS);
6094           Right.push_back(RHS);
6095         }
6096       }
6097       TE->setOperand(0, Left);
6098       TE->setOperand(1, Right);
6099       buildTree_rec(Left, Depth + 1, {TE, 0});
6100       buildTree_rec(Right, Depth + 1, {TE, 1});
6101       return;
6102     }
6103     case Instruction::Select:
6104     case Instruction::FNeg:
6105     case Instruction::Add:
6106     case Instruction::FAdd:
6107     case Instruction::Sub:
6108     case Instruction::FSub:
6109     case Instruction::Mul:
6110     case Instruction::FMul:
6111     case Instruction::UDiv:
6112     case Instruction::SDiv:
6113     case Instruction::FDiv:
6114     case Instruction::URem:
6115     case Instruction::SRem:
6116     case Instruction::FRem:
6117     case Instruction::Shl:
6118     case Instruction::LShr:
6119     case Instruction::AShr:
6120     case Instruction::And:
6121     case Instruction::Or:
6122     case Instruction::Xor: {
6123       TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6124                                    ReuseShuffleIndicies);
6125       LLVM_DEBUG(dbgs() << "SLP: added a vector of un/bin op.\n");
6126 
6127       // Sort operands of the instructions so that each side is more likely to
6128       // have the same opcode.
6129       if (isa<BinaryOperator>(VL0) && VL0->isCommutative()) {
6130         ValueList Left, Right;
6131         reorderInputsAccordingToOpcode(VL, Left, Right, *TLI, *DL, *SE, *this);
6132         TE->setOperand(0, Left);
6133         TE->setOperand(1, Right);
6134         buildTree_rec(Left, Depth + 1, {TE, 0});
6135         buildTree_rec(Right, Depth + 1, {TE, 1});
6136         return;
6137       }
6138 
6139       TE->setOperandsInOrder();
6140       for (unsigned I : seq<unsigned>(0, VL0->getNumOperands())) {
6141         ValueList Operands;
6142         // Prepare the operand vector.
6143         for (Value *V : VL)
6144           Operands.push_back(cast<Instruction>(V)->getOperand(I));
6145 
6146         buildTree_rec(Operands, Depth + 1, {TE, I});
6147       }
6148       return;
6149     }
6150     case Instruction::GetElementPtr: {
6151       TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6152                                    ReuseShuffleIndicies);
6153       LLVM_DEBUG(dbgs() << "SLP: added a vector of GEPs.\n");
6154       SmallVector<ValueList, 2> Operands(2);
6155       // Prepare the operand vector for pointer operands.
6156       for (Value *V : VL) {
6157         auto *GEP = dyn_cast<GetElementPtrInst>(V);
6158         if (!GEP) {
6159           Operands.front().push_back(V);
6160           continue;
6161         }
6162         Operands.front().push_back(GEP->getPointerOperand());
6163       }
6164       TE->setOperand(0, Operands.front());
6165       // Need to cast all indices to the same type before vectorization to
6166       // avoid crash.
6167       // Required to be able to find correct matches between different gather
6168       // nodes and reuse the vectorized values rather than trying to gather them
6169       // again.
6170       int IndexIdx = 1;
6171       Type *VL0Ty = VL0->getOperand(IndexIdx)->getType();
6172       Type *Ty = all_of(VL,
6173                         [VL0Ty, IndexIdx](Value *V) {
6174                           auto *GEP = dyn_cast<GetElementPtrInst>(V);
6175                           if (!GEP)
6176                             return true;
6177                           return VL0Ty == GEP->getOperand(IndexIdx)->getType();
6178                         })
6179                      ? VL0Ty
6180                      : DL->getIndexType(cast<GetElementPtrInst>(VL0)
6181                                             ->getPointerOperandType()
6182                                             ->getScalarType());
6183       // Prepare the operand vector.
6184       for (Value *V : VL) {
6185         auto *I = dyn_cast<GetElementPtrInst>(V);
6186         if (!I) {
6187           Operands.back().push_back(
6188               ConstantInt::get(Ty, 0, /*isSigned=*/false));
6189           continue;
6190         }
6191         auto *Op = I->getOperand(IndexIdx);
6192         auto *CI = dyn_cast<ConstantInt>(Op);
6193         if (!CI)
6194           Operands.back().push_back(Op);
6195         else
6196           Operands.back().push_back(ConstantFoldIntegerCast(
6197               CI, Ty, CI->getValue().isSignBitSet(), *DL));
6198       }
6199       TE->setOperand(IndexIdx, Operands.back());
6200 
6201       for (unsigned I = 0, Ops = Operands.size(); I < Ops; ++I)
6202         buildTree_rec(Operands[I], Depth + 1, {TE, I});
6203       return;
6204     }
6205     case Instruction::Store: {
6206       // Check if the stores are consecutive or if we need to swizzle them.
6207       ValueList Operands(VL.size());
6208       auto *OIter = Operands.begin();
6209       for (Value *V : VL) {
6210         auto *SI = cast<StoreInst>(V);
6211         *OIter = SI->getValueOperand();
6212         ++OIter;
6213       }
6214       // Check that the sorted pointer operands are consecutive.
6215       if (CurrentOrder.empty()) {
6216         // Original stores are consecutive and does not require reordering.
6217         TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6218                                      ReuseShuffleIndicies);
6219         TE->setOperandsInOrder();
6220         buildTree_rec(Operands, Depth + 1, {TE, 0});
6221         LLVM_DEBUG(dbgs() << "SLP: added a vector of stores.\n");
6222       } else {
6223         fixupOrderingIndices(CurrentOrder);
6224         TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6225                                      ReuseShuffleIndicies, CurrentOrder);
6226         TE->setOperandsInOrder();
6227         buildTree_rec(Operands, Depth + 1, {TE, 0});
6228         LLVM_DEBUG(dbgs() << "SLP: added a vector of jumbled stores.\n");
6229       }
6230       return;
6231     }
6232     case Instruction::Call: {
6233       // Check if the calls are all to the same vectorizable intrinsic or
6234       // library function.
6235       CallInst *CI = cast<CallInst>(VL0);
6236       Intrinsic::ID ID = getVectorIntrinsicIDForCall(CI, TLI);
6237 
6238       TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6239                                    ReuseShuffleIndicies);
6240       TE->setOperandsInOrder();
6241       for (unsigned I : seq<unsigned>(0, CI->arg_size())) {
6242         // For scalar operands no need to create an entry since no need to
6243         // vectorize it.
6244         if (isVectorIntrinsicWithScalarOpAtArg(ID, I))
6245           continue;
6246         ValueList Operands;
6247         // Prepare the operand vector.
6248         for (Value *V : VL) {
6249           auto *CI2 = cast<CallInst>(V);
6250           Operands.push_back(CI2->getArgOperand(I));
6251         }
6252         buildTree_rec(Operands, Depth + 1, {TE, I});
6253       }
6254       return;
6255     }
6256     case Instruction::ShuffleVector: {
6257       TreeEntry *TE = newTreeEntry(VL, Bundle /*vectorized*/, S, UserTreeIdx,
6258                                    ReuseShuffleIndicies);
6259       LLVM_DEBUG(dbgs() << "SLP: added a ShuffleVector op.\n");
6260 
6261       // Reorder operands if reordering would enable vectorization.
6262       auto *CI = dyn_cast<CmpInst>(VL0);
6263       if (isa<BinaryOperator>(VL0) || CI) {
6264         ValueList Left, Right;
6265         if (!CI || all_of(VL, [](Value *V) {
6266               return cast<CmpInst>(V)->isCommutative();
6267             })) {
6268           reorderInputsAccordingToOpcode(VL, Left, Right, *TLI, *DL, *SE,
6269                                          *this);
6270         } else {
6271           auto *MainCI = cast<CmpInst>(S.MainOp);
6272           auto *AltCI = cast<CmpInst>(S.AltOp);
6273           CmpInst::Predicate MainP = MainCI->getPredicate();
6274           CmpInst::Predicate AltP = AltCI->getPredicate();
6275           assert(MainP != AltP &&
6276                  "Expected different main/alternate predicates.");
6277           // Collect operands - commute if it uses the swapped predicate or
6278           // alternate operation.
6279           for (Value *V : VL) {
6280             auto *Cmp = cast<CmpInst>(V);
6281             Value *LHS = Cmp->getOperand(0);
6282             Value *RHS = Cmp->getOperand(1);
6283 
6284             if (isAlternateInstruction(Cmp, MainCI, AltCI, *TLI)) {
6285               if (AltP == CmpInst::getSwappedPredicate(Cmp->getPredicate()))
6286                 std::swap(LHS, RHS);
6287             } else {
6288               if (MainP == CmpInst::getSwappedPredicate(Cmp->getPredicate()))
6289                 std::swap(LHS, RHS);
6290             }
6291             Left.push_back(LHS);
6292             Right.push_back(RHS);
6293           }
6294         }
6295         TE->setOperand(0, Left);
6296         TE->setOperand(1, Right);
6297         buildTree_rec(Left, Depth + 1, {TE, 0});
6298         buildTree_rec(Right, Depth + 1, {TE, 1});
6299         return;
6300       }
6301 
6302       TE->setOperandsInOrder();
6303       for (unsigned I : seq<unsigned>(0, VL0->getNumOperands())) {
6304         ValueList Operands;
6305         // Prepare the operand vector.
6306         for (Value *V : VL)
6307           Operands.push_back(cast<Instruction>(V)->getOperand(I));
6308 
6309         buildTree_rec(Operands, Depth + 1, {TE, I});
6310       }
6311       return;
6312     }
6313     default:
6314       break;
6315   }
6316   llvm_unreachable("Unexpected vectorization of the instructions.");
6317 }
6318 
6319 unsigned BoUpSLP::canMapToVector(Type *T) const {
6320   unsigned N = 1;
6321   Type *EltTy = T;
6322 
6323   while (isa<StructType, ArrayType, FixedVectorType>(EltTy)) {
6324     if (auto *ST = dyn_cast<StructType>(EltTy)) {
6325       // Check that struct is homogeneous.
6326       for (const auto *Ty : ST->elements())
6327         if (Ty != *ST->element_begin())
6328           return 0;
6329       N *= ST->getNumElements();
6330       EltTy = *ST->element_begin();
6331     } else if (auto *AT = dyn_cast<ArrayType>(EltTy)) {
6332       N *= AT->getNumElements();
6333       EltTy = AT->getElementType();
6334     } else {
6335       auto *VT = cast<FixedVectorType>(EltTy);
6336       N *= VT->getNumElements();
6337       EltTy = VT->getElementType();
6338     }
6339   }
6340 
6341   if (!isValidElementType(EltTy))
6342     return 0;
6343   uint64_t VTSize = DL->getTypeStoreSizeInBits(FixedVectorType::get(EltTy, N));
6344   if (VTSize < MinVecRegSize || VTSize > MaxVecRegSize ||
6345       VTSize != DL->getTypeStoreSizeInBits(T))
6346     return 0;
6347   return N;
6348 }
6349 
6350 bool BoUpSLP::canReuseExtract(ArrayRef<Value *> VL, Value *OpValue,
6351                               SmallVectorImpl<unsigned> &CurrentOrder,
6352                               bool ResizeAllowed) const {
6353   const auto *It = find_if(VL, [](Value *V) {
6354     return isa<ExtractElementInst, ExtractValueInst>(V);
6355   });
6356   assert(It != VL.end() && "Expected at least one extract instruction.");
6357   auto *E0 = cast<Instruction>(*It);
6358   assert(all_of(VL,
6359                 [](Value *V) {
6360                   return isa<UndefValue, ExtractElementInst, ExtractValueInst>(
6361                       V);
6362                 }) &&
6363          "Invalid opcode");
6364   // Check if all of the extracts come from the same vector and from the
6365   // correct offset.
6366   Value *Vec = E0->getOperand(0);
6367 
6368   CurrentOrder.clear();
6369 
6370   // We have to extract from a vector/aggregate with the same number of elements.
6371   unsigned NElts;
6372   if (E0->getOpcode() == Instruction::ExtractValue) {
6373     NElts = canMapToVector(Vec->getType());
6374     if (!NElts)
6375       return false;
6376     // Check if load can be rewritten as load of vector.
6377     LoadInst *LI = dyn_cast<LoadInst>(Vec);
6378     if (!LI || !LI->isSimple() || !LI->hasNUses(VL.size()))
6379       return false;
6380   } else {
6381     NElts = cast<FixedVectorType>(Vec->getType())->getNumElements();
6382   }
6383 
6384   unsigned E = VL.size();
6385   if (!ResizeAllowed && NElts != E)
6386     return false;
6387   SmallVector<int> Indices(E, PoisonMaskElem);
6388   unsigned MinIdx = NElts, MaxIdx = 0;
6389   for (auto [I, V] : enumerate(VL)) {
6390     auto *Inst = dyn_cast<Instruction>(V);
6391     if (!Inst)
6392       continue;
6393     if (Inst->getOperand(0) != Vec)
6394       return false;
6395     if (auto *EE = dyn_cast<ExtractElementInst>(Inst))
6396       if (isa<UndefValue>(EE->getIndexOperand()))
6397         continue;
6398     std::optional<unsigned> Idx = getExtractIndex(Inst);
6399     if (!Idx)
6400       return false;
6401     const unsigned ExtIdx = *Idx;
6402     if (ExtIdx >= NElts)
6403       continue;
6404     Indices[I] = ExtIdx;
6405     if (MinIdx > ExtIdx)
6406       MinIdx = ExtIdx;
6407     if (MaxIdx < ExtIdx)
6408       MaxIdx = ExtIdx;
6409   }
6410   if (MaxIdx - MinIdx + 1 > E)
6411     return false;
6412   if (MaxIdx + 1 <= E)
6413     MinIdx = 0;
6414 
6415   // Check that all of the indices extract from the correct offset.
6416   bool ShouldKeepOrder = true;
6417   // Assign to all items the initial value E + 1 so we can check if the extract
6418   // instruction index was used already.
6419   // Also, later we can check that all the indices are used and we have a
6420   // consecutive access in the extract instructions, by checking that no
6421   // element of CurrentOrder still has value E + 1.
6422   CurrentOrder.assign(E, E);
6423   for (unsigned I = 0; I < E; ++I) {
6424     if (Indices[I] == PoisonMaskElem)
6425       continue;
6426     const unsigned ExtIdx = Indices[I] - MinIdx;
6427     if (CurrentOrder[ExtIdx] != E) {
6428       CurrentOrder.clear();
6429       return false;
6430     }
6431     ShouldKeepOrder &= ExtIdx == I;
6432     CurrentOrder[ExtIdx] = I;
6433   }
6434   if (ShouldKeepOrder)
6435     CurrentOrder.clear();
6436 
6437   return ShouldKeepOrder;
6438 }
6439 
6440 bool BoUpSLP::areAllUsersVectorized(
6441     Instruction *I, const SmallDenseSet<Value *> *VectorizedVals) const {
6442   return (I->hasOneUse() && (!VectorizedVals || VectorizedVals->contains(I))) ||
6443          all_of(I->users(), [this](User *U) {
6444            return ScalarToTreeEntry.contains(U) ||
6445                   isVectorLikeInstWithConstOps(U) ||
6446                   (isa<ExtractElementInst>(U) && MustGather.contains(U));
6447          });
6448 }
6449 
6450 static std::pair<InstructionCost, InstructionCost>
6451 getVectorCallCosts(CallInst *CI, FixedVectorType *VecTy,
6452                    TargetTransformInfo *TTI, TargetLibraryInfo *TLI) {
6453   Intrinsic::ID ID = getVectorIntrinsicIDForCall(CI, TLI);
6454 
6455   // Calculate the cost of the scalar and vector calls.
6456   SmallVector<Type *, 4> VecTys;
6457   for (Use &Arg : CI->args())
6458     VecTys.push_back(
6459         FixedVectorType::get(Arg->getType(), VecTy->getNumElements()));
6460   FastMathFlags FMF;
6461   if (auto *FPCI = dyn_cast<FPMathOperator>(CI))
6462     FMF = FPCI->getFastMathFlags();
6463   SmallVector<const Value *> Arguments(CI->args());
6464   IntrinsicCostAttributes CostAttrs(ID, VecTy, Arguments, VecTys, FMF,
6465                                     dyn_cast<IntrinsicInst>(CI));
6466   auto IntrinsicCost =
6467     TTI->getIntrinsicInstrCost(CostAttrs, TTI::TCK_RecipThroughput);
6468 
6469   auto Shape = VFShape::get(CI->getFunctionType(),
6470                             ElementCount::getFixed(VecTy->getNumElements()),
6471                             false /*HasGlobalPred*/);
6472   Function *VecFunc = VFDatabase(*CI).getVectorizedFunction(Shape);
6473   auto LibCost = IntrinsicCost;
6474   if (!CI->isNoBuiltin() && VecFunc) {
6475     // Calculate the cost of the vector library call.
6476     // If the corresponding vector call is cheaper, return its cost.
6477     LibCost = TTI->getCallInstrCost(nullptr, VecTy, VecTys,
6478                                     TTI::TCK_RecipThroughput);
6479   }
6480   return {IntrinsicCost, LibCost};
6481 }
6482 
6483 void BoUpSLP::TreeEntry::buildAltOpShuffleMask(
6484     const function_ref<bool(Instruction *)> IsAltOp, SmallVectorImpl<int> &Mask,
6485     SmallVectorImpl<Value *> *OpScalars,
6486     SmallVectorImpl<Value *> *AltScalars) const {
6487   unsigned Sz = Scalars.size();
6488   Mask.assign(Sz, PoisonMaskElem);
6489   SmallVector<int> OrderMask;
6490   if (!ReorderIndices.empty())
6491     inversePermutation(ReorderIndices, OrderMask);
6492   for (unsigned I = 0; I < Sz; ++I) {
6493     unsigned Idx = I;
6494     if (!ReorderIndices.empty())
6495       Idx = OrderMask[I];
6496     auto *OpInst = cast<Instruction>(Scalars[Idx]);
6497     if (IsAltOp(OpInst)) {
6498       Mask[I] = Sz + Idx;
6499       if (AltScalars)
6500         AltScalars->push_back(OpInst);
6501     } else {
6502       Mask[I] = Idx;
6503       if (OpScalars)
6504         OpScalars->push_back(OpInst);
6505     }
6506   }
6507   if (!ReuseShuffleIndices.empty()) {
6508     SmallVector<int> NewMask(ReuseShuffleIndices.size(), PoisonMaskElem);
6509     transform(ReuseShuffleIndices, NewMask.begin(), [&Mask](int Idx) {
6510       return Idx != PoisonMaskElem ? Mask[Idx] : PoisonMaskElem;
6511     });
6512     Mask.swap(NewMask);
6513   }
6514 }
6515 
6516 static bool isAlternateInstruction(const Instruction *I,
6517                                    const Instruction *MainOp,
6518                                    const Instruction *AltOp,
6519                                    const TargetLibraryInfo &TLI) {
6520   if (auto *MainCI = dyn_cast<CmpInst>(MainOp)) {
6521     auto *AltCI = cast<CmpInst>(AltOp);
6522     CmpInst::Predicate MainP = MainCI->getPredicate();
6523     CmpInst::Predicate AltP = AltCI->getPredicate();
6524     assert(MainP != AltP && "Expected different main/alternate predicates.");
6525     auto *CI = cast<CmpInst>(I);
6526     if (isCmpSameOrSwapped(MainCI, CI, TLI))
6527       return false;
6528     if (isCmpSameOrSwapped(AltCI, CI, TLI))
6529       return true;
6530     CmpInst::Predicate P = CI->getPredicate();
6531     CmpInst::Predicate SwappedP = CmpInst::getSwappedPredicate(P);
6532 
6533     assert((MainP == P || AltP == P || MainP == SwappedP || AltP == SwappedP) &&
6534            "CmpInst expected to match either main or alternate predicate or "
6535            "their swap.");
6536     (void)AltP;
6537     return MainP != P && MainP != SwappedP;
6538   }
6539   return I->getOpcode() == AltOp->getOpcode();
6540 }
6541 
6542 TTI::OperandValueInfo BoUpSLP::getOperandInfo(ArrayRef<Value *> Ops) {
6543   assert(!Ops.empty());
6544   const auto *Op0 = Ops.front();
6545 
6546   const bool IsConstant = all_of(Ops, [](Value *V) {
6547     // TODO: We should allow undef elements here
6548     return isConstant(V) && !isa<UndefValue>(V);
6549   });
6550   const bool IsUniform = all_of(Ops, [=](Value *V) {
6551     // TODO: We should allow undef elements here
6552     return V == Op0;
6553   });
6554   const bool IsPowerOfTwo = all_of(Ops, [](Value *V) {
6555     // TODO: We should allow undef elements here
6556     if (auto *CI = dyn_cast<ConstantInt>(V))
6557       return CI->getValue().isPowerOf2();
6558     return false;
6559   });
6560   const bool IsNegatedPowerOfTwo = all_of(Ops, [](Value *V) {
6561     // TODO: We should allow undef elements here
6562     if (auto *CI = dyn_cast<ConstantInt>(V))
6563       return CI->getValue().isNegatedPowerOf2();
6564     return false;
6565   });
6566 
6567   TTI::OperandValueKind VK = TTI::OK_AnyValue;
6568   if (IsConstant && IsUniform)
6569     VK = TTI::OK_UniformConstantValue;
6570   else if (IsConstant)
6571     VK = TTI::OK_NonUniformConstantValue;
6572   else if (IsUniform)
6573     VK = TTI::OK_UniformValue;
6574 
6575   TTI::OperandValueProperties VP = TTI::OP_None;
6576   VP = IsPowerOfTwo ? TTI::OP_PowerOf2 : VP;
6577   VP = IsNegatedPowerOfTwo ? TTI::OP_NegatedPowerOf2 : VP;
6578 
6579   return {VK, VP};
6580 }
6581 
6582 namespace {
6583 /// The base class for shuffle instruction emission and shuffle cost estimation.
6584 class BaseShuffleAnalysis {
6585 protected:
6586   /// Checks if the mask is an identity mask.
6587   /// \param IsStrict if is true the function returns false if mask size does
6588   /// not match vector size.
6589   static bool isIdentityMask(ArrayRef<int> Mask, const FixedVectorType *VecTy,
6590                              bool IsStrict) {
6591     int Limit = Mask.size();
6592     int VF = VecTy->getNumElements();
6593     int Index = -1;
6594     if (VF == Limit && ShuffleVectorInst::isIdentityMask(Mask, Limit))
6595       return true;
6596     if (!IsStrict) {
6597       // Consider extract subvector starting from index 0.
6598       if (ShuffleVectorInst::isExtractSubvectorMask(Mask, VF, Index) &&
6599           Index == 0)
6600         return true;
6601       // All VF-size submasks are identity (e.g.
6602       // <poison,poison,poison,poison,0,1,2,poison,poison,1,2,3> etc. for VF 4).
6603       if (Limit % VF == 0 && all_of(seq<int>(0, Limit / VF), [=](int Idx) {
6604             ArrayRef<int> Slice = Mask.slice(Idx * VF, VF);
6605             return all_of(Slice, [](int I) { return I == PoisonMaskElem; }) ||
6606                    ShuffleVectorInst::isIdentityMask(Slice, VF);
6607           }))
6608         return true;
6609     }
6610     return false;
6611   }
6612 
6613   /// Tries to combine 2 different masks into single one.
6614   /// \param LocalVF Vector length of the permuted input vector. \p Mask may
6615   /// change the size of the vector, \p LocalVF is the original size of the
6616   /// shuffled vector.
6617   static void combineMasks(unsigned LocalVF, SmallVectorImpl<int> &Mask,
6618                            ArrayRef<int> ExtMask) {
6619     unsigned VF = Mask.size();
6620     SmallVector<int> NewMask(ExtMask.size(), PoisonMaskElem);
6621     for (int I = 0, Sz = ExtMask.size(); I < Sz; ++I) {
6622       if (ExtMask[I] == PoisonMaskElem)
6623         continue;
6624       int MaskedIdx = Mask[ExtMask[I] % VF];
6625       NewMask[I] =
6626           MaskedIdx == PoisonMaskElem ? PoisonMaskElem : MaskedIdx % LocalVF;
6627     }
6628     Mask.swap(NewMask);
6629   }
6630 
6631   /// Looks through shuffles trying to reduce final number of shuffles in the
6632   /// code. The function looks through the previously emitted shuffle
6633   /// instructions and properly mark indices in mask as undef.
6634   /// For example, given the code
6635   /// \code
6636   /// %s1 = shufflevector <2 x ty> %0, poison, <1, 0>
6637   /// %s2 = shufflevector <2 x ty> %1, poison, <1, 0>
6638   /// \endcode
6639   /// and if need to emit shuffle of %s1 and %s2 with mask <1, 0, 3, 2>, it will
6640   /// look through %s1 and %s2 and select vectors %0 and %1 with mask
6641   /// <0, 1, 2, 3> for the shuffle.
6642   /// If 2 operands are of different size, the smallest one will be resized and
6643   /// the mask recalculated properly.
6644   /// For example, given the code
6645   /// \code
6646   /// %s1 = shufflevector <2 x ty> %0, poison, <1, 0, 1, 0>
6647   /// %s2 = shufflevector <2 x ty> %1, poison, <1, 0, 1, 0>
6648   /// \endcode
6649   /// and if need to emit shuffle of %s1 and %s2 with mask <1, 0, 5, 4>, it will
6650   /// look through %s1 and %s2 and select vectors %0 and %1 with mask
6651   /// <0, 1, 2, 3> for the shuffle.
6652   /// So, it tries to transform permutations to simple vector merge, if
6653   /// possible.
6654   /// \param V The input vector which must be shuffled using the given \p Mask.
6655   /// If the better candidate is found, \p V is set to this best candidate
6656   /// vector.
6657   /// \param Mask The input mask for the shuffle. If the best candidate is found
6658   /// during looking-through-shuffles attempt, it is updated accordingly.
6659   /// \param SinglePermute true if the shuffle operation is originally a
6660   /// single-value-permutation. In this case the look-through-shuffles procedure
6661   /// may look for resizing shuffles as the best candidates.
6662   /// \return true if the shuffle results in the non-resizing identity shuffle
6663   /// (and thus can be ignored), false - otherwise.
6664   static bool peekThroughShuffles(Value *&V, SmallVectorImpl<int> &Mask,
6665                                   bool SinglePermute) {
6666     Value *Op = V;
6667     ShuffleVectorInst *IdentityOp = nullptr;
6668     SmallVector<int> IdentityMask;
6669     while (auto *SV = dyn_cast<ShuffleVectorInst>(Op)) {
6670       // Exit if not a fixed vector type or changing size shuffle.
6671       auto *SVTy = dyn_cast<FixedVectorType>(SV->getType());
6672       if (!SVTy)
6673         break;
6674       // Remember the identity or broadcast mask, if it is not a resizing
6675       // shuffle. If no better candidates are found, this Op and Mask will be
6676       // used in the final shuffle.
6677       if (isIdentityMask(Mask, SVTy, /*IsStrict=*/false)) {
6678         if (!IdentityOp || !SinglePermute ||
6679             (isIdentityMask(Mask, SVTy, /*IsStrict=*/true) &&
6680              !ShuffleVectorInst::isZeroEltSplatMask(IdentityMask,
6681                                                     IdentityMask.size()))) {
6682           IdentityOp = SV;
6683           // Store current mask in the IdentityMask so later we did not lost
6684           // this info if IdentityOp is selected as the best candidate for the
6685           // permutation.
6686           IdentityMask.assign(Mask);
6687         }
6688       }
6689       // Remember the broadcast mask. If no better candidates are found, this Op
6690       // and Mask will be used in the final shuffle.
6691       // Zero splat can be used as identity too, since it might be used with
6692       // mask <0, 1, 2, ...>, i.e. identity mask without extra reshuffling.
6693       // E.g. if need to shuffle the vector with the mask <3, 1, 2, 0>, which is
6694       // expensive, the analysis founds out, that the source vector is just a
6695       // broadcast, this original mask can be transformed to identity mask <0,
6696       // 1, 2, 3>.
6697       // \code
6698       // %0 = shuffle %v, poison, zeroinitalizer
6699       // %res = shuffle %0, poison, <3, 1, 2, 0>
6700       // \endcode
6701       // may be transformed to
6702       // \code
6703       // %0 = shuffle %v, poison, zeroinitalizer
6704       // %res = shuffle %0, poison, <0, 1, 2, 3>
6705       // \endcode
6706       if (SV->isZeroEltSplat()) {
6707         IdentityOp = SV;
6708         IdentityMask.assign(Mask);
6709       }
6710       int LocalVF = Mask.size();
6711       if (auto *SVOpTy =
6712               dyn_cast<FixedVectorType>(SV->getOperand(0)->getType()))
6713         LocalVF = SVOpTy->getNumElements();
6714       SmallVector<int> ExtMask(Mask.size(), PoisonMaskElem);
6715       for (auto [Idx, I] : enumerate(Mask)) {
6716         if (I == PoisonMaskElem ||
6717             static_cast<unsigned>(I) >= SV->getShuffleMask().size())
6718           continue;
6719         ExtMask[Idx] = SV->getMaskValue(I);
6720       }
6721       bool IsOp1Undef =
6722           isUndefVector(SV->getOperand(0),
6723                         buildUseMask(LocalVF, ExtMask, UseMask::FirstArg))
6724               .all();
6725       bool IsOp2Undef =
6726           isUndefVector(SV->getOperand(1),
6727                         buildUseMask(LocalVF, ExtMask, UseMask::SecondArg))
6728               .all();
6729       if (!IsOp1Undef && !IsOp2Undef) {
6730         // Update mask and mark undef elems.
6731         for (int &I : Mask) {
6732           if (I == PoisonMaskElem)
6733             continue;
6734           if (SV->getMaskValue(I % SV->getShuffleMask().size()) ==
6735               PoisonMaskElem)
6736             I = PoisonMaskElem;
6737         }
6738         break;
6739       }
6740       SmallVector<int> ShuffleMask(SV->getShuffleMask().begin(),
6741                                    SV->getShuffleMask().end());
6742       combineMasks(LocalVF, ShuffleMask, Mask);
6743       Mask.swap(ShuffleMask);
6744       if (IsOp2Undef)
6745         Op = SV->getOperand(0);
6746       else
6747         Op = SV->getOperand(1);
6748     }
6749     if (auto *OpTy = dyn_cast<FixedVectorType>(Op->getType());
6750         !OpTy || !isIdentityMask(Mask, OpTy, SinglePermute) ||
6751         ShuffleVectorInst::isZeroEltSplatMask(Mask, Mask.size())) {
6752       if (IdentityOp) {
6753         V = IdentityOp;
6754         assert(Mask.size() == IdentityMask.size() &&
6755                "Expected masks of same sizes.");
6756         // Clear known poison elements.
6757         for (auto [I, Idx] : enumerate(Mask))
6758           if (Idx == PoisonMaskElem)
6759             IdentityMask[I] = PoisonMaskElem;
6760         Mask.swap(IdentityMask);
6761         auto *Shuffle = dyn_cast<ShuffleVectorInst>(V);
6762         return SinglePermute &&
6763                (isIdentityMask(Mask, cast<FixedVectorType>(V->getType()),
6764                                /*IsStrict=*/true) ||
6765                 (Shuffle && Mask.size() == Shuffle->getShuffleMask().size() &&
6766                  Shuffle->isZeroEltSplat() &&
6767                  ShuffleVectorInst::isZeroEltSplatMask(Mask, Mask.size())));
6768       }
6769       V = Op;
6770       return false;
6771     }
6772     V = Op;
6773     return true;
6774   }
6775 
6776   /// Smart shuffle instruction emission, walks through shuffles trees and
6777   /// tries to find the best matching vector for the actual shuffle
6778   /// instruction.
6779   template <typename T, typename ShuffleBuilderTy>
6780   static T createShuffle(Value *V1, Value *V2, ArrayRef<int> Mask,
6781                          ShuffleBuilderTy &Builder) {
6782     assert(V1 && "Expected at least one vector value.");
6783     if (V2)
6784       Builder.resizeToMatch(V1, V2);
6785     int VF = Mask.size();
6786     if (auto *FTy = dyn_cast<FixedVectorType>(V1->getType()))
6787       VF = FTy->getNumElements();
6788     if (V2 &&
6789         !isUndefVector(V2, buildUseMask(VF, Mask, UseMask::SecondArg)).all()) {
6790       // Peek through shuffles.
6791       Value *Op1 = V1;
6792       Value *Op2 = V2;
6793       int VF =
6794           cast<VectorType>(V1->getType())->getElementCount().getKnownMinValue();
6795       SmallVector<int> CombinedMask1(Mask.size(), PoisonMaskElem);
6796       SmallVector<int> CombinedMask2(Mask.size(), PoisonMaskElem);
6797       for (int I = 0, E = Mask.size(); I < E; ++I) {
6798         if (Mask[I] < VF)
6799           CombinedMask1[I] = Mask[I];
6800         else
6801           CombinedMask2[I] = Mask[I] - VF;
6802       }
6803       Value *PrevOp1;
6804       Value *PrevOp2;
6805       do {
6806         PrevOp1 = Op1;
6807         PrevOp2 = Op2;
6808         (void)peekThroughShuffles(Op1, CombinedMask1, /*SinglePermute=*/false);
6809         (void)peekThroughShuffles(Op2, CombinedMask2, /*SinglePermute=*/false);
6810         // Check if we have 2 resizing shuffles - need to peek through operands
6811         // again.
6812         if (auto *SV1 = dyn_cast<ShuffleVectorInst>(Op1))
6813           if (auto *SV2 = dyn_cast<ShuffleVectorInst>(Op2)) {
6814             SmallVector<int> ExtMask1(Mask.size(), PoisonMaskElem);
6815             for (auto [Idx, I] : enumerate(CombinedMask1)) {
6816                 if (I == PoisonMaskElem)
6817                 continue;
6818                 ExtMask1[Idx] = SV1->getMaskValue(I);
6819             }
6820             SmallBitVector UseMask1 = buildUseMask(
6821                 cast<FixedVectorType>(SV1->getOperand(1)->getType())
6822                     ->getNumElements(),
6823                 ExtMask1, UseMask::SecondArg);
6824             SmallVector<int> ExtMask2(CombinedMask2.size(), PoisonMaskElem);
6825             for (auto [Idx, I] : enumerate(CombinedMask2)) {
6826                 if (I == PoisonMaskElem)
6827                 continue;
6828                 ExtMask2[Idx] = SV2->getMaskValue(I);
6829             }
6830             SmallBitVector UseMask2 = buildUseMask(
6831                 cast<FixedVectorType>(SV2->getOperand(1)->getType())
6832                     ->getNumElements(),
6833                 ExtMask2, UseMask::SecondArg);
6834             if (SV1->getOperand(0)->getType() ==
6835                     SV2->getOperand(0)->getType() &&
6836                 SV1->getOperand(0)->getType() != SV1->getType() &&
6837                 isUndefVector(SV1->getOperand(1), UseMask1).all() &&
6838                 isUndefVector(SV2->getOperand(1), UseMask2).all()) {
6839               Op1 = SV1->getOperand(0);
6840               Op2 = SV2->getOperand(0);
6841               SmallVector<int> ShuffleMask1(SV1->getShuffleMask().begin(),
6842                                             SV1->getShuffleMask().end());
6843               int LocalVF = ShuffleMask1.size();
6844               if (auto *FTy = dyn_cast<FixedVectorType>(Op1->getType()))
6845                 LocalVF = FTy->getNumElements();
6846               combineMasks(LocalVF, ShuffleMask1, CombinedMask1);
6847               CombinedMask1.swap(ShuffleMask1);
6848               SmallVector<int> ShuffleMask2(SV2->getShuffleMask().begin(),
6849                                             SV2->getShuffleMask().end());
6850               LocalVF = ShuffleMask2.size();
6851               if (auto *FTy = dyn_cast<FixedVectorType>(Op2->getType()))
6852                 LocalVF = FTy->getNumElements();
6853               combineMasks(LocalVF, ShuffleMask2, CombinedMask2);
6854               CombinedMask2.swap(ShuffleMask2);
6855             }
6856           }
6857       } while (PrevOp1 != Op1 || PrevOp2 != Op2);
6858       Builder.resizeToMatch(Op1, Op2);
6859       VF = std::max(cast<VectorType>(Op1->getType())
6860                         ->getElementCount()
6861                         .getKnownMinValue(),
6862                     cast<VectorType>(Op2->getType())
6863                         ->getElementCount()
6864                         .getKnownMinValue());
6865       for (int I = 0, E = Mask.size(); I < E; ++I) {
6866         if (CombinedMask2[I] != PoisonMaskElem) {
6867           assert(CombinedMask1[I] == PoisonMaskElem &&
6868                  "Expected undefined mask element");
6869           CombinedMask1[I] = CombinedMask2[I] + (Op1 == Op2 ? 0 : VF);
6870         }
6871       }
6872       if (Op1 == Op2 &&
6873           (ShuffleVectorInst::isIdentityMask(CombinedMask1, VF) ||
6874            (ShuffleVectorInst::isZeroEltSplatMask(CombinedMask1, VF) &&
6875             isa<ShuffleVectorInst>(Op1) &&
6876             cast<ShuffleVectorInst>(Op1)->getShuffleMask() ==
6877                 ArrayRef(CombinedMask1))))
6878         return Builder.createIdentity(Op1);
6879       return Builder.createShuffleVector(
6880           Op1, Op1 == Op2 ? PoisonValue::get(Op1->getType()) : Op2,
6881           CombinedMask1);
6882     }
6883     if (isa<PoisonValue>(V1))
6884       return Builder.createPoison(
6885           cast<VectorType>(V1->getType())->getElementType(), Mask.size());
6886     SmallVector<int> NewMask(Mask.begin(), Mask.end());
6887     bool IsIdentity = peekThroughShuffles(V1, NewMask, /*SinglePermute=*/true);
6888     assert(V1 && "Expected non-null value after looking through shuffles.");
6889 
6890     if (!IsIdentity)
6891       return Builder.createShuffleVector(V1, NewMask);
6892     return Builder.createIdentity(V1);
6893   }
6894 };
6895 } // namespace
6896 
6897 /// Returns the cost of the shuffle instructions with the given \p Kind, vector
6898 /// type \p Tp and optional \p Mask. Adds SLP-specifc cost estimation for insert
6899 /// subvector pattern.
6900 static InstructionCost
6901 getShuffleCost(const TargetTransformInfo &TTI, TTI::ShuffleKind Kind,
6902                VectorType *Tp, ArrayRef<int> Mask = std::nullopt,
6903                TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput,
6904                int Index = 0, VectorType *SubTp = nullptr,
6905                ArrayRef<const Value *> Args = std::nullopt) {
6906   if (Kind != TTI::SK_PermuteTwoSrc)
6907     return TTI.getShuffleCost(Kind, Tp, Mask, CostKind, Index, SubTp, Args);
6908   int NumSrcElts = Tp->getElementCount().getKnownMinValue();
6909   int NumSubElts;
6910   if (Mask.size() > 2 && ShuffleVectorInst::isInsertSubvectorMask(
6911                              Mask, NumSrcElts, NumSubElts, Index)) {
6912     if (Index + NumSubElts > NumSrcElts &&
6913         Index + NumSrcElts <= static_cast<int>(Mask.size()))
6914       return TTI.getShuffleCost(
6915           TTI::SK_InsertSubvector,
6916           FixedVectorType::get(Tp->getElementType(), Mask.size()), std::nullopt,
6917           TTI::TCK_RecipThroughput, Index, Tp);
6918   }
6919   return TTI.getShuffleCost(Kind, Tp, Mask, CostKind, Index, SubTp, Args);
6920 }
6921 
6922 /// Merges shuffle masks and emits final shuffle instruction, if required. It
6923 /// supports shuffling of 2 input vectors. It implements lazy shuffles emission,
6924 /// when the actual shuffle instruction is generated only if this is actually
6925 /// required. Otherwise, the shuffle instruction emission is delayed till the
6926 /// end of the process, to reduce the number of emitted instructions and further
6927 /// analysis/transformations.
6928 class BoUpSLP::ShuffleCostEstimator : public BaseShuffleAnalysis {
6929   bool IsFinalized = false;
6930   SmallVector<int> CommonMask;
6931   SmallVector<PointerUnion<Value *, const TreeEntry *>, 2> InVectors;
6932   const TargetTransformInfo &TTI;
6933   InstructionCost Cost = 0;
6934   SmallDenseSet<Value *> VectorizedVals;
6935   BoUpSLP &R;
6936   SmallPtrSetImpl<Value *> &CheckedExtracts;
6937   constexpr static TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
6938   /// While set, still trying to estimate the cost for the same nodes and we
6939   /// can delay actual cost estimation (virtual shuffle instruction emission).
6940   /// May help better estimate the cost if same nodes must be permuted + allows
6941   /// to move most of the long shuffles cost estimation to TTI.
6942   bool SameNodesEstimated = true;
6943 
6944   static Constant *getAllOnesValue(const DataLayout &DL, Type *Ty) {
6945     if (Ty->getScalarType()->isPointerTy()) {
6946       Constant *Res = ConstantExpr::getIntToPtr(
6947           ConstantInt::getAllOnesValue(
6948               IntegerType::get(Ty->getContext(),
6949                                DL.getTypeStoreSizeInBits(Ty->getScalarType()))),
6950           Ty->getScalarType());
6951       if (auto *VTy = dyn_cast<VectorType>(Ty))
6952         Res = ConstantVector::getSplat(VTy->getElementCount(), Res);
6953       return Res;
6954     }
6955     return Constant::getAllOnesValue(Ty);
6956   }
6957 
6958   InstructionCost getBuildVectorCost(ArrayRef<Value *> VL, Value *Root) {
6959     if ((!Root && allConstant(VL)) || all_of(VL, UndefValue::classof))
6960       return TTI::TCC_Free;
6961     auto *VecTy = FixedVectorType::get(VL.front()->getType(), VL.size());
6962     InstructionCost GatherCost = 0;
6963     SmallVector<Value *> Gathers(VL.begin(), VL.end());
6964     // Improve gather cost for gather of loads, if we can group some of the
6965     // loads into vector loads.
6966     InstructionsState S = getSameOpcode(VL, *R.TLI);
6967     const unsigned Sz = R.DL->getTypeSizeInBits(VL.front()->getType());
6968     unsigned MinVF = R.getMinVF(2 * Sz);
6969     if (VL.size() > 2 &&
6970         ((S.getOpcode() == Instruction::Load && !S.isAltShuffle()) ||
6971          (InVectors.empty() &&
6972           any_of(seq<unsigned>(0, VL.size() / MinVF),
6973                  [&](unsigned Idx) {
6974                    ArrayRef<Value *> SubVL = VL.slice(Idx * MinVF, MinVF);
6975                    InstructionsState S = getSameOpcode(SubVL, *R.TLI);
6976                    return S.getOpcode() == Instruction::Load &&
6977                           !S.isAltShuffle();
6978                  }))) &&
6979         !all_of(Gathers, [&](Value *V) { return R.getTreeEntry(V); }) &&
6980         !isSplat(Gathers)) {
6981       SetVector<Value *> VectorizedLoads;
6982       SmallVector<LoadInst *> VectorizedStarts;
6983       SmallVector<std::pair<unsigned, unsigned>> ScatterVectorized;
6984       unsigned StartIdx = 0;
6985       unsigned VF = VL.size() / 2;
6986       for (; VF >= MinVF; VF /= 2) {
6987         for (unsigned Cnt = StartIdx, End = VL.size(); Cnt + VF <= End;
6988              Cnt += VF) {
6989           ArrayRef<Value *> Slice = VL.slice(Cnt, VF);
6990           if (S.getOpcode() != Instruction::Load || S.isAltShuffle()) {
6991             InstructionsState SliceS = getSameOpcode(Slice, *R.TLI);
6992             if (SliceS.getOpcode() != Instruction::Load ||
6993                 SliceS.isAltShuffle())
6994               continue;
6995           }
6996           if (!VectorizedLoads.count(Slice.front()) &&
6997               !VectorizedLoads.count(Slice.back()) && allSameBlock(Slice)) {
6998             SmallVector<Value *> PointerOps;
6999             OrdersType CurrentOrder;
7000             LoadsState LS =
7001                 canVectorizeLoads(Slice, Slice.front(), TTI, *R.DL, *R.SE,
7002                                   *R.LI, *R.TLI, CurrentOrder, PointerOps);
7003             switch (LS) {
7004             case LoadsState::Vectorize:
7005             case LoadsState::ScatterVectorize:
7006             case LoadsState::PossibleStridedVectorize:
7007               // Mark the vectorized loads so that we don't vectorize them
7008               // again.
7009               // TODO: better handling of loads with reorders.
7010               if (LS == LoadsState::Vectorize && CurrentOrder.empty())
7011                 VectorizedStarts.push_back(cast<LoadInst>(Slice.front()));
7012               else
7013                 ScatterVectorized.emplace_back(Cnt, VF);
7014               VectorizedLoads.insert(Slice.begin(), Slice.end());
7015               // If we vectorized initial block, no need to try to vectorize
7016               // it again.
7017               if (Cnt == StartIdx)
7018                 StartIdx += VF;
7019               break;
7020             case LoadsState::Gather:
7021               break;
7022             }
7023           }
7024         }
7025         // Check if the whole array was vectorized already - exit.
7026         if (StartIdx >= VL.size())
7027           break;
7028         // Found vectorizable parts - exit.
7029         if (!VectorizedLoads.empty())
7030           break;
7031       }
7032       if (!VectorizedLoads.empty()) {
7033         unsigned NumParts = TTI.getNumberOfParts(VecTy);
7034         bool NeedInsertSubvectorAnalysis =
7035             !NumParts || (VL.size() / VF) > NumParts;
7036         // Get the cost for gathered loads.
7037         for (unsigned I = 0, End = VL.size(); I < End; I += VF) {
7038           if (VectorizedLoads.contains(VL[I]))
7039             continue;
7040           GatherCost += getBuildVectorCost(VL.slice(I, VF), Root);
7041         }
7042         // Exclude potentially vectorized loads from list of gathered
7043         // scalars.
7044         Gathers.assign(Gathers.size(), PoisonValue::get(VL.front()->getType()));
7045         // The cost for vectorized loads.
7046         InstructionCost ScalarsCost = 0;
7047         for (Value *V : VectorizedLoads) {
7048           auto *LI = cast<LoadInst>(V);
7049           ScalarsCost +=
7050               TTI.getMemoryOpCost(Instruction::Load, LI->getType(),
7051                                   LI->getAlign(), LI->getPointerAddressSpace(),
7052                                   CostKind, TTI::OperandValueInfo(), LI);
7053         }
7054         auto *LoadTy = FixedVectorType::get(VL.front()->getType(), VF);
7055         for (LoadInst *LI : VectorizedStarts) {
7056           Align Alignment = LI->getAlign();
7057           GatherCost +=
7058               TTI.getMemoryOpCost(Instruction::Load, LoadTy, Alignment,
7059                                   LI->getPointerAddressSpace(), CostKind,
7060                                   TTI::OperandValueInfo(), LI);
7061         }
7062         for (std::pair<unsigned, unsigned> P : ScatterVectorized) {
7063           auto *LI0 = cast<LoadInst>(VL[P.first]);
7064           Align CommonAlignment = LI0->getAlign();
7065           for (Value *V : VL.slice(P.first + 1, VF - 1))
7066             CommonAlignment =
7067                 std::min(CommonAlignment, cast<LoadInst>(V)->getAlign());
7068           GatherCost += TTI.getGatherScatterOpCost(
7069               Instruction::Load, LoadTy, LI0->getPointerOperand(),
7070               /*VariableMask=*/false, CommonAlignment, CostKind, LI0);
7071         }
7072         if (NeedInsertSubvectorAnalysis) {
7073           // Add the cost for the subvectors insert.
7074           for (int I = VF, E = VL.size(); I < E; I += VF)
7075             GatherCost += TTI.getShuffleCost(TTI::SK_InsertSubvector, VecTy,
7076                                              std::nullopt, CostKind, I, LoadTy);
7077         }
7078         GatherCost -= ScalarsCost;
7079       }
7080     } else if (!Root && isSplat(VL)) {
7081       // Found the broadcasting of the single scalar, calculate the cost as
7082       // the broadcast.
7083       const auto *It =
7084           find_if(VL, [](Value *V) { return !isa<UndefValue>(V); });
7085       assert(It != VL.end() && "Expected at least one non-undef value.");
7086       // Add broadcast for non-identity shuffle only.
7087       bool NeedShuffle =
7088           count(VL, *It) > 1 &&
7089           (VL.front() != *It || !all_of(VL.drop_front(), UndefValue::classof));
7090       InstructionCost InsertCost = TTI.getVectorInstrCost(
7091           Instruction::InsertElement, VecTy, CostKind,
7092           NeedShuffle ? 0 : std::distance(VL.begin(), It),
7093           PoisonValue::get(VecTy), *It);
7094       return InsertCost +
7095              (NeedShuffle ? TTI.getShuffleCost(
7096                                 TargetTransformInfo::SK_Broadcast, VecTy,
7097                                 /*Mask=*/std::nullopt, CostKind, /*Index=*/0,
7098                                 /*SubTp=*/nullptr, /*Args=*/*It)
7099                           : TTI::TCC_Free);
7100     }
7101     return GatherCost +
7102            (all_of(Gathers, UndefValue::classof)
7103                 ? TTI::TCC_Free
7104                 : R.getGatherCost(Gathers, !Root && VL.equals(Gathers)));
7105   };
7106 
7107   /// Compute the cost of creating a vector containing the extracted values from
7108   /// \p VL.
7109   InstructionCost
7110   computeExtractCost(ArrayRef<Value *> VL, ArrayRef<int> Mask,
7111                      ArrayRef<std::optional<TTI::ShuffleKind>> ShuffleKinds,
7112                      unsigned NumParts) {
7113     assert(VL.size() > NumParts && "Unexpected scalarized shuffle.");
7114     unsigned NumElts =
7115         std::accumulate(VL.begin(), VL.end(), 0, [](unsigned Sz, Value *V) {
7116           auto *EE = dyn_cast<ExtractElementInst>(V);
7117           if (!EE)
7118             return Sz;
7119           auto *VecTy = cast<FixedVectorType>(EE->getVectorOperandType());
7120           return std::max(Sz, VecTy->getNumElements());
7121         });
7122     unsigned NumSrcRegs = TTI.getNumberOfParts(
7123         FixedVectorType::get(VL.front()->getType(), NumElts));
7124     if (NumSrcRegs == 0)
7125       NumSrcRegs = 1;
7126     // FIXME: this must be moved to TTI for better estimation.
7127     unsigned EltsPerVector = PowerOf2Ceil(std::max(
7128         divideCeil(VL.size(), NumParts), divideCeil(NumElts, NumSrcRegs)));
7129     auto CheckPerRegistersShuffle =
7130         [&](MutableArrayRef<int> Mask) -> std::optional<TTI::ShuffleKind> {
7131       DenseSet<int> RegIndices;
7132       // Check that if trying to permute same single/2 input vectors.
7133       TTI::ShuffleKind ShuffleKind = TTI::SK_PermuteSingleSrc;
7134       int FirstRegId = -1;
7135       for (int &I : Mask) {
7136         if (I == PoisonMaskElem)
7137           continue;
7138         int RegId = (I / NumElts) * NumParts + (I % NumElts) / EltsPerVector;
7139         if (FirstRegId < 0)
7140           FirstRegId = RegId;
7141         RegIndices.insert(RegId);
7142         if (RegIndices.size() > 2)
7143           return std::nullopt;
7144         if (RegIndices.size() == 2)
7145           ShuffleKind = TTI::SK_PermuteTwoSrc;
7146         I = (I % NumElts) % EltsPerVector +
7147             (RegId == FirstRegId ? 0 : EltsPerVector);
7148       }
7149       return ShuffleKind;
7150     };
7151     InstructionCost Cost = 0;
7152 
7153     // Process extracts in blocks of EltsPerVector to check if the source vector
7154     // operand can be re-used directly. If not, add the cost of creating a
7155     // shuffle to extract the values into a vector register.
7156     for (unsigned Part = 0; Part < NumParts; ++Part) {
7157       if (!ShuffleKinds[Part])
7158         continue;
7159       ArrayRef<int> MaskSlice =
7160           Mask.slice(Part * EltsPerVector,
7161                      (Part == NumParts - 1 && Mask.size() % EltsPerVector != 0)
7162                          ? Mask.size() % EltsPerVector
7163                          : EltsPerVector);
7164       SmallVector<int> SubMask(EltsPerVector, PoisonMaskElem);
7165       copy(MaskSlice, SubMask.begin());
7166       std::optional<TTI::ShuffleKind> RegShuffleKind =
7167           CheckPerRegistersShuffle(SubMask);
7168       if (!RegShuffleKind) {
7169         Cost += ::getShuffleCost(
7170             TTI, *ShuffleKinds[Part],
7171             FixedVectorType::get(VL.front()->getType(), NumElts), MaskSlice);
7172         continue;
7173       }
7174       if (*RegShuffleKind != TTI::SK_PermuteSingleSrc ||
7175           !ShuffleVectorInst::isIdentityMask(SubMask, EltsPerVector)) {
7176         Cost += ::getShuffleCost(
7177             TTI, *RegShuffleKind,
7178             FixedVectorType::get(VL.front()->getType(), EltsPerVector),
7179             SubMask);
7180       }
7181     }
7182     return Cost;
7183   }
7184   /// Transforms mask \p CommonMask per given \p Mask to make proper set after
7185   /// shuffle emission.
7186   static void transformMaskAfterShuffle(MutableArrayRef<int> CommonMask,
7187                                         ArrayRef<int> Mask) {
7188     for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
7189       if (Mask[Idx] != PoisonMaskElem)
7190         CommonMask[Idx] = Idx;
7191   }
7192   /// Adds the cost of reshuffling \p E1 and \p E2 (if present), using given
7193   /// mask \p Mask, register number \p Part, that includes \p SliceSize
7194   /// elements.
7195   void estimateNodesPermuteCost(const TreeEntry &E1, const TreeEntry *E2,
7196                                 ArrayRef<int> Mask, unsigned Part,
7197                                 unsigned SliceSize) {
7198     if (SameNodesEstimated) {
7199       // Delay the cost estimation if the same nodes are reshuffling.
7200       // If we already requested the cost of reshuffling of E1 and E2 before, no
7201       // need to estimate another cost with the sub-Mask, instead include this
7202       // sub-Mask into the CommonMask to estimate it later and avoid double cost
7203       // estimation.
7204       if ((InVectors.size() == 2 &&
7205            InVectors.front().get<const TreeEntry *>() == &E1 &&
7206            InVectors.back().get<const TreeEntry *>() == E2) ||
7207           (!E2 && InVectors.front().get<const TreeEntry *>() == &E1)) {
7208         assert(all_of(ArrayRef(CommonMask).slice(Part * SliceSize, SliceSize),
7209                       [](int Idx) { return Idx == PoisonMaskElem; }) &&
7210                "Expected all poisoned elements.");
7211         ArrayRef<int> SubMask =
7212             ArrayRef(Mask).slice(Part * SliceSize, SliceSize);
7213         copy(SubMask, std::next(CommonMask.begin(), SliceSize * Part));
7214         return;
7215       }
7216       // Found non-matching nodes - need to estimate the cost for the matched
7217       // and transform mask.
7218       Cost += createShuffle(InVectors.front(),
7219                             InVectors.size() == 1 ? nullptr : InVectors.back(),
7220                             CommonMask);
7221       transformMaskAfterShuffle(CommonMask, CommonMask);
7222     }
7223     SameNodesEstimated = false;
7224     Cost += createShuffle(&E1, E2, Mask);
7225     transformMaskAfterShuffle(CommonMask, Mask);
7226   }
7227 
7228   class ShuffleCostBuilder {
7229     const TargetTransformInfo &TTI;
7230 
7231     static bool isEmptyOrIdentity(ArrayRef<int> Mask, unsigned VF) {
7232       int Index = -1;
7233       return Mask.empty() ||
7234              (VF == Mask.size() &&
7235               ShuffleVectorInst::isIdentityMask(Mask, VF)) ||
7236              (ShuffleVectorInst::isExtractSubvectorMask(Mask, VF, Index) &&
7237               Index == 0);
7238     }
7239 
7240   public:
7241     ShuffleCostBuilder(const TargetTransformInfo &TTI) : TTI(TTI) {}
7242     ~ShuffleCostBuilder() = default;
7243     InstructionCost createShuffleVector(Value *V1, Value *,
7244                                         ArrayRef<int> Mask) const {
7245       // Empty mask or identity mask are free.
7246       unsigned VF =
7247           cast<VectorType>(V1->getType())->getElementCount().getKnownMinValue();
7248       if (isEmptyOrIdentity(Mask, VF))
7249         return TTI::TCC_Free;
7250       return ::getShuffleCost(TTI, TTI::SK_PermuteTwoSrc,
7251                               cast<VectorType>(V1->getType()), Mask);
7252     }
7253     InstructionCost createShuffleVector(Value *V1, ArrayRef<int> Mask) const {
7254       // Empty mask or identity mask are free.
7255       unsigned VF =
7256           cast<VectorType>(V1->getType())->getElementCount().getKnownMinValue();
7257       if (isEmptyOrIdentity(Mask, VF))
7258         return TTI::TCC_Free;
7259       return TTI.getShuffleCost(TTI::SK_PermuteSingleSrc,
7260                                 cast<VectorType>(V1->getType()), Mask);
7261     }
7262     InstructionCost createIdentity(Value *) const { return TTI::TCC_Free; }
7263     InstructionCost createPoison(Type *Ty, unsigned VF) const {
7264       return TTI::TCC_Free;
7265     }
7266     void resizeToMatch(Value *&, Value *&) const {}
7267   };
7268 
7269   /// Smart shuffle instruction emission, walks through shuffles trees and
7270   /// tries to find the best matching vector for the actual shuffle
7271   /// instruction.
7272   InstructionCost
7273   createShuffle(const PointerUnion<Value *, const TreeEntry *> &P1,
7274                 const PointerUnion<Value *, const TreeEntry *> &P2,
7275                 ArrayRef<int> Mask) {
7276     ShuffleCostBuilder Builder(TTI);
7277     SmallVector<int> CommonMask(Mask.begin(), Mask.end());
7278     Value *V1 = P1.dyn_cast<Value *>(), *V2 = P2.dyn_cast<Value *>();
7279     unsigned CommonVF = Mask.size();
7280     if (!V1 && !V2 && !P2.isNull()) {
7281       // Shuffle 2 entry nodes.
7282       const TreeEntry *E = P1.get<const TreeEntry *>();
7283       unsigned VF = E->getVectorFactor();
7284       const TreeEntry *E2 = P2.get<const TreeEntry *>();
7285       CommonVF = std::max(VF, E2->getVectorFactor());
7286       assert(all_of(Mask,
7287                     [=](int Idx) {
7288                       return Idx < 2 * static_cast<int>(CommonVF);
7289                     }) &&
7290              "All elements in mask must be less than 2 * CommonVF.");
7291       if (E->Scalars.size() == E2->Scalars.size()) {
7292         SmallVector<int> EMask = E->getCommonMask();
7293         SmallVector<int> E2Mask = E2->getCommonMask();
7294         if (!EMask.empty() || !E2Mask.empty()) {
7295           for (int &Idx : CommonMask) {
7296             if (Idx == PoisonMaskElem)
7297               continue;
7298             if (Idx < static_cast<int>(CommonVF) && !EMask.empty())
7299               Idx = EMask[Idx];
7300             else if (Idx >= static_cast<int>(CommonVF))
7301               Idx = (E2Mask.empty() ? Idx - CommonVF : E2Mask[Idx - CommonVF]) +
7302                     E->Scalars.size();
7303           }
7304         }
7305         CommonVF = E->Scalars.size();
7306       }
7307       V1 = Constant::getNullValue(
7308           FixedVectorType::get(E->Scalars.front()->getType(), CommonVF));
7309       V2 = getAllOnesValue(
7310           *R.DL, FixedVectorType::get(E->Scalars.front()->getType(), CommonVF));
7311     } else if (!V1 && P2.isNull()) {
7312       // Shuffle single entry node.
7313       const TreeEntry *E = P1.get<const TreeEntry *>();
7314       unsigned VF = E->getVectorFactor();
7315       CommonVF = VF;
7316       assert(
7317           all_of(Mask,
7318                  [=](int Idx) { return Idx < static_cast<int>(CommonVF); }) &&
7319           "All elements in mask must be less than CommonVF.");
7320       if (E->Scalars.size() == Mask.size() && VF != Mask.size()) {
7321         SmallVector<int> EMask = E->getCommonMask();
7322         assert(!EMask.empty() && "Expected non-empty common mask.");
7323         for (int &Idx : CommonMask) {
7324           if (Idx != PoisonMaskElem)
7325             Idx = EMask[Idx];
7326         }
7327         CommonVF = E->Scalars.size();
7328       }
7329       V1 = Constant::getNullValue(
7330           FixedVectorType::get(E->Scalars.front()->getType(), CommonVF));
7331     } else if (V1 && P2.isNull()) {
7332       // Shuffle single vector.
7333       CommonVF = cast<FixedVectorType>(V1->getType())->getNumElements();
7334       assert(
7335           all_of(Mask,
7336                  [=](int Idx) { return Idx < static_cast<int>(CommonVF); }) &&
7337           "All elements in mask must be less than CommonVF.");
7338     } else if (V1 && !V2) {
7339       // Shuffle vector and tree node.
7340       unsigned VF = cast<FixedVectorType>(V1->getType())->getNumElements();
7341       const TreeEntry *E2 = P2.get<const TreeEntry *>();
7342       CommonVF = std::max(VF, E2->getVectorFactor());
7343       assert(all_of(Mask,
7344                     [=](int Idx) {
7345                       return Idx < 2 * static_cast<int>(CommonVF);
7346                     }) &&
7347              "All elements in mask must be less than 2 * CommonVF.");
7348       if (E2->Scalars.size() == VF && VF != CommonVF) {
7349         SmallVector<int> E2Mask = E2->getCommonMask();
7350         assert(!E2Mask.empty() && "Expected non-empty common mask.");
7351         for (int &Idx : CommonMask) {
7352           if (Idx == PoisonMaskElem)
7353             continue;
7354           if (Idx >= static_cast<int>(CommonVF))
7355             Idx = E2Mask[Idx - CommonVF] + VF;
7356         }
7357         CommonVF = VF;
7358       }
7359       V1 = Constant::getNullValue(
7360           FixedVectorType::get(E2->Scalars.front()->getType(), CommonVF));
7361       V2 = getAllOnesValue(
7362           *R.DL,
7363           FixedVectorType::get(E2->Scalars.front()->getType(), CommonVF));
7364     } else if (!V1 && V2) {
7365       // Shuffle vector and tree node.
7366       unsigned VF = cast<FixedVectorType>(V2->getType())->getNumElements();
7367       const TreeEntry *E1 = P1.get<const TreeEntry *>();
7368       CommonVF = std::max(VF, E1->getVectorFactor());
7369       assert(all_of(Mask,
7370                     [=](int Idx) {
7371                       return Idx < 2 * static_cast<int>(CommonVF);
7372                     }) &&
7373              "All elements in mask must be less than 2 * CommonVF.");
7374       if (E1->Scalars.size() == VF && VF != CommonVF) {
7375         SmallVector<int> E1Mask = E1->getCommonMask();
7376         assert(!E1Mask.empty() && "Expected non-empty common mask.");
7377         for (int &Idx : CommonMask) {
7378           if (Idx == PoisonMaskElem)
7379             continue;
7380           if (Idx >= static_cast<int>(CommonVF))
7381             Idx = E1Mask[Idx - CommonVF] + VF;
7382           else
7383             Idx = E1Mask[Idx];
7384         }
7385         CommonVF = VF;
7386       }
7387       V1 = Constant::getNullValue(
7388           FixedVectorType::get(E1->Scalars.front()->getType(), CommonVF));
7389       V2 = getAllOnesValue(
7390           *R.DL,
7391           FixedVectorType::get(E1->Scalars.front()->getType(), CommonVF));
7392     } else {
7393       assert(V1 && V2 && "Expected both vectors.");
7394       unsigned VF = cast<FixedVectorType>(V1->getType())->getNumElements();
7395       CommonVF =
7396           std::max(VF, cast<FixedVectorType>(V2->getType())->getNumElements());
7397       assert(all_of(Mask,
7398                     [=](int Idx) {
7399                       return Idx < 2 * static_cast<int>(CommonVF);
7400                     }) &&
7401              "All elements in mask must be less than 2 * CommonVF.");
7402       if (V1->getType() != V2->getType()) {
7403         V1 = Constant::getNullValue(FixedVectorType::get(
7404             cast<FixedVectorType>(V1->getType())->getElementType(), CommonVF));
7405         V2 = getAllOnesValue(
7406             *R.DL, FixedVectorType::get(
7407                        cast<FixedVectorType>(V1->getType())->getElementType(),
7408                        CommonVF));
7409       }
7410     }
7411     InVectors.front() = Constant::getNullValue(FixedVectorType::get(
7412         cast<FixedVectorType>(V1->getType())->getElementType(),
7413         CommonMask.size()));
7414     if (InVectors.size() == 2)
7415       InVectors.pop_back();
7416     return BaseShuffleAnalysis::createShuffle<InstructionCost>(
7417         V1, V2, CommonMask, Builder);
7418   }
7419 
7420 public:
7421   ShuffleCostEstimator(TargetTransformInfo &TTI,
7422                        ArrayRef<Value *> VectorizedVals, BoUpSLP &R,
7423                        SmallPtrSetImpl<Value *> &CheckedExtracts)
7424       : TTI(TTI), VectorizedVals(VectorizedVals.begin(), VectorizedVals.end()),
7425         R(R), CheckedExtracts(CheckedExtracts) {}
7426   Value *adjustExtracts(const TreeEntry *E, MutableArrayRef<int> Mask,
7427                         ArrayRef<std::optional<TTI::ShuffleKind>> ShuffleKinds,
7428                         unsigned NumParts, bool &UseVecBaseAsInput) {
7429     UseVecBaseAsInput = false;
7430     if (Mask.empty())
7431       return nullptr;
7432     Value *VecBase = nullptr;
7433     ArrayRef<Value *> VL = E->Scalars;
7434     // If the resulting type is scalarized, do not adjust the cost.
7435     if (NumParts == VL.size())
7436       return nullptr;
7437     // Check if it can be considered reused if same extractelements were
7438     // vectorized already.
7439     bool PrevNodeFound = any_of(
7440         ArrayRef(R.VectorizableTree).take_front(E->Idx),
7441         [&](const std::unique_ptr<TreeEntry> &TE) {
7442           return ((!TE->isAltShuffle() &&
7443                    TE->getOpcode() == Instruction::ExtractElement) ||
7444                   TE->State == TreeEntry::NeedToGather) &&
7445                  all_of(enumerate(TE->Scalars), [&](auto &&Data) {
7446                    return VL.size() > Data.index() &&
7447                           (Mask[Data.index()] == PoisonMaskElem ||
7448                            isa<UndefValue>(VL[Data.index()]) ||
7449                            Data.value() == VL[Data.index()]);
7450                  });
7451         });
7452     SmallPtrSet<Value *, 4> UniqueBases;
7453     unsigned SliceSize = VL.size() / NumParts;
7454     for (unsigned Part = 0; Part < NumParts; ++Part) {
7455       ArrayRef<int> SubMask = Mask.slice(Part * SliceSize, SliceSize);
7456       for (auto [I, V] : enumerate(VL.slice(Part * SliceSize, SliceSize))) {
7457         // Ignore non-extractelement scalars.
7458         if (isa<UndefValue>(V) ||
7459             (!SubMask.empty() && SubMask[I] == PoisonMaskElem))
7460           continue;
7461         // If all users of instruction are going to be vectorized and this
7462         // instruction itself is not going to be vectorized, consider this
7463         // instruction as dead and remove its cost from the final cost of the
7464         // vectorized tree.
7465         // Also, avoid adjusting the cost for extractelements with multiple uses
7466         // in different graph entries.
7467         auto *EE = cast<ExtractElementInst>(V);
7468         VecBase = EE->getVectorOperand();
7469         UniqueBases.insert(VecBase);
7470         const TreeEntry *VE = R.getTreeEntry(V);
7471         if (!CheckedExtracts.insert(V).second ||
7472             !R.areAllUsersVectorized(cast<Instruction>(V), &VectorizedVals) ||
7473             (VE && VE != E))
7474           continue;
7475         std::optional<unsigned> EEIdx = getExtractIndex(EE);
7476         if (!EEIdx)
7477           continue;
7478         unsigned Idx = *EEIdx;
7479         // Take credit for instruction that will become dead.
7480         if (EE->hasOneUse() || !PrevNodeFound) {
7481           Instruction *Ext = EE->user_back();
7482           if (isa<SExtInst, ZExtInst>(Ext) && all_of(Ext->users(), [](User *U) {
7483                 return isa<GetElementPtrInst>(U);
7484               })) {
7485             // Use getExtractWithExtendCost() to calculate the cost of
7486             // extractelement/ext pair.
7487             Cost -=
7488                 TTI.getExtractWithExtendCost(Ext->getOpcode(), Ext->getType(),
7489                                              EE->getVectorOperandType(), Idx);
7490             // Add back the cost of s|zext which is subtracted separately.
7491             Cost += TTI.getCastInstrCost(
7492                 Ext->getOpcode(), Ext->getType(), EE->getType(),
7493                 TTI::getCastContextHint(Ext), CostKind, Ext);
7494             continue;
7495           }
7496         }
7497         Cost -= TTI.getVectorInstrCost(*EE, EE->getVectorOperandType(),
7498                                        CostKind, Idx);
7499       }
7500     }
7501     // Check that gather of extractelements can be represented as just a
7502     // shuffle of a single/two vectors the scalars are extracted from.
7503     // Found the bunch of extractelement instructions that must be gathered
7504     // into a vector and can be represented as a permutation elements in a
7505     // single input vector or of 2 input vectors.
7506     // Done for reused if same extractelements were vectorized already.
7507     if (!PrevNodeFound)
7508       Cost += computeExtractCost(VL, Mask, ShuffleKinds, NumParts);
7509     InVectors.assign(1, E);
7510     CommonMask.assign(Mask.begin(), Mask.end());
7511     transformMaskAfterShuffle(CommonMask, CommonMask);
7512     SameNodesEstimated = false;
7513     if (NumParts != 1 && UniqueBases.size() != 1) {
7514       UseVecBaseAsInput = true;
7515       VecBase = Constant::getNullValue(
7516           FixedVectorType::get(VL.front()->getType(), CommonMask.size()));
7517     }
7518     return VecBase;
7519   }
7520   /// Checks if the specified entry \p E needs to be delayed because of its
7521   /// dependency nodes.
7522   std::optional<InstructionCost>
7523   needToDelay(const TreeEntry *,
7524               ArrayRef<SmallVector<const TreeEntry *>>) const {
7525     // No need to delay the cost estimation during analysis.
7526     return std::nullopt;
7527   }
7528   void add(const TreeEntry &E1, const TreeEntry &E2, ArrayRef<int> Mask) {
7529     if (&E1 == &E2) {
7530       assert(all_of(Mask,
7531                     [&](int Idx) {
7532                       return Idx < static_cast<int>(E1.getVectorFactor());
7533                     }) &&
7534              "Expected single vector shuffle mask.");
7535       add(E1, Mask);
7536       return;
7537     }
7538     if (InVectors.empty()) {
7539       CommonMask.assign(Mask.begin(), Mask.end());
7540       InVectors.assign({&E1, &E2});
7541       return;
7542     }
7543     assert(!CommonMask.empty() && "Expected non-empty common mask.");
7544     auto *MaskVecTy =
7545         FixedVectorType::get(E1.Scalars.front()->getType(), Mask.size());
7546     unsigned NumParts = TTI.getNumberOfParts(MaskVecTy);
7547     if (NumParts == 0 || NumParts >= Mask.size())
7548       NumParts = 1;
7549     unsigned SliceSize = Mask.size() / NumParts;
7550     const auto *It =
7551         find_if(Mask, [](int Idx) { return Idx != PoisonMaskElem; });
7552     unsigned Part = std::distance(Mask.begin(), It) / SliceSize;
7553     estimateNodesPermuteCost(E1, &E2, Mask, Part, SliceSize);
7554   }
7555   void add(const TreeEntry &E1, ArrayRef<int> Mask) {
7556     if (InVectors.empty()) {
7557       CommonMask.assign(Mask.begin(), Mask.end());
7558       InVectors.assign(1, &E1);
7559       return;
7560     }
7561     assert(!CommonMask.empty() && "Expected non-empty common mask.");
7562     auto *MaskVecTy =
7563         FixedVectorType::get(E1.Scalars.front()->getType(), Mask.size());
7564     unsigned NumParts = TTI.getNumberOfParts(MaskVecTy);
7565     if (NumParts == 0 || NumParts >= Mask.size())
7566       NumParts = 1;
7567     unsigned SliceSize = Mask.size() / NumParts;
7568     const auto *It =
7569         find_if(Mask, [](int Idx) { return Idx != PoisonMaskElem; });
7570     unsigned Part = std::distance(Mask.begin(), It) / SliceSize;
7571     estimateNodesPermuteCost(E1, nullptr, Mask, Part, SliceSize);
7572     if (!SameNodesEstimated && InVectors.size() == 1)
7573       InVectors.emplace_back(&E1);
7574   }
7575   /// Adds 2 input vectors and the mask for their shuffling.
7576   void add(Value *V1, Value *V2, ArrayRef<int> Mask) {
7577     // May come only for shuffling of 2 vectors with extractelements, already
7578     // handled in adjustExtracts.
7579     assert(InVectors.size() == 1 &&
7580            all_of(enumerate(CommonMask),
7581                   [&](auto P) {
7582                     if (P.value() == PoisonMaskElem)
7583                       return Mask[P.index()] == PoisonMaskElem;
7584                     auto *EI =
7585                         cast<ExtractElementInst>(InVectors.front()
7586                                                      .get<const TreeEntry *>()
7587                                                      ->Scalars[P.index()]);
7588                     return EI->getVectorOperand() == V1 ||
7589                            EI->getVectorOperand() == V2;
7590                   }) &&
7591            "Expected extractelement vectors.");
7592   }
7593   /// Adds another one input vector and the mask for the shuffling.
7594   void add(Value *V1, ArrayRef<int> Mask, bool ForExtracts = false) {
7595     if (InVectors.empty()) {
7596       assert(CommonMask.empty() && !ForExtracts &&
7597              "Expected empty input mask/vectors.");
7598       CommonMask.assign(Mask.begin(), Mask.end());
7599       InVectors.assign(1, V1);
7600       return;
7601     }
7602     if (ForExtracts) {
7603       // No need to add vectors here, already handled them in adjustExtracts.
7604       assert(InVectors.size() == 1 &&
7605              InVectors.front().is<const TreeEntry *>() && !CommonMask.empty() &&
7606              all_of(enumerate(CommonMask),
7607                     [&](auto P) {
7608                       Value *Scalar = InVectors.front()
7609                                           .get<const TreeEntry *>()
7610                                           ->Scalars[P.index()];
7611                       if (P.value() == PoisonMaskElem)
7612                         return P.value() == Mask[P.index()] ||
7613                                isa<UndefValue>(Scalar);
7614                       if (isa<Constant>(V1))
7615                         return true;
7616                       auto *EI = cast<ExtractElementInst>(Scalar);
7617                       return EI->getVectorOperand() == V1;
7618                     }) &&
7619              "Expected only tree entry for extractelement vectors.");
7620       return;
7621     }
7622     assert(!InVectors.empty() && !CommonMask.empty() &&
7623            "Expected only tree entries from extracts/reused buildvectors.");
7624     unsigned VF = cast<FixedVectorType>(V1->getType())->getNumElements();
7625     if (InVectors.size() == 2) {
7626       Cost += createShuffle(InVectors.front(), InVectors.back(), CommonMask);
7627       transformMaskAfterShuffle(CommonMask, CommonMask);
7628       VF = std::max<unsigned>(VF, CommonMask.size());
7629     } else if (const auto *InTE =
7630                    InVectors.front().dyn_cast<const TreeEntry *>()) {
7631       VF = std::max(VF, InTE->getVectorFactor());
7632     } else {
7633       VF = std::max(
7634           VF, cast<FixedVectorType>(InVectors.front().get<Value *>()->getType())
7635                   ->getNumElements());
7636     }
7637     InVectors.push_back(V1);
7638     for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
7639       if (Mask[Idx] != PoisonMaskElem && CommonMask[Idx] == PoisonMaskElem)
7640         CommonMask[Idx] = Mask[Idx] + VF;
7641   }
7642   Value *gather(ArrayRef<Value *> VL, unsigned MaskVF = 0,
7643                 Value *Root = nullptr) {
7644     Cost += getBuildVectorCost(VL, Root);
7645     if (!Root) {
7646       // FIXME: Need to find a way to avoid use of getNullValue here.
7647       SmallVector<Constant *> Vals;
7648       unsigned VF = VL.size();
7649       if (MaskVF != 0)
7650         VF = std::min(VF, MaskVF);
7651       for (Value *V : VL.take_front(VF)) {
7652         if (isa<UndefValue>(V)) {
7653           Vals.push_back(cast<Constant>(V));
7654           continue;
7655         }
7656         Vals.push_back(Constant::getNullValue(V->getType()));
7657       }
7658       return ConstantVector::get(Vals);
7659     }
7660     return ConstantVector::getSplat(
7661         ElementCount::getFixed(
7662             cast<FixedVectorType>(Root->getType())->getNumElements()),
7663         getAllOnesValue(*R.DL, VL.front()->getType()));
7664   }
7665   InstructionCost createFreeze(InstructionCost Cost) { return Cost; }
7666   /// Finalize emission of the shuffles.
7667   InstructionCost
7668   finalize(ArrayRef<int> ExtMask, unsigned VF = 0,
7669            function_ref<void(Value *&, SmallVectorImpl<int> &)> Action = {}) {
7670     IsFinalized = true;
7671     if (Action) {
7672       const PointerUnion<Value *, const TreeEntry *> &Vec = InVectors.front();
7673       if (InVectors.size() == 2)
7674         Cost += createShuffle(Vec, InVectors.back(), CommonMask);
7675       else
7676         Cost += createShuffle(Vec, nullptr, CommonMask);
7677       for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
7678         if (CommonMask[Idx] != PoisonMaskElem)
7679           CommonMask[Idx] = Idx;
7680       assert(VF > 0 &&
7681              "Expected vector length for the final value before action.");
7682       Value *V = Vec.get<Value *>();
7683       Action(V, CommonMask);
7684       InVectors.front() = V;
7685     }
7686     ::addMask(CommonMask, ExtMask, /*ExtendingManyInputs=*/true);
7687     if (CommonMask.empty()) {
7688       assert(InVectors.size() == 1 && "Expected only one vector with no mask");
7689       return Cost;
7690     }
7691     return Cost +
7692            createShuffle(InVectors.front(),
7693                          InVectors.size() == 2 ? InVectors.back() : nullptr,
7694                          CommonMask);
7695   }
7696 
7697   ~ShuffleCostEstimator() {
7698     assert((IsFinalized || CommonMask.empty()) &&
7699            "Shuffle construction must be finalized.");
7700   }
7701 };
7702 
7703 const BoUpSLP::TreeEntry *BoUpSLP::getOperandEntry(const TreeEntry *E,
7704                                                    unsigned Idx) const {
7705   Value *Op = E->getOperand(Idx).front();
7706   if (const TreeEntry *TE = getTreeEntry(Op)) {
7707     if (find_if(E->UserTreeIndices, [&](const EdgeInfo &EI) {
7708           return EI.EdgeIdx == Idx && EI.UserTE == E;
7709         }) != TE->UserTreeIndices.end())
7710       return TE;
7711     auto MIt = MultiNodeScalars.find(Op);
7712     if (MIt != MultiNodeScalars.end()) {
7713       for (const TreeEntry *TE : MIt->second) {
7714         if (find_if(TE->UserTreeIndices, [&](const EdgeInfo &EI) {
7715               return EI.EdgeIdx == Idx && EI.UserTE == E;
7716             }) != TE->UserTreeIndices.end())
7717           return TE;
7718       }
7719     }
7720   }
7721   const auto *It =
7722       find_if(VectorizableTree, [&](const std::unique_ptr<TreeEntry> &TE) {
7723         return TE->State == TreeEntry::NeedToGather &&
7724                find_if(TE->UserTreeIndices, [&](const EdgeInfo &EI) {
7725                  return EI.EdgeIdx == Idx && EI.UserTE == E;
7726                }) != TE->UserTreeIndices.end();
7727       });
7728   assert(It != VectorizableTree.end() && "Expected vectorizable entry.");
7729   return It->get();
7730 }
7731 
7732 InstructionCost
7733 BoUpSLP::getEntryCost(const TreeEntry *E, ArrayRef<Value *> VectorizedVals,
7734                       SmallPtrSetImpl<Value *> &CheckedExtracts) {
7735   ArrayRef<Value *> VL = E->Scalars;
7736 
7737   Type *ScalarTy = VL[0]->getType();
7738   if (E->State != TreeEntry::NeedToGather) {
7739     if (auto *SI = dyn_cast<StoreInst>(VL[0]))
7740       ScalarTy = SI->getValueOperand()->getType();
7741     else if (auto *CI = dyn_cast<CmpInst>(VL[0]))
7742       ScalarTy = CI->getOperand(0)->getType();
7743     else if (auto *IE = dyn_cast<InsertElementInst>(VL[0]))
7744       ScalarTy = IE->getOperand(1)->getType();
7745   }
7746   if (!FixedVectorType::isValidElementType(ScalarTy))
7747     return InstructionCost::getInvalid();
7748   auto *VecTy = FixedVectorType::get(ScalarTy, VL.size());
7749   TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
7750 
7751   // If we have computed a smaller type for the expression, update VecTy so
7752   // that the costs will be accurate.
7753   auto It = MinBWs.find(E);
7754   if (It != MinBWs.end()) {
7755     ScalarTy = IntegerType::get(F->getContext(), It->second.first);
7756     VecTy = FixedVectorType::get(ScalarTy, VL.size());
7757   }
7758   unsigned EntryVF = E->getVectorFactor();
7759   auto *FinalVecTy = FixedVectorType::get(ScalarTy, EntryVF);
7760 
7761   bool NeedToShuffleReuses = !E->ReuseShuffleIndices.empty();
7762   if (E->State == TreeEntry::NeedToGather) {
7763     if (allConstant(VL))
7764       return 0;
7765     if (isa<InsertElementInst>(VL[0]))
7766       return InstructionCost::getInvalid();
7767     return processBuildVector<ShuffleCostEstimator, InstructionCost>(
7768         E, *TTI, VectorizedVals, *this, CheckedExtracts);
7769   }
7770   InstructionCost CommonCost = 0;
7771   SmallVector<int> Mask;
7772   if (!E->ReorderIndices.empty() &&
7773       E->State != TreeEntry::PossibleStridedVectorize) {
7774     SmallVector<int> NewMask;
7775     if (E->getOpcode() == Instruction::Store) {
7776       // For stores the order is actually a mask.
7777       NewMask.resize(E->ReorderIndices.size());
7778       copy(E->ReorderIndices, NewMask.begin());
7779     } else {
7780       inversePermutation(E->ReorderIndices, NewMask);
7781     }
7782     ::addMask(Mask, NewMask);
7783   }
7784   if (NeedToShuffleReuses)
7785     ::addMask(Mask, E->ReuseShuffleIndices);
7786   if (!Mask.empty() && !ShuffleVectorInst::isIdentityMask(Mask, Mask.size()))
7787     CommonCost =
7788         TTI->getShuffleCost(TTI::SK_PermuteSingleSrc, FinalVecTy, Mask);
7789   assert((E->State == TreeEntry::Vectorize ||
7790           E->State == TreeEntry::ScatterVectorize ||
7791           E->State == TreeEntry::PossibleStridedVectorize) &&
7792          "Unhandled state");
7793   assert(E->getOpcode() &&
7794          ((allSameType(VL) && allSameBlock(VL)) ||
7795           (E->getOpcode() == Instruction::GetElementPtr &&
7796            E->getMainOp()->getType()->isPointerTy())) &&
7797          "Invalid VL");
7798   Instruction *VL0 = E->getMainOp();
7799   unsigned ShuffleOrOp =
7800       E->isAltShuffle() ? (unsigned)Instruction::ShuffleVector : E->getOpcode();
7801   SetVector<Value *> UniqueValues(VL.begin(), VL.end());
7802   const unsigned Sz = UniqueValues.size();
7803   SmallBitVector UsedScalars(Sz, false);
7804   for (unsigned I = 0; I < Sz; ++I) {
7805     if (getTreeEntry(UniqueValues[I]) == E)
7806       continue;
7807     UsedScalars.set(I);
7808   }
7809   auto GetCastContextHint = [&](Value *V) {
7810     if (const TreeEntry *OpTE = getTreeEntry(V)) {
7811       if (OpTE->State == TreeEntry::ScatterVectorize)
7812         return TTI::CastContextHint::GatherScatter;
7813       if (OpTE->State == TreeEntry::Vectorize &&
7814           OpTE->getOpcode() == Instruction::Load && !OpTE->isAltShuffle()) {
7815         if (OpTE->ReorderIndices.empty())
7816           return TTI::CastContextHint::Normal;
7817         SmallVector<int> Mask;
7818         inversePermutation(OpTE->ReorderIndices, Mask);
7819         if (ShuffleVectorInst::isReverseMask(Mask, Mask.size()))
7820           return TTI::CastContextHint::Reversed;
7821       }
7822     } else {
7823       InstructionsState SrcState = getSameOpcode(E->getOperand(0), *TLI);
7824       if (SrcState.getOpcode() == Instruction::Load && !SrcState.isAltShuffle())
7825         return TTI::CastContextHint::GatherScatter;
7826     }
7827     return TTI::CastContextHint::None;
7828   };
7829   auto GetCostDiff =
7830       [=](function_ref<InstructionCost(unsigned)> ScalarEltCost,
7831           function_ref<InstructionCost(InstructionCost)> VectorCost) {
7832         // Calculate the cost of this instruction.
7833         InstructionCost ScalarCost = 0;
7834         if (isa<CastInst, CmpInst, SelectInst, CallInst>(VL0)) {
7835           // For some of the instructions no need to calculate cost for each
7836           // particular instruction, we can use the cost of the single
7837           // instruction x total number of scalar instructions.
7838           ScalarCost = (Sz - UsedScalars.count()) * ScalarEltCost(0);
7839         } else {
7840           for (unsigned I = 0; I < Sz; ++I) {
7841             if (UsedScalars.test(I))
7842               continue;
7843             ScalarCost += ScalarEltCost(I);
7844           }
7845         }
7846 
7847         InstructionCost VecCost = VectorCost(CommonCost);
7848         // Check if the current node must be resized, if the parent node is not
7849         // resized.
7850         if (!UnaryInstruction::isCast(E->getOpcode()) && E->Idx != 0) {
7851           const EdgeInfo &EI = E->UserTreeIndices.front();
7852           if ((EI.UserTE->getOpcode() != Instruction::Select ||
7853                EI.EdgeIdx != 0) &&
7854               It != MinBWs.end()) {
7855             auto UserBWIt = MinBWs.find(EI.UserTE);
7856             Type *UserScalarTy =
7857                 EI.UserTE->getOperand(EI.EdgeIdx).front()->getType();
7858             if (UserBWIt != MinBWs.end())
7859               UserScalarTy = IntegerType::get(ScalarTy->getContext(),
7860                                               UserBWIt->second.first);
7861             if (ScalarTy != UserScalarTy) {
7862               unsigned BWSz = DL->getTypeSizeInBits(ScalarTy);
7863               unsigned SrcBWSz = DL->getTypeSizeInBits(UserScalarTy);
7864               unsigned VecOpcode;
7865               auto *SrcVecTy =
7866                   FixedVectorType::get(UserScalarTy, E->getVectorFactor());
7867               if (BWSz > SrcBWSz)
7868                 VecOpcode = Instruction::Trunc;
7869               else
7870                 VecOpcode =
7871                     It->second.second ? Instruction::SExt : Instruction::ZExt;
7872               TTI::CastContextHint CCH = GetCastContextHint(VL0);
7873               VecCost += TTI->getCastInstrCost(VecOpcode, VecTy, SrcVecTy, CCH,
7874                                                CostKind);
7875               ScalarCost +=
7876                   Sz * TTI->getCastInstrCost(VecOpcode, ScalarTy, UserScalarTy,
7877                                              CCH, CostKind);
7878             }
7879           }
7880         }
7881         LLVM_DEBUG(dumpTreeCosts(E, CommonCost, VecCost - CommonCost,
7882                                  ScalarCost, "Calculated costs for Tree"));
7883         return VecCost - ScalarCost;
7884       };
7885   // Calculate cost difference from vectorizing set of GEPs.
7886   // Negative value means vectorizing is profitable.
7887   auto GetGEPCostDiff = [=](ArrayRef<Value *> Ptrs, Value *BasePtr) {
7888     InstructionCost ScalarCost = 0;
7889     InstructionCost VecCost = 0;
7890     // Here we differentiate two cases: (1) when Ptrs represent a regular
7891     // vectorization tree node (as they are pointer arguments of scattered
7892     // loads) or (2) when Ptrs are the arguments of loads or stores being
7893     // vectorized as plane wide unit-stride load/store since all the
7894     // loads/stores are known to be from/to adjacent locations.
7895     assert(E->State == TreeEntry::Vectorize &&
7896            "Entry state expected to be Vectorize here.");
7897     if (isa<LoadInst, StoreInst>(VL0)) {
7898       // Case 2: estimate costs for pointer related costs when vectorizing to
7899       // a wide load/store.
7900       // Scalar cost is estimated as a set of pointers with known relationship
7901       // between them.
7902       // For vector code we will use BasePtr as argument for the wide load/store
7903       // but we also need to account all the instructions which are going to
7904       // stay in vectorized code due to uses outside of these scalar
7905       // loads/stores.
7906       ScalarCost = TTI->getPointersChainCost(
7907           Ptrs, BasePtr, TTI::PointersChainInfo::getUnitStride(), ScalarTy,
7908           CostKind);
7909 
7910       SmallVector<const Value *> PtrsRetainedInVecCode;
7911       for (Value *V : Ptrs) {
7912         if (V == BasePtr) {
7913           PtrsRetainedInVecCode.push_back(V);
7914           continue;
7915         }
7916         auto *Ptr = dyn_cast<GetElementPtrInst>(V);
7917         // For simplicity assume Ptr to stay in vectorized code if it's not a
7918         // GEP instruction. We don't care since it's cost considered free.
7919         // TODO: We should check for any uses outside of vectorizable tree
7920         // rather than just single use.
7921         if (!Ptr || !Ptr->hasOneUse())
7922           PtrsRetainedInVecCode.push_back(V);
7923       }
7924 
7925       if (PtrsRetainedInVecCode.size() == Ptrs.size()) {
7926         // If all pointers stay in vectorized code then we don't have
7927         // any savings on that.
7928         LLVM_DEBUG(dumpTreeCosts(E, 0, ScalarCost, ScalarCost,
7929                                  "Calculated GEPs cost for Tree"));
7930         return InstructionCost{TTI::TCC_Free};
7931       }
7932       VecCost = TTI->getPointersChainCost(
7933           PtrsRetainedInVecCode, BasePtr,
7934           TTI::PointersChainInfo::getKnownStride(), VecTy, CostKind);
7935     } else {
7936       // Case 1: Ptrs are the arguments of loads that we are going to transform
7937       // into masked gather load intrinsic.
7938       // All the scalar GEPs will be removed as a result of vectorization.
7939       // For any external uses of some lanes extract element instructions will
7940       // be generated (which cost is estimated separately).
7941       TTI::PointersChainInfo PtrsInfo =
7942           all_of(Ptrs,
7943                  [](const Value *V) {
7944                    auto *Ptr = dyn_cast<GetElementPtrInst>(V);
7945                    return Ptr && !Ptr->hasAllConstantIndices();
7946                  })
7947               ? TTI::PointersChainInfo::getUnknownStride()
7948               : TTI::PointersChainInfo::getKnownStride();
7949 
7950       ScalarCost = TTI->getPointersChainCost(Ptrs, BasePtr, PtrsInfo, ScalarTy,
7951                                              CostKind);
7952       if (auto *BaseGEP = dyn_cast<GEPOperator>(BasePtr)) {
7953         SmallVector<const Value *> Indices(BaseGEP->indices());
7954         VecCost = TTI->getGEPCost(BaseGEP->getSourceElementType(),
7955                                   BaseGEP->getPointerOperand(), Indices, VecTy,
7956                                   CostKind);
7957       }
7958     }
7959 
7960     LLVM_DEBUG(dumpTreeCosts(E, 0, VecCost, ScalarCost,
7961                              "Calculated GEPs cost for Tree"));
7962 
7963     return VecCost - ScalarCost;
7964   };
7965 
7966   switch (ShuffleOrOp) {
7967   case Instruction::PHI: {
7968     // Count reused scalars.
7969     InstructionCost ScalarCost = 0;
7970     SmallPtrSet<const TreeEntry *, 4> CountedOps;
7971     for (Value *V : UniqueValues) {
7972       auto *PHI = dyn_cast<PHINode>(V);
7973       if (!PHI)
7974         continue;
7975 
7976       ValueList Operands(PHI->getNumIncomingValues(), nullptr);
7977       for (unsigned I = 0, N = PHI->getNumIncomingValues(); I < N; ++I) {
7978         Value *Op = PHI->getIncomingValue(I);
7979         Operands[I] = Op;
7980       }
7981       if (const TreeEntry *OpTE = getTreeEntry(Operands.front()))
7982         if (OpTE->isSame(Operands) && CountedOps.insert(OpTE).second)
7983           if (!OpTE->ReuseShuffleIndices.empty())
7984             ScalarCost += TTI::TCC_Basic * (OpTE->ReuseShuffleIndices.size() -
7985                                             OpTE->Scalars.size());
7986     }
7987 
7988     return CommonCost - ScalarCost;
7989   }
7990   case Instruction::ExtractValue:
7991   case Instruction::ExtractElement: {
7992     auto GetScalarCost = [&](unsigned Idx) {
7993       auto *I = cast<Instruction>(UniqueValues[Idx]);
7994       VectorType *SrcVecTy;
7995       if (ShuffleOrOp == Instruction::ExtractElement) {
7996         auto *EE = cast<ExtractElementInst>(I);
7997         SrcVecTy = EE->getVectorOperandType();
7998       } else {
7999         auto *EV = cast<ExtractValueInst>(I);
8000         Type *AggregateTy = EV->getAggregateOperand()->getType();
8001         unsigned NumElts;
8002         if (auto *ATy = dyn_cast<ArrayType>(AggregateTy))
8003           NumElts = ATy->getNumElements();
8004         else
8005           NumElts = AggregateTy->getStructNumElements();
8006         SrcVecTy = FixedVectorType::get(ScalarTy, NumElts);
8007       }
8008       if (I->hasOneUse()) {
8009         Instruction *Ext = I->user_back();
8010         if ((isa<SExtInst>(Ext) || isa<ZExtInst>(Ext)) &&
8011             all_of(Ext->users(),
8012                    [](User *U) { return isa<GetElementPtrInst>(U); })) {
8013           // Use getExtractWithExtendCost() to calculate the cost of
8014           // extractelement/ext pair.
8015           InstructionCost Cost = TTI->getExtractWithExtendCost(
8016               Ext->getOpcode(), Ext->getType(), SrcVecTy, *getExtractIndex(I));
8017           // Subtract the cost of s|zext which is subtracted separately.
8018           Cost -= TTI->getCastInstrCost(
8019               Ext->getOpcode(), Ext->getType(), I->getType(),
8020               TTI::getCastContextHint(Ext), CostKind, Ext);
8021           return Cost;
8022         }
8023       }
8024       return TTI->getVectorInstrCost(Instruction::ExtractElement, SrcVecTy,
8025                                      CostKind, *getExtractIndex(I));
8026     };
8027     auto GetVectorCost = [](InstructionCost CommonCost) { return CommonCost; };
8028     return GetCostDiff(GetScalarCost, GetVectorCost);
8029   }
8030   case Instruction::InsertElement: {
8031     assert(E->ReuseShuffleIndices.empty() &&
8032            "Unique insertelements only are expected.");
8033     auto *SrcVecTy = cast<FixedVectorType>(VL0->getType());
8034     unsigned const NumElts = SrcVecTy->getNumElements();
8035     unsigned const NumScalars = VL.size();
8036 
8037     unsigned NumOfParts = TTI->getNumberOfParts(SrcVecTy);
8038 
8039     SmallVector<int> InsertMask(NumElts, PoisonMaskElem);
8040     unsigned OffsetBeg = *getInsertIndex(VL.front());
8041     unsigned OffsetEnd = OffsetBeg;
8042     InsertMask[OffsetBeg] = 0;
8043     for (auto [I, V] : enumerate(VL.drop_front())) {
8044       unsigned Idx = *getInsertIndex(V);
8045       if (OffsetBeg > Idx)
8046         OffsetBeg = Idx;
8047       else if (OffsetEnd < Idx)
8048         OffsetEnd = Idx;
8049       InsertMask[Idx] = I + 1;
8050     }
8051     unsigned VecScalarsSz = PowerOf2Ceil(NumElts);
8052     if (NumOfParts > 0)
8053       VecScalarsSz = PowerOf2Ceil((NumElts + NumOfParts - 1) / NumOfParts);
8054     unsigned VecSz = (1 + OffsetEnd / VecScalarsSz - OffsetBeg / VecScalarsSz) *
8055                      VecScalarsSz;
8056     unsigned Offset = VecScalarsSz * (OffsetBeg / VecScalarsSz);
8057     unsigned InsertVecSz = std::min<unsigned>(
8058         PowerOf2Ceil(OffsetEnd - OffsetBeg + 1),
8059         ((OffsetEnd - OffsetBeg + VecScalarsSz) / VecScalarsSz) * VecScalarsSz);
8060     bool IsWholeSubvector =
8061         OffsetBeg == Offset && ((OffsetEnd + 1) % VecScalarsSz == 0);
8062     // Check if we can safely insert a subvector. If it is not possible, just
8063     // generate a whole-sized vector and shuffle the source vector and the new
8064     // subvector.
8065     if (OffsetBeg + InsertVecSz > VecSz) {
8066       // Align OffsetBeg to generate correct mask.
8067       OffsetBeg = alignDown(OffsetBeg, VecSz, Offset);
8068       InsertVecSz = VecSz;
8069     }
8070 
8071     APInt DemandedElts = APInt::getZero(NumElts);
8072     // TODO: Add support for Instruction::InsertValue.
8073     SmallVector<int> Mask;
8074     if (!E->ReorderIndices.empty()) {
8075       inversePermutation(E->ReorderIndices, Mask);
8076       Mask.append(InsertVecSz - Mask.size(), PoisonMaskElem);
8077     } else {
8078       Mask.assign(VecSz, PoisonMaskElem);
8079       std::iota(Mask.begin(), std::next(Mask.begin(), InsertVecSz), 0);
8080     }
8081     bool IsIdentity = true;
8082     SmallVector<int> PrevMask(InsertVecSz, PoisonMaskElem);
8083     Mask.swap(PrevMask);
8084     for (unsigned I = 0; I < NumScalars; ++I) {
8085       unsigned InsertIdx = *getInsertIndex(VL[PrevMask[I]]);
8086       DemandedElts.setBit(InsertIdx);
8087       IsIdentity &= InsertIdx - OffsetBeg == I;
8088       Mask[InsertIdx - OffsetBeg] = I;
8089     }
8090     assert(Offset < NumElts && "Failed to find vector index offset");
8091 
8092     InstructionCost Cost = 0;
8093     Cost -= TTI->getScalarizationOverhead(SrcVecTy, DemandedElts,
8094                                           /*Insert*/ true, /*Extract*/ false,
8095                                           CostKind);
8096 
8097     // First cost - resize to actual vector size if not identity shuffle or
8098     // need to shift the vector.
8099     // Do not calculate the cost if the actual size is the register size and
8100     // we can merge this shuffle with the following SK_Select.
8101     auto *InsertVecTy = FixedVectorType::get(ScalarTy, InsertVecSz);
8102     if (!IsIdentity)
8103       Cost += TTI->getShuffleCost(TargetTransformInfo::SK_PermuteSingleSrc,
8104                                   InsertVecTy, Mask);
8105     auto *FirstInsert = cast<Instruction>(*find_if(E->Scalars, [E](Value *V) {
8106       return !is_contained(E->Scalars, cast<Instruction>(V)->getOperand(0));
8107     }));
8108     // Second cost - permutation with subvector, if some elements are from the
8109     // initial vector or inserting a subvector.
8110     // TODO: Implement the analysis of the FirstInsert->getOperand(0)
8111     // subvector of ActualVecTy.
8112     SmallBitVector InMask =
8113         isUndefVector(FirstInsert->getOperand(0),
8114                       buildUseMask(NumElts, InsertMask, UseMask::UndefsAsMask));
8115     if (!InMask.all() && NumScalars != NumElts && !IsWholeSubvector) {
8116       if (InsertVecSz != VecSz) {
8117         auto *ActualVecTy = FixedVectorType::get(ScalarTy, VecSz);
8118         Cost += TTI->getShuffleCost(TTI::SK_InsertSubvector, ActualVecTy,
8119                                     std::nullopt, CostKind, OffsetBeg - Offset,
8120                                     InsertVecTy);
8121       } else {
8122         for (unsigned I = 0, End = OffsetBeg - Offset; I < End; ++I)
8123           Mask[I] = InMask.test(I) ? PoisonMaskElem : I;
8124         for (unsigned I = OffsetBeg - Offset, End = OffsetEnd - Offset;
8125              I <= End; ++I)
8126           if (Mask[I] != PoisonMaskElem)
8127             Mask[I] = I + VecSz;
8128         for (unsigned I = OffsetEnd + 1 - Offset; I < VecSz; ++I)
8129           Mask[I] =
8130               ((I >= InMask.size()) || InMask.test(I)) ? PoisonMaskElem : I;
8131         Cost +=
8132             ::getShuffleCost(*TTI, TTI::SK_PermuteTwoSrc, InsertVecTy, Mask);
8133       }
8134     }
8135     return Cost;
8136   }
8137   case Instruction::ZExt:
8138   case Instruction::SExt:
8139   case Instruction::FPToUI:
8140   case Instruction::FPToSI:
8141   case Instruction::FPExt:
8142   case Instruction::PtrToInt:
8143   case Instruction::IntToPtr:
8144   case Instruction::SIToFP:
8145   case Instruction::UIToFP:
8146   case Instruction::Trunc:
8147   case Instruction::FPTrunc:
8148   case Instruction::BitCast: {
8149     auto SrcIt = MinBWs.find(getOperandEntry(E, 0));
8150     Type *SrcScalarTy = VL0->getOperand(0)->getType();
8151     auto *SrcVecTy = FixedVectorType::get(SrcScalarTy, VL.size());
8152     unsigned Opcode = ShuffleOrOp;
8153     unsigned VecOpcode = Opcode;
8154     if (!ScalarTy->isFloatingPointTy() && !SrcScalarTy->isFloatingPointTy() &&
8155         (SrcIt != MinBWs.end() || It != MinBWs.end())) {
8156       // Check if the values are candidates to demote.
8157       unsigned SrcBWSz = DL->getTypeSizeInBits(SrcScalarTy);
8158       if (SrcIt != MinBWs.end()) {
8159         SrcBWSz = SrcIt->second.first;
8160         SrcScalarTy = IntegerType::get(F->getContext(), SrcBWSz);
8161         SrcVecTy = FixedVectorType::get(SrcScalarTy, VL.size());
8162       }
8163       unsigned BWSz = DL->getTypeSizeInBits(ScalarTy);
8164       if (BWSz == SrcBWSz) {
8165         VecOpcode = Instruction::BitCast;
8166       } else if (BWSz < SrcBWSz) {
8167         VecOpcode = Instruction::Trunc;
8168       } else if (It != MinBWs.end()) {
8169         assert(BWSz > SrcBWSz && "Invalid cast!");
8170         VecOpcode = It->second.second ? Instruction::SExt : Instruction::ZExt;
8171       }
8172     }
8173     auto GetScalarCost = [&](unsigned Idx) -> InstructionCost {
8174       // Do not count cost here if minimum bitwidth is in effect and it is just
8175       // a bitcast (here it is just a noop).
8176       if (VecOpcode != Opcode && VecOpcode == Instruction::BitCast)
8177         return TTI::TCC_Free;
8178       auto *VI = VL0->getOpcode() == Opcode
8179                      ? cast<Instruction>(UniqueValues[Idx])
8180                      : nullptr;
8181       return TTI->getCastInstrCost(Opcode, VL0->getType(),
8182                                    VL0->getOperand(0)->getType(),
8183                                    TTI::getCastContextHint(VI), CostKind, VI);
8184     };
8185     auto GetVectorCost = [=](InstructionCost CommonCost) {
8186       // Do not count cost here if minimum bitwidth is in effect and it is just
8187       // a bitcast (here it is just a noop).
8188       if (VecOpcode != Opcode && VecOpcode == Instruction::BitCast)
8189         return CommonCost;
8190       auto *VI = VL0->getOpcode() == Opcode ? VL0 : nullptr;
8191       TTI::CastContextHint CCH = GetCastContextHint(VL0->getOperand(0));
8192       return CommonCost +
8193              TTI->getCastInstrCost(VecOpcode, VecTy, SrcVecTy, CCH, CostKind,
8194                                    VecOpcode == Opcode ? VI : nullptr);
8195     };
8196     return GetCostDiff(GetScalarCost, GetVectorCost);
8197   }
8198   case Instruction::FCmp:
8199   case Instruction::ICmp:
8200   case Instruction::Select: {
8201     CmpInst::Predicate VecPred, SwappedVecPred;
8202     auto MatchCmp = m_Cmp(VecPred, m_Value(), m_Value());
8203     if (match(VL0, m_Select(MatchCmp, m_Value(), m_Value())) ||
8204         match(VL0, MatchCmp))
8205       SwappedVecPred = CmpInst::getSwappedPredicate(VecPred);
8206     else
8207       SwappedVecPred = VecPred = ScalarTy->isFloatingPointTy()
8208                                      ? CmpInst::BAD_FCMP_PREDICATE
8209                                      : CmpInst::BAD_ICMP_PREDICATE;
8210     auto GetScalarCost = [&](unsigned Idx) {
8211       auto *VI = cast<Instruction>(UniqueValues[Idx]);
8212       CmpInst::Predicate CurrentPred = ScalarTy->isFloatingPointTy()
8213                                            ? CmpInst::BAD_FCMP_PREDICATE
8214                                            : CmpInst::BAD_ICMP_PREDICATE;
8215       auto MatchCmp = m_Cmp(CurrentPred, m_Value(), m_Value());
8216       if ((!match(VI, m_Select(MatchCmp, m_Value(), m_Value())) &&
8217            !match(VI, MatchCmp)) ||
8218           (CurrentPred != VecPred && CurrentPred != SwappedVecPred))
8219         VecPred = SwappedVecPred = ScalarTy->isFloatingPointTy()
8220                                        ? CmpInst::BAD_FCMP_PREDICATE
8221                                        : CmpInst::BAD_ICMP_PREDICATE;
8222 
8223       return TTI->getCmpSelInstrCost(E->getOpcode(), ScalarTy,
8224                                      Builder.getInt1Ty(), CurrentPred, CostKind,
8225                                      VI);
8226     };
8227     auto GetVectorCost = [&](InstructionCost CommonCost) {
8228       auto *MaskTy = FixedVectorType::get(Builder.getInt1Ty(), VL.size());
8229 
8230       InstructionCost VecCost = TTI->getCmpSelInstrCost(
8231           E->getOpcode(), VecTy, MaskTy, VecPred, CostKind, VL0);
8232       // Check if it is possible and profitable to use min/max for selects
8233       // in VL.
8234       //
8235       auto IntrinsicAndUse = canConvertToMinOrMaxIntrinsic(VL);
8236       if (IntrinsicAndUse.first != Intrinsic::not_intrinsic) {
8237         IntrinsicCostAttributes CostAttrs(IntrinsicAndUse.first, VecTy,
8238                                           {VecTy, VecTy});
8239         InstructionCost IntrinsicCost =
8240             TTI->getIntrinsicInstrCost(CostAttrs, CostKind);
8241         // If the selects are the only uses of the compares, they will be
8242         // dead and we can adjust the cost by removing their cost.
8243         if (IntrinsicAndUse.second)
8244           IntrinsicCost -= TTI->getCmpSelInstrCost(Instruction::ICmp, VecTy,
8245                                                    MaskTy, VecPred, CostKind);
8246         VecCost = std::min(VecCost, IntrinsicCost);
8247       }
8248       return VecCost + CommonCost;
8249     };
8250     return GetCostDiff(GetScalarCost, GetVectorCost);
8251   }
8252   case Instruction::FNeg:
8253   case Instruction::Add:
8254   case Instruction::FAdd:
8255   case Instruction::Sub:
8256   case Instruction::FSub:
8257   case Instruction::Mul:
8258   case Instruction::FMul:
8259   case Instruction::UDiv:
8260   case Instruction::SDiv:
8261   case Instruction::FDiv:
8262   case Instruction::URem:
8263   case Instruction::SRem:
8264   case Instruction::FRem:
8265   case Instruction::Shl:
8266   case Instruction::LShr:
8267   case Instruction::AShr:
8268   case Instruction::And:
8269   case Instruction::Or:
8270   case Instruction::Xor: {
8271     auto GetScalarCost = [&](unsigned Idx) {
8272       auto *VI = cast<Instruction>(UniqueValues[Idx]);
8273       unsigned OpIdx = isa<UnaryOperator>(VI) ? 0 : 1;
8274       TTI::OperandValueInfo Op1Info = TTI::getOperandInfo(VI->getOperand(0));
8275       TTI::OperandValueInfo Op2Info =
8276           TTI::getOperandInfo(VI->getOperand(OpIdx));
8277       SmallVector<const Value *> Operands(VI->operand_values());
8278       return TTI->getArithmeticInstrCost(ShuffleOrOp, ScalarTy, CostKind,
8279                                          Op1Info, Op2Info, Operands, VI);
8280     };
8281     auto GetVectorCost = [=](InstructionCost CommonCost) {
8282       unsigned OpIdx = isa<UnaryOperator>(VL0) ? 0 : 1;
8283       TTI::OperandValueInfo Op1Info = getOperandInfo(E->getOperand(0));
8284       TTI::OperandValueInfo Op2Info = getOperandInfo(E->getOperand(OpIdx));
8285       return TTI->getArithmeticInstrCost(ShuffleOrOp, VecTy, CostKind, Op1Info,
8286                                          Op2Info) +
8287              CommonCost;
8288     };
8289     return GetCostDiff(GetScalarCost, GetVectorCost);
8290   }
8291   case Instruction::GetElementPtr: {
8292     return CommonCost + GetGEPCostDiff(VL, VL0);
8293   }
8294   case Instruction::Load: {
8295     auto GetScalarCost = [&](unsigned Idx) {
8296       auto *VI = cast<LoadInst>(UniqueValues[Idx]);
8297       return TTI->getMemoryOpCost(Instruction::Load, ScalarTy, VI->getAlign(),
8298                                   VI->getPointerAddressSpace(), CostKind,
8299                                   TTI::OperandValueInfo(), VI);
8300     };
8301     auto *LI0 = cast<LoadInst>(VL0);
8302     auto GetVectorCost = [&](InstructionCost CommonCost) {
8303       InstructionCost VecLdCost;
8304       if (E->State == TreeEntry::Vectorize) {
8305         VecLdCost = TTI->getMemoryOpCost(
8306             Instruction::Load, VecTy, LI0->getAlign(),
8307             LI0->getPointerAddressSpace(), CostKind, TTI::OperandValueInfo());
8308       } else {
8309         assert((E->State == TreeEntry::ScatterVectorize ||
8310                 E->State == TreeEntry::PossibleStridedVectorize) &&
8311                "Unknown EntryState");
8312         Align CommonAlignment = LI0->getAlign();
8313         for (Value *V : UniqueValues)
8314           CommonAlignment =
8315               std::min(CommonAlignment, cast<LoadInst>(V)->getAlign());
8316         VecLdCost = TTI->getGatherScatterOpCost(
8317             Instruction::Load, VecTy, LI0->getPointerOperand(),
8318             /*VariableMask=*/false, CommonAlignment, CostKind);
8319       }
8320       return VecLdCost + CommonCost;
8321     };
8322 
8323     InstructionCost Cost = GetCostDiff(GetScalarCost, GetVectorCost);
8324     // If this node generates masked gather load then it is not a terminal node.
8325     // Hence address operand cost is estimated separately.
8326     if (E->State == TreeEntry::ScatterVectorize ||
8327         E->State == TreeEntry::PossibleStridedVectorize)
8328       return Cost;
8329 
8330     // Estimate cost of GEPs since this tree node is a terminator.
8331     SmallVector<Value *> PointerOps(VL.size());
8332     for (auto [I, V] : enumerate(VL))
8333       PointerOps[I] = cast<LoadInst>(V)->getPointerOperand();
8334     return Cost + GetGEPCostDiff(PointerOps, LI0->getPointerOperand());
8335   }
8336   case Instruction::Store: {
8337     bool IsReorder = !E->ReorderIndices.empty();
8338     auto GetScalarCost = [=](unsigned Idx) {
8339       auto *VI = cast<StoreInst>(VL[Idx]);
8340       TTI::OperandValueInfo OpInfo = TTI::getOperandInfo(VI->getValueOperand());
8341       return TTI->getMemoryOpCost(Instruction::Store, ScalarTy, VI->getAlign(),
8342                                   VI->getPointerAddressSpace(), CostKind,
8343                                   OpInfo, VI);
8344     };
8345     auto *BaseSI =
8346         cast<StoreInst>(IsReorder ? VL[E->ReorderIndices.front()] : VL0);
8347     auto GetVectorCost = [=](InstructionCost CommonCost) {
8348       // We know that we can merge the stores. Calculate the cost.
8349       TTI::OperandValueInfo OpInfo = getOperandInfo(E->getOperand(0));
8350       return TTI->getMemoryOpCost(Instruction::Store, VecTy, BaseSI->getAlign(),
8351                                   BaseSI->getPointerAddressSpace(), CostKind,
8352                                   OpInfo) +
8353              CommonCost;
8354     };
8355     SmallVector<Value *> PointerOps(VL.size());
8356     for (auto [I, V] : enumerate(VL)) {
8357       unsigned Idx = IsReorder ? E->ReorderIndices[I] : I;
8358       PointerOps[Idx] = cast<StoreInst>(V)->getPointerOperand();
8359     }
8360 
8361     return GetCostDiff(GetScalarCost, GetVectorCost) +
8362            GetGEPCostDiff(PointerOps, BaseSI->getPointerOperand());
8363   }
8364   case Instruction::Call: {
8365     auto GetScalarCost = [&](unsigned Idx) {
8366       auto *CI = cast<CallInst>(UniqueValues[Idx]);
8367       Intrinsic::ID ID = getVectorIntrinsicIDForCall(CI, TLI);
8368       if (ID != Intrinsic::not_intrinsic) {
8369         IntrinsicCostAttributes CostAttrs(ID, *CI, 1);
8370         return TTI->getIntrinsicInstrCost(CostAttrs, CostKind);
8371       }
8372       return TTI->getCallInstrCost(CI->getCalledFunction(),
8373                                    CI->getFunctionType()->getReturnType(),
8374                                    CI->getFunctionType()->params(), CostKind);
8375     };
8376     auto GetVectorCost = [=](InstructionCost CommonCost) {
8377       auto *CI = cast<CallInst>(VL0);
8378       auto VecCallCosts = getVectorCallCosts(CI, VecTy, TTI, TLI);
8379       return std::min(VecCallCosts.first, VecCallCosts.second) + CommonCost;
8380     };
8381     return GetCostDiff(GetScalarCost, GetVectorCost);
8382   }
8383   case Instruction::ShuffleVector: {
8384     assert(E->isAltShuffle() &&
8385            ((Instruction::isBinaryOp(E->getOpcode()) &&
8386              Instruction::isBinaryOp(E->getAltOpcode())) ||
8387             (Instruction::isCast(E->getOpcode()) &&
8388              Instruction::isCast(E->getAltOpcode())) ||
8389             (isa<CmpInst>(VL0) && isa<CmpInst>(E->getAltOp()))) &&
8390            "Invalid Shuffle Vector Operand");
8391     // Try to find the previous shuffle node with the same operands and same
8392     // main/alternate ops.
8393     auto TryFindNodeWithEqualOperands = [=]() {
8394       for (const std::unique_ptr<TreeEntry> &TE : VectorizableTree) {
8395         if (TE.get() == E)
8396           break;
8397         if (TE->isAltShuffle() &&
8398             ((TE->getOpcode() == E->getOpcode() &&
8399               TE->getAltOpcode() == E->getAltOpcode()) ||
8400              (TE->getOpcode() == E->getAltOpcode() &&
8401               TE->getAltOpcode() == E->getOpcode())) &&
8402             TE->hasEqualOperands(*E))
8403           return true;
8404       }
8405       return false;
8406     };
8407     auto GetScalarCost = [&](unsigned Idx) {
8408       auto *VI = cast<Instruction>(UniqueValues[Idx]);
8409       assert(E->isOpcodeOrAlt(VI) && "Unexpected main/alternate opcode");
8410       (void)E;
8411       return TTI->getInstructionCost(VI, CostKind);
8412     };
8413     // FIXME: Workaround for syntax error reported by MSVC buildbots.
8414     TargetTransformInfo &TTIRef = *TTI;
8415     // Need to clear CommonCost since the final shuffle cost is included into
8416     // vector cost.
8417     auto GetVectorCost = [&](InstructionCost) {
8418       // VecCost is equal to sum of the cost of creating 2 vectors
8419       // and the cost of creating shuffle.
8420       InstructionCost VecCost = 0;
8421       if (TryFindNodeWithEqualOperands()) {
8422         LLVM_DEBUG({
8423           dbgs() << "SLP: diamond match for alternate node found.\n";
8424           E->dump();
8425         });
8426         // No need to add new vector costs here since we're going to reuse
8427         // same main/alternate vector ops, just do different shuffling.
8428       } else if (Instruction::isBinaryOp(E->getOpcode())) {
8429         VecCost =
8430             TTIRef.getArithmeticInstrCost(E->getOpcode(), VecTy, CostKind);
8431         VecCost +=
8432             TTIRef.getArithmeticInstrCost(E->getAltOpcode(), VecTy, CostKind);
8433       } else if (auto *CI0 = dyn_cast<CmpInst>(VL0)) {
8434         auto *MaskTy = FixedVectorType::get(Builder.getInt1Ty(), VL.size());
8435         VecCost = TTIRef.getCmpSelInstrCost(E->getOpcode(), VecTy, MaskTy,
8436                                             CI0->getPredicate(), CostKind, VL0);
8437         VecCost += TTIRef.getCmpSelInstrCost(
8438             E->getOpcode(), VecTy, MaskTy,
8439             cast<CmpInst>(E->getAltOp())->getPredicate(), CostKind,
8440             E->getAltOp());
8441       } else {
8442         Type *Src0SclTy = E->getMainOp()->getOperand(0)->getType();
8443         Type *Src1SclTy = E->getAltOp()->getOperand(0)->getType();
8444         auto *Src0Ty = FixedVectorType::get(Src0SclTy, VL.size());
8445         auto *Src1Ty = FixedVectorType::get(Src1SclTy, VL.size());
8446         VecCost = TTIRef.getCastInstrCost(E->getOpcode(), VecTy, Src0Ty,
8447                                           TTI::CastContextHint::None, CostKind);
8448         VecCost +=
8449             TTIRef.getCastInstrCost(E->getAltOpcode(), VecTy, Src1Ty,
8450                                     TTI::CastContextHint::None, CostKind);
8451       }
8452       SmallVector<int> Mask;
8453       E->buildAltOpShuffleMask(
8454           [E](Instruction *I) {
8455             assert(E->isOpcodeOrAlt(I) && "Unexpected main/alternate opcode");
8456             return I->getOpcode() == E->getAltOpcode();
8457           },
8458           Mask);
8459       VecCost += ::getShuffleCost(TTIRef, TargetTransformInfo::SK_PermuteTwoSrc,
8460                                   FinalVecTy, Mask);
8461       // Patterns like [fadd,fsub] can be combined into a single instruction
8462       // in x86. Reordering them into [fsub,fadd] blocks this pattern. So we
8463       // need to take into account their order when looking for the most used
8464       // order.
8465       unsigned Opcode0 = E->getOpcode();
8466       unsigned Opcode1 = E->getAltOpcode();
8467       // The opcode mask selects between the two opcodes.
8468       SmallBitVector OpcodeMask(E->Scalars.size(), false);
8469       for (unsigned Lane : seq<unsigned>(0, E->Scalars.size()))
8470         if (cast<Instruction>(E->Scalars[Lane])->getOpcode() == Opcode1)
8471           OpcodeMask.set(Lane);
8472       // If this pattern is supported by the target then we consider the
8473       // order.
8474       if (TTIRef.isLegalAltInstr(VecTy, Opcode0, Opcode1, OpcodeMask)) {
8475         InstructionCost AltVecCost = TTIRef.getAltInstrCost(
8476             VecTy, Opcode0, Opcode1, OpcodeMask, CostKind);
8477         return AltVecCost < VecCost ? AltVecCost : VecCost;
8478       }
8479       // TODO: Check the reverse order too.
8480       return VecCost;
8481     };
8482     return GetCostDiff(GetScalarCost, GetVectorCost);
8483   }
8484   default:
8485     llvm_unreachable("Unknown instruction");
8486   }
8487 }
8488 
8489 bool BoUpSLP::isFullyVectorizableTinyTree(bool ForReduction) const {
8490   LLVM_DEBUG(dbgs() << "SLP: Check whether the tree with height "
8491                     << VectorizableTree.size() << " is fully vectorizable .\n");
8492 
8493   auto &&AreVectorizableGathers = [this](const TreeEntry *TE, unsigned Limit) {
8494     SmallVector<int> Mask;
8495     return TE->State == TreeEntry::NeedToGather &&
8496            !any_of(TE->Scalars,
8497                    [this](Value *V) { return EphValues.contains(V); }) &&
8498            (allConstant(TE->Scalars) || isSplat(TE->Scalars) ||
8499             TE->Scalars.size() < Limit ||
8500             ((TE->getOpcode() == Instruction::ExtractElement ||
8501               all_of(TE->Scalars,
8502                      [](Value *V) {
8503                        return isa<ExtractElementInst, UndefValue>(V);
8504                      })) &&
8505              isFixedVectorShuffle(TE->Scalars, Mask)) ||
8506             (TE->State == TreeEntry::NeedToGather &&
8507              TE->getOpcode() == Instruction::Load && !TE->isAltShuffle()));
8508   };
8509 
8510   // We only handle trees of heights 1 and 2.
8511   if (VectorizableTree.size() == 1 &&
8512       (VectorizableTree[0]->State == TreeEntry::Vectorize ||
8513        (ForReduction &&
8514         AreVectorizableGathers(VectorizableTree[0].get(),
8515                                VectorizableTree[0]->Scalars.size()) &&
8516         VectorizableTree[0]->getVectorFactor() > 2)))
8517     return true;
8518 
8519   if (VectorizableTree.size() != 2)
8520     return false;
8521 
8522   // Handle splat and all-constants stores. Also try to vectorize tiny trees
8523   // with the second gather nodes if they have less scalar operands rather than
8524   // the initial tree element (may be profitable to shuffle the second gather)
8525   // or they are extractelements, which form shuffle.
8526   SmallVector<int> Mask;
8527   if (VectorizableTree[0]->State == TreeEntry::Vectorize &&
8528       AreVectorizableGathers(VectorizableTree[1].get(),
8529                              VectorizableTree[0]->Scalars.size()))
8530     return true;
8531 
8532   // Gathering cost would be too much for tiny trees.
8533   if (VectorizableTree[0]->State == TreeEntry::NeedToGather ||
8534       (VectorizableTree[1]->State == TreeEntry::NeedToGather &&
8535        VectorizableTree[0]->State != TreeEntry::ScatterVectorize &&
8536        VectorizableTree[0]->State != TreeEntry::PossibleStridedVectorize))
8537     return false;
8538 
8539   return true;
8540 }
8541 
8542 static bool isLoadCombineCandidateImpl(Value *Root, unsigned NumElts,
8543                                        TargetTransformInfo *TTI,
8544                                        bool MustMatchOrInst) {
8545   // Look past the root to find a source value. Arbitrarily follow the
8546   // path through operand 0 of any 'or'. Also, peek through optional
8547   // shift-left-by-multiple-of-8-bits.
8548   Value *ZextLoad = Root;
8549   const APInt *ShAmtC;
8550   bool FoundOr = false;
8551   while (!isa<ConstantExpr>(ZextLoad) &&
8552          (match(ZextLoad, m_Or(m_Value(), m_Value())) ||
8553           (match(ZextLoad, m_Shl(m_Value(), m_APInt(ShAmtC))) &&
8554            ShAmtC->urem(8) == 0))) {
8555     auto *BinOp = cast<BinaryOperator>(ZextLoad);
8556     ZextLoad = BinOp->getOperand(0);
8557     if (BinOp->getOpcode() == Instruction::Or)
8558       FoundOr = true;
8559   }
8560   // Check if the input is an extended load of the required or/shift expression.
8561   Value *Load;
8562   if ((MustMatchOrInst && !FoundOr) || ZextLoad == Root ||
8563       !match(ZextLoad, m_ZExt(m_Value(Load))) || !isa<LoadInst>(Load))
8564     return false;
8565 
8566   // Require that the total load bit width is a legal integer type.
8567   // For example, <8 x i8> --> i64 is a legal integer on a 64-bit target.
8568   // But <16 x i8> --> i128 is not, so the backend probably can't reduce it.
8569   Type *SrcTy = Load->getType();
8570   unsigned LoadBitWidth = SrcTy->getIntegerBitWidth() * NumElts;
8571   if (!TTI->isTypeLegal(IntegerType::get(Root->getContext(), LoadBitWidth)))
8572     return false;
8573 
8574   // Everything matched - assume that we can fold the whole sequence using
8575   // load combining.
8576   LLVM_DEBUG(dbgs() << "SLP: Assume load combining for tree starting at "
8577              << *(cast<Instruction>(Root)) << "\n");
8578 
8579   return true;
8580 }
8581 
8582 bool BoUpSLP::isLoadCombineReductionCandidate(RecurKind RdxKind) const {
8583   if (RdxKind != RecurKind::Or)
8584     return false;
8585 
8586   unsigned NumElts = VectorizableTree[0]->Scalars.size();
8587   Value *FirstReduced = VectorizableTree[0]->Scalars[0];
8588   return isLoadCombineCandidateImpl(FirstReduced, NumElts, TTI,
8589                                     /* MatchOr */ false);
8590 }
8591 
8592 bool BoUpSLP::isLoadCombineCandidate() const {
8593   // Peek through a final sequence of stores and check if all operations are
8594   // likely to be load-combined.
8595   unsigned NumElts = VectorizableTree[0]->Scalars.size();
8596   for (Value *Scalar : VectorizableTree[0]->Scalars) {
8597     Value *X;
8598     if (!match(Scalar, m_Store(m_Value(X), m_Value())) ||
8599         !isLoadCombineCandidateImpl(X, NumElts, TTI, /* MatchOr */ true))
8600       return false;
8601   }
8602   return true;
8603 }
8604 
8605 bool BoUpSLP::isTreeTinyAndNotFullyVectorizable(bool ForReduction) const {
8606   // No need to vectorize inserts of gathered values.
8607   if (VectorizableTree.size() == 2 &&
8608       isa<InsertElementInst>(VectorizableTree[0]->Scalars[0]) &&
8609       VectorizableTree[1]->State == TreeEntry::NeedToGather &&
8610       (VectorizableTree[1]->getVectorFactor() <= 2 ||
8611        !(isSplat(VectorizableTree[1]->Scalars) ||
8612          allConstant(VectorizableTree[1]->Scalars))))
8613     return true;
8614 
8615   // If the graph includes only PHI nodes and gathers, it is defnitely not
8616   // profitable for the vectorization, we can skip it, if the cost threshold is
8617   // default. The cost of vectorized PHI nodes is almost always 0 + the cost of
8618   // gathers/buildvectors.
8619   constexpr int Limit = 4;
8620   if (!ForReduction && !SLPCostThreshold.getNumOccurrences() &&
8621       !VectorizableTree.empty() &&
8622       all_of(VectorizableTree, [&](const std::unique_ptr<TreeEntry> &TE) {
8623         return (TE->State == TreeEntry::NeedToGather &&
8624                 TE->getOpcode() != Instruction::ExtractElement &&
8625                 count_if(TE->Scalars,
8626                          [](Value *V) { return isa<ExtractElementInst>(V); }) <=
8627                     Limit) ||
8628                TE->getOpcode() == Instruction::PHI;
8629       }))
8630     return true;
8631 
8632   // We can vectorize the tree if its size is greater than or equal to the
8633   // minimum size specified by the MinTreeSize command line option.
8634   if (VectorizableTree.size() >= MinTreeSize)
8635     return false;
8636 
8637   // If we have a tiny tree (a tree whose size is less than MinTreeSize), we
8638   // can vectorize it if we can prove it fully vectorizable.
8639   if (isFullyVectorizableTinyTree(ForReduction))
8640     return false;
8641 
8642   assert(VectorizableTree.empty()
8643              ? ExternalUses.empty()
8644              : true && "We shouldn't have any external users");
8645 
8646   // Otherwise, we can't vectorize the tree. It is both tiny and not fully
8647   // vectorizable.
8648   return true;
8649 }
8650 
8651 InstructionCost BoUpSLP::getSpillCost() const {
8652   // Walk from the bottom of the tree to the top, tracking which values are
8653   // live. When we see a call instruction that is not part of our tree,
8654   // query TTI to see if there is a cost to keeping values live over it
8655   // (for example, if spills and fills are required).
8656   unsigned BundleWidth = VectorizableTree.front()->Scalars.size();
8657   InstructionCost Cost = 0;
8658 
8659   SmallPtrSet<Instruction *, 4> LiveValues;
8660   Instruction *PrevInst = nullptr;
8661 
8662   // The entries in VectorizableTree are not necessarily ordered by their
8663   // position in basic blocks. Collect them and order them by dominance so later
8664   // instructions are guaranteed to be visited first. For instructions in
8665   // different basic blocks, we only scan to the beginning of the block, so
8666   // their order does not matter, as long as all instructions in a basic block
8667   // are grouped together. Using dominance ensures a deterministic order.
8668   SmallVector<Instruction *, 16> OrderedScalars;
8669   for (const auto &TEPtr : VectorizableTree) {
8670     if (TEPtr->State != TreeEntry::Vectorize)
8671       continue;
8672     Instruction *Inst = dyn_cast<Instruction>(TEPtr->Scalars[0]);
8673     if (!Inst)
8674       continue;
8675     OrderedScalars.push_back(Inst);
8676   }
8677   llvm::sort(OrderedScalars, [&](Instruction *A, Instruction *B) {
8678     auto *NodeA = DT->getNode(A->getParent());
8679     auto *NodeB = DT->getNode(B->getParent());
8680     assert(NodeA && "Should only process reachable instructions");
8681     assert(NodeB && "Should only process reachable instructions");
8682     assert((NodeA == NodeB) == (NodeA->getDFSNumIn() == NodeB->getDFSNumIn()) &&
8683            "Different nodes should have different DFS numbers");
8684     if (NodeA != NodeB)
8685       return NodeA->getDFSNumIn() > NodeB->getDFSNumIn();
8686     return B->comesBefore(A);
8687   });
8688 
8689   for (Instruction *Inst : OrderedScalars) {
8690     if (!PrevInst) {
8691       PrevInst = Inst;
8692       continue;
8693     }
8694 
8695     // Update LiveValues.
8696     LiveValues.erase(PrevInst);
8697     for (auto &J : PrevInst->operands()) {
8698       if (isa<Instruction>(&*J) && getTreeEntry(&*J))
8699         LiveValues.insert(cast<Instruction>(&*J));
8700     }
8701 
8702     LLVM_DEBUG({
8703       dbgs() << "SLP: #LV: " << LiveValues.size();
8704       for (auto *X : LiveValues)
8705         dbgs() << " " << X->getName();
8706       dbgs() << ", Looking at ";
8707       Inst->dump();
8708     });
8709 
8710     // Now find the sequence of instructions between PrevInst and Inst.
8711     unsigned NumCalls = 0;
8712     BasicBlock::reverse_iterator InstIt = ++Inst->getIterator().getReverse(),
8713                                  PrevInstIt =
8714                                      PrevInst->getIterator().getReverse();
8715     while (InstIt != PrevInstIt) {
8716       if (PrevInstIt == PrevInst->getParent()->rend()) {
8717         PrevInstIt = Inst->getParent()->rbegin();
8718         continue;
8719       }
8720 
8721       auto NoCallIntrinsic = [this](Instruction *I) {
8722         if (auto *II = dyn_cast<IntrinsicInst>(I)) {
8723           if (II->isAssumeLikeIntrinsic())
8724             return true;
8725           FastMathFlags FMF;
8726           SmallVector<Type *, 4> Tys;
8727           for (auto &ArgOp : II->args())
8728             Tys.push_back(ArgOp->getType());
8729           if (auto *FPMO = dyn_cast<FPMathOperator>(II))
8730             FMF = FPMO->getFastMathFlags();
8731           IntrinsicCostAttributes ICA(II->getIntrinsicID(), II->getType(), Tys,
8732                                       FMF);
8733           InstructionCost IntrCost =
8734               TTI->getIntrinsicInstrCost(ICA, TTI::TCK_RecipThroughput);
8735           InstructionCost CallCost = TTI->getCallInstrCost(
8736               nullptr, II->getType(), Tys, TTI::TCK_RecipThroughput);
8737           if (IntrCost < CallCost)
8738             return true;
8739         }
8740         return false;
8741       };
8742 
8743       // Debug information does not impact spill cost.
8744       if (isa<CallBase>(&*PrevInstIt) && !NoCallIntrinsic(&*PrevInstIt) &&
8745           &*PrevInstIt != PrevInst)
8746         NumCalls++;
8747 
8748       ++PrevInstIt;
8749     }
8750 
8751     if (NumCalls) {
8752       SmallVector<Type *, 4> V;
8753       for (auto *II : LiveValues) {
8754         auto *ScalarTy = II->getType();
8755         if (auto *VectorTy = dyn_cast<FixedVectorType>(ScalarTy))
8756           ScalarTy = VectorTy->getElementType();
8757         V.push_back(FixedVectorType::get(ScalarTy, BundleWidth));
8758       }
8759       Cost += NumCalls * TTI->getCostOfKeepingLiveOverCall(V);
8760     }
8761 
8762     PrevInst = Inst;
8763   }
8764 
8765   return Cost;
8766 }
8767 
8768 /// Checks if the \p IE1 instructions is followed by \p IE2 instruction in the
8769 /// buildvector sequence.
8770 static bool isFirstInsertElement(const InsertElementInst *IE1,
8771                                  const InsertElementInst *IE2) {
8772   if (IE1 == IE2)
8773     return false;
8774   const auto *I1 = IE1;
8775   const auto *I2 = IE2;
8776   const InsertElementInst *PrevI1;
8777   const InsertElementInst *PrevI2;
8778   unsigned Idx1 = *getInsertIndex(IE1);
8779   unsigned Idx2 = *getInsertIndex(IE2);
8780   do {
8781     if (I2 == IE1)
8782       return true;
8783     if (I1 == IE2)
8784       return false;
8785     PrevI1 = I1;
8786     PrevI2 = I2;
8787     if (I1 && (I1 == IE1 || I1->hasOneUse()) &&
8788         getInsertIndex(I1).value_or(Idx2) != Idx2)
8789       I1 = dyn_cast<InsertElementInst>(I1->getOperand(0));
8790     if (I2 && ((I2 == IE2 || I2->hasOneUse())) &&
8791         getInsertIndex(I2).value_or(Idx1) != Idx1)
8792       I2 = dyn_cast<InsertElementInst>(I2->getOperand(0));
8793   } while ((I1 && PrevI1 != I1) || (I2 && PrevI2 != I2));
8794   llvm_unreachable("Two different buildvectors not expected.");
8795 }
8796 
8797 namespace {
8798 /// Returns incoming Value *, if the requested type is Value * too, or a default
8799 /// value, otherwise.
8800 struct ValueSelect {
8801   template <typename U>
8802   static std::enable_if_t<std::is_same_v<Value *, U>, Value *> get(Value *V) {
8803     return V;
8804   }
8805   template <typename U>
8806   static std::enable_if_t<!std::is_same_v<Value *, U>, U> get(Value *) {
8807     return U();
8808   }
8809 };
8810 } // namespace
8811 
8812 /// Does the analysis of the provided shuffle masks and performs the requested
8813 /// actions on the vectors with the given shuffle masks. It tries to do it in
8814 /// several steps.
8815 /// 1. If the Base vector is not undef vector, resizing the very first mask to
8816 /// have common VF and perform action for 2 input vectors (including non-undef
8817 /// Base). Other shuffle masks are combined with the resulting after the 1 stage
8818 /// and processed as a shuffle of 2 elements.
8819 /// 2. If the Base is undef vector and have only 1 shuffle mask, perform the
8820 /// action only for 1 vector with the given mask, if it is not the identity
8821 /// mask.
8822 /// 3. If > 2 masks are used, perform the remaining shuffle actions for 2
8823 /// vectors, combing the masks properly between the steps.
8824 template <typename T>
8825 static T *performExtractsShuffleAction(
8826     MutableArrayRef<std::pair<T *, SmallVector<int>>> ShuffleMask, Value *Base,
8827     function_ref<unsigned(T *)> GetVF,
8828     function_ref<std::pair<T *, bool>(T *, ArrayRef<int>, bool)> ResizeAction,
8829     function_ref<T *(ArrayRef<int>, ArrayRef<T *>)> Action) {
8830   assert(!ShuffleMask.empty() && "Empty list of shuffles for inserts.");
8831   SmallVector<int> Mask(ShuffleMask.begin()->second);
8832   auto VMIt = std::next(ShuffleMask.begin());
8833   T *Prev = nullptr;
8834   SmallBitVector UseMask =
8835       buildUseMask(Mask.size(), Mask, UseMask::UndefsAsMask);
8836   SmallBitVector IsBaseUndef = isUndefVector(Base, UseMask);
8837   if (!IsBaseUndef.all()) {
8838     // Base is not undef, need to combine it with the next subvectors.
8839     std::pair<T *, bool> Res =
8840         ResizeAction(ShuffleMask.begin()->first, Mask, /*ForSingleMask=*/false);
8841     SmallBitVector IsBasePoison = isUndefVector<true>(Base, UseMask);
8842     for (unsigned Idx = 0, VF = Mask.size(); Idx < VF; ++Idx) {
8843       if (Mask[Idx] == PoisonMaskElem)
8844         Mask[Idx] = IsBasePoison.test(Idx) ? PoisonMaskElem : Idx;
8845       else
8846         Mask[Idx] = (Res.second ? Idx : Mask[Idx]) + VF;
8847     }
8848     auto *V = ValueSelect::get<T *>(Base);
8849     (void)V;
8850     assert((!V || GetVF(V) == Mask.size()) &&
8851            "Expected base vector of VF number of elements.");
8852     Prev = Action(Mask, {nullptr, Res.first});
8853   } else if (ShuffleMask.size() == 1) {
8854     // Base is undef and only 1 vector is shuffled - perform the action only for
8855     // single vector, if the mask is not the identity mask.
8856     std::pair<T *, bool> Res = ResizeAction(ShuffleMask.begin()->first, Mask,
8857                                             /*ForSingleMask=*/true);
8858     if (Res.second)
8859       // Identity mask is found.
8860       Prev = Res.first;
8861     else
8862       Prev = Action(Mask, {ShuffleMask.begin()->first});
8863   } else {
8864     // Base is undef and at least 2 input vectors shuffled - perform 2 vectors
8865     // shuffles step by step, combining shuffle between the steps.
8866     unsigned Vec1VF = GetVF(ShuffleMask.begin()->first);
8867     unsigned Vec2VF = GetVF(VMIt->first);
8868     if (Vec1VF == Vec2VF) {
8869       // No need to resize the input vectors since they are of the same size, we
8870       // can shuffle them directly.
8871       ArrayRef<int> SecMask = VMIt->second;
8872       for (unsigned I = 0, VF = Mask.size(); I < VF; ++I) {
8873         if (SecMask[I] != PoisonMaskElem) {
8874           assert(Mask[I] == PoisonMaskElem && "Multiple uses of scalars.");
8875           Mask[I] = SecMask[I] + Vec1VF;
8876         }
8877       }
8878       Prev = Action(Mask, {ShuffleMask.begin()->first, VMIt->first});
8879     } else {
8880       // Vectors of different sizes - resize and reshuffle.
8881       std::pair<T *, bool> Res1 = ResizeAction(ShuffleMask.begin()->first, Mask,
8882                                                /*ForSingleMask=*/false);
8883       std::pair<T *, bool> Res2 =
8884           ResizeAction(VMIt->first, VMIt->second, /*ForSingleMask=*/false);
8885       ArrayRef<int> SecMask = VMIt->second;
8886       for (unsigned I = 0, VF = Mask.size(); I < VF; ++I) {
8887         if (Mask[I] != PoisonMaskElem) {
8888           assert(SecMask[I] == PoisonMaskElem && "Multiple uses of scalars.");
8889           if (Res1.second)
8890             Mask[I] = I;
8891         } else if (SecMask[I] != PoisonMaskElem) {
8892           assert(Mask[I] == PoisonMaskElem && "Multiple uses of scalars.");
8893           Mask[I] = (Res2.second ? I : SecMask[I]) + VF;
8894         }
8895       }
8896       Prev = Action(Mask, {Res1.first, Res2.first});
8897     }
8898     VMIt = std::next(VMIt);
8899   }
8900   bool IsBaseNotUndef = !IsBaseUndef.all();
8901   (void)IsBaseNotUndef;
8902   // Perform requested actions for the remaining masks/vectors.
8903   for (auto E = ShuffleMask.end(); VMIt != E; ++VMIt) {
8904     // Shuffle other input vectors, if any.
8905     std::pair<T *, bool> Res =
8906         ResizeAction(VMIt->first, VMIt->second, /*ForSingleMask=*/false);
8907     ArrayRef<int> SecMask = VMIt->second;
8908     for (unsigned I = 0, VF = Mask.size(); I < VF; ++I) {
8909       if (SecMask[I] != PoisonMaskElem) {
8910         assert((Mask[I] == PoisonMaskElem || IsBaseNotUndef) &&
8911                "Multiple uses of scalars.");
8912         Mask[I] = (Res.second ? I : SecMask[I]) + VF;
8913       } else if (Mask[I] != PoisonMaskElem) {
8914         Mask[I] = I;
8915       }
8916     }
8917     Prev = Action(Mask, {Prev, Res.first});
8918   }
8919   return Prev;
8920 }
8921 
8922 InstructionCost BoUpSLP::getTreeCost(ArrayRef<Value *> VectorizedVals) {
8923   InstructionCost Cost = 0;
8924   LLVM_DEBUG(dbgs() << "SLP: Calculating cost for tree of size "
8925                     << VectorizableTree.size() << ".\n");
8926 
8927   unsigned BundleWidth = VectorizableTree[0]->Scalars.size();
8928 
8929   SmallPtrSet<Value *, 4> CheckedExtracts;
8930   for (unsigned I = 0, E = VectorizableTree.size(); I < E; ++I) {
8931     TreeEntry &TE = *VectorizableTree[I];
8932     if (TE.State == TreeEntry::NeedToGather) {
8933       if (const TreeEntry *E = getTreeEntry(TE.getMainOp());
8934           E && E->getVectorFactor() == TE.getVectorFactor() &&
8935           E->isSame(TE.Scalars)) {
8936         // Some gather nodes might be absolutely the same as some vectorizable
8937         // nodes after reordering, need to handle it.
8938         LLVM_DEBUG(dbgs() << "SLP: Adding cost 0 for bundle "
8939                           << shortBundleName(TE.Scalars) << ".\n"
8940                           << "SLP: Current total cost = " << Cost << "\n");
8941         continue;
8942       }
8943     }
8944 
8945     InstructionCost C = getEntryCost(&TE, VectorizedVals, CheckedExtracts);
8946     Cost += C;
8947     LLVM_DEBUG(dbgs() << "SLP: Adding cost " << C << " for bundle "
8948                       << shortBundleName(TE.Scalars) << ".\n"
8949                       << "SLP: Current total cost = " << Cost << "\n");
8950   }
8951 
8952   SmallPtrSet<Value *, 16> ExtractCostCalculated;
8953   InstructionCost ExtractCost = 0;
8954   SmallVector<MapVector<const TreeEntry *, SmallVector<int>>> ShuffleMasks;
8955   SmallVector<std::pair<Value *, const TreeEntry *>> FirstUsers;
8956   SmallVector<APInt> DemandedElts;
8957   SmallDenseSet<Value *, 4> UsedInserts;
8958   DenseSet<Value *> VectorCasts;
8959   for (ExternalUser &EU : ExternalUses) {
8960     // We only add extract cost once for the same scalar.
8961     if (!isa_and_nonnull<InsertElementInst>(EU.User) &&
8962         !ExtractCostCalculated.insert(EU.Scalar).second)
8963       continue;
8964 
8965     // Uses by ephemeral values are free (because the ephemeral value will be
8966     // removed prior to code generation, and so the extraction will be
8967     // removed as well).
8968     if (EphValues.count(EU.User))
8969       continue;
8970 
8971     // No extract cost for vector "scalar"
8972     if (isa<FixedVectorType>(EU.Scalar->getType()))
8973       continue;
8974 
8975     // If found user is an insertelement, do not calculate extract cost but try
8976     // to detect it as a final shuffled/identity match.
8977     if (auto *VU = dyn_cast_or_null<InsertElementInst>(EU.User)) {
8978       if (auto *FTy = dyn_cast<FixedVectorType>(VU->getType())) {
8979         if (!UsedInserts.insert(VU).second)
8980           continue;
8981         std::optional<unsigned> InsertIdx = getInsertIndex(VU);
8982         if (InsertIdx) {
8983           const TreeEntry *ScalarTE = getTreeEntry(EU.Scalar);
8984           auto *It = find_if(
8985               FirstUsers,
8986               [this, VU](const std::pair<Value *, const TreeEntry *> &Pair) {
8987                 return areTwoInsertFromSameBuildVector(
8988                     VU, cast<InsertElementInst>(Pair.first),
8989                     [this](InsertElementInst *II) -> Value * {
8990                       Value *Op0 = II->getOperand(0);
8991                       if (getTreeEntry(II) && !getTreeEntry(Op0))
8992                         return nullptr;
8993                       return Op0;
8994                     });
8995               });
8996           int VecId = -1;
8997           if (It == FirstUsers.end()) {
8998             (void)ShuffleMasks.emplace_back();
8999             SmallVectorImpl<int> &Mask = ShuffleMasks.back()[ScalarTE];
9000             if (Mask.empty())
9001               Mask.assign(FTy->getNumElements(), PoisonMaskElem);
9002             // Find the insertvector, vectorized in tree, if any.
9003             Value *Base = VU;
9004             while (auto *IEBase = dyn_cast<InsertElementInst>(Base)) {
9005               if (IEBase != EU.User &&
9006                   (!IEBase->hasOneUse() ||
9007                    getInsertIndex(IEBase).value_or(*InsertIdx) == *InsertIdx))
9008                 break;
9009               // Build the mask for the vectorized insertelement instructions.
9010               if (const TreeEntry *E = getTreeEntry(IEBase)) {
9011                 VU = IEBase;
9012                 do {
9013                   IEBase = cast<InsertElementInst>(Base);
9014                   int Idx = *getInsertIndex(IEBase);
9015                   assert(Mask[Idx] == PoisonMaskElem &&
9016                          "InsertElementInstruction used already.");
9017                   Mask[Idx] = Idx;
9018                   Base = IEBase->getOperand(0);
9019                 } while (E == getTreeEntry(Base));
9020                 break;
9021               }
9022               Base = cast<InsertElementInst>(Base)->getOperand(0);
9023             }
9024             FirstUsers.emplace_back(VU, ScalarTE);
9025             DemandedElts.push_back(APInt::getZero(FTy->getNumElements()));
9026             VecId = FirstUsers.size() - 1;
9027             auto It = MinBWs.find(ScalarTE);
9028             if (It != MinBWs.end() && VectorCasts.insert(EU.Scalar).second) {
9029               unsigned BWSz = It->second.second;
9030               unsigned SrcBWSz = DL->getTypeSizeInBits(FTy->getElementType());
9031               unsigned VecOpcode;
9032               if (BWSz < SrcBWSz)
9033                 VecOpcode = Instruction::Trunc;
9034               else
9035                 VecOpcode =
9036                     It->second.second ? Instruction::SExt : Instruction::ZExt;
9037               TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
9038               InstructionCost C = TTI->getCastInstrCost(
9039                   VecOpcode, FTy,
9040                   FixedVectorType::get(
9041                       IntegerType::get(FTy->getContext(), It->second.first),
9042                       FTy->getNumElements()),
9043                   TTI::CastContextHint::None, CostKind);
9044               LLVM_DEBUG(dbgs() << "SLP: Adding cost " << C
9045                                 << " for extending externally used vector with "
9046                                    "non-equal minimum bitwidth.\n");
9047               Cost += C;
9048             }
9049           } else {
9050             if (isFirstInsertElement(VU, cast<InsertElementInst>(It->first)))
9051               It->first = VU;
9052             VecId = std::distance(FirstUsers.begin(), It);
9053           }
9054           int InIdx = *InsertIdx;
9055           SmallVectorImpl<int> &Mask = ShuffleMasks[VecId][ScalarTE];
9056           if (Mask.empty())
9057             Mask.assign(FTy->getNumElements(), PoisonMaskElem);
9058           Mask[InIdx] = EU.Lane;
9059           DemandedElts[VecId].setBit(InIdx);
9060           continue;
9061         }
9062       }
9063     }
9064 
9065     // If we plan to rewrite the tree in a smaller type, we will need to sign
9066     // extend the extracted value back to the original type. Here, we account
9067     // for the extract and the added cost of the sign extend if needed.
9068     auto *VecTy = FixedVectorType::get(EU.Scalar->getType(), BundleWidth);
9069     TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
9070     auto It = MinBWs.find(getTreeEntry(EU.Scalar));
9071     if (It != MinBWs.end()) {
9072       auto *MinTy = IntegerType::get(F->getContext(), It->second.first);
9073       unsigned Extend =
9074           It->second.second ? Instruction::SExt : Instruction::ZExt;
9075       VecTy = FixedVectorType::get(MinTy, BundleWidth);
9076       ExtractCost += TTI->getExtractWithExtendCost(Extend, EU.Scalar->getType(),
9077                                                    VecTy, EU.Lane);
9078     } else {
9079       ExtractCost += TTI->getVectorInstrCost(Instruction::ExtractElement, VecTy,
9080                                              CostKind, EU.Lane);
9081     }
9082   }
9083   // Add reduced value cost, if resized.
9084   if (!VectorizedVals.empty()) {
9085     auto BWIt = MinBWs.find(VectorizableTree.front().get());
9086     if (BWIt != MinBWs.end()) {
9087       Type *DstTy = VectorizableTree.front()->Scalars.front()->getType();
9088       unsigned OriginalSz = DL->getTypeSizeInBits(DstTy);
9089       unsigned Opcode = Instruction::Trunc;
9090       if (OriginalSz < BWIt->second.first)
9091         Opcode = BWIt->second.second ? Instruction::SExt : Instruction::ZExt;
9092       Type *SrcTy = IntegerType::get(DstTy->getContext(), BWIt->second.first);
9093       Cost += TTI->getCastInstrCost(Opcode, DstTy, SrcTy,
9094                                     TTI::CastContextHint::None,
9095                                     TTI::TCK_RecipThroughput);
9096     }
9097   }
9098 
9099   InstructionCost SpillCost = getSpillCost();
9100   Cost += SpillCost + ExtractCost;
9101   auto &&ResizeToVF = [this, &Cost](const TreeEntry *TE, ArrayRef<int> Mask,
9102                                     bool) {
9103     InstructionCost C = 0;
9104     unsigned VF = Mask.size();
9105     unsigned VecVF = TE->getVectorFactor();
9106     if (VF != VecVF &&
9107         (any_of(Mask, [VF](int Idx) { return Idx >= static_cast<int>(VF); }) ||
9108          !ShuffleVectorInst::isIdentityMask(Mask, VF))) {
9109       SmallVector<int> OrigMask(VecVF, PoisonMaskElem);
9110       std::copy(Mask.begin(), std::next(Mask.begin(), std::min(VF, VecVF)),
9111                 OrigMask.begin());
9112       C = TTI->getShuffleCost(
9113           TTI::SK_PermuteSingleSrc,
9114           FixedVectorType::get(TE->getMainOp()->getType(), VecVF), OrigMask);
9115       LLVM_DEBUG(
9116           dbgs() << "SLP: Adding cost " << C
9117                  << " for final shuffle of insertelement external users.\n";
9118           TE->dump(); dbgs() << "SLP: Current total cost = " << Cost << "\n");
9119       Cost += C;
9120       return std::make_pair(TE, true);
9121     }
9122     return std::make_pair(TE, false);
9123   };
9124   // Calculate the cost of the reshuffled vectors, if any.
9125   for (int I = 0, E = FirstUsers.size(); I < E; ++I) {
9126     Value *Base = cast<Instruction>(FirstUsers[I].first)->getOperand(0);
9127     auto Vector = ShuffleMasks[I].takeVector();
9128     unsigned VF = 0;
9129     auto EstimateShufflesCost = [&](ArrayRef<int> Mask,
9130                                     ArrayRef<const TreeEntry *> TEs) {
9131       assert((TEs.size() == 1 || TEs.size() == 2) &&
9132              "Expected exactly 1 or 2 tree entries.");
9133       if (TEs.size() == 1) {
9134         if (VF == 0)
9135           VF = TEs.front()->getVectorFactor();
9136         auto *FTy =
9137             FixedVectorType::get(TEs.back()->Scalars.front()->getType(), VF);
9138         if (!ShuffleVectorInst::isIdentityMask(Mask, VF) &&
9139             !all_of(enumerate(Mask), [=](const auto &Data) {
9140               return Data.value() == PoisonMaskElem ||
9141                      (Data.index() < VF &&
9142                       static_cast<int>(Data.index()) == Data.value());
9143             })) {
9144           InstructionCost C =
9145               TTI->getShuffleCost(TTI::SK_PermuteSingleSrc, FTy, Mask);
9146           LLVM_DEBUG(dbgs() << "SLP: Adding cost " << C
9147                             << " for final shuffle of insertelement "
9148                                "external users.\n";
9149                      TEs.front()->dump();
9150                      dbgs() << "SLP: Current total cost = " << Cost << "\n");
9151           Cost += C;
9152         }
9153       } else {
9154         if (VF == 0) {
9155           if (TEs.front() &&
9156               TEs.front()->getVectorFactor() == TEs.back()->getVectorFactor())
9157             VF = TEs.front()->getVectorFactor();
9158           else
9159             VF = Mask.size();
9160         }
9161         auto *FTy =
9162             FixedVectorType::get(TEs.back()->Scalars.front()->getType(), VF);
9163         InstructionCost C =
9164             ::getShuffleCost(*TTI, TTI::SK_PermuteTwoSrc, FTy, Mask);
9165         LLVM_DEBUG(dbgs() << "SLP: Adding cost " << C
9166                           << " for final shuffle of vector node and external "
9167                              "insertelement users.\n";
9168                    if (TEs.front()) { TEs.front()->dump(); } TEs.back()->dump();
9169                    dbgs() << "SLP: Current total cost = " << Cost << "\n");
9170         Cost += C;
9171       }
9172       VF = Mask.size();
9173       return TEs.back();
9174     };
9175     (void)performExtractsShuffleAction<const TreeEntry>(
9176         MutableArrayRef(Vector.data(), Vector.size()), Base,
9177         [](const TreeEntry *E) { return E->getVectorFactor(); }, ResizeToVF,
9178         EstimateShufflesCost);
9179     InstructionCost InsertCost = TTI->getScalarizationOverhead(
9180         cast<FixedVectorType>(FirstUsers[I].first->getType()), DemandedElts[I],
9181         /*Insert*/ true, /*Extract*/ false, TTI::TCK_RecipThroughput);
9182     Cost -= InsertCost;
9183   }
9184 
9185 #ifndef NDEBUG
9186   SmallString<256> Str;
9187   {
9188     raw_svector_ostream OS(Str);
9189     OS << "SLP: Spill Cost = " << SpillCost << ".\n"
9190        << "SLP: Extract Cost = " << ExtractCost << ".\n"
9191        << "SLP: Total Cost = " << Cost << ".\n";
9192   }
9193   LLVM_DEBUG(dbgs() << Str);
9194   if (ViewSLPTree)
9195     ViewGraph(this, "SLP" + F->getName(), false, Str);
9196 #endif
9197 
9198   return Cost;
9199 }
9200 
9201 /// Tries to find extractelement instructions with constant indices from fixed
9202 /// vector type and gather such instructions into a bunch, which highly likely
9203 /// might be detected as a shuffle of 1 or 2 input vectors. If this attempt was
9204 /// successful, the matched scalars are replaced by poison values in \p VL for
9205 /// future analysis.
9206 std::optional<TTI::ShuffleKind>
9207 BoUpSLP::tryToGatherSingleRegisterExtractElements(
9208     MutableArrayRef<Value *> VL, SmallVectorImpl<int> &Mask) const {
9209   // Scan list of gathered scalars for extractelements that can be represented
9210   // as shuffles.
9211   MapVector<Value *, SmallVector<int>> VectorOpToIdx;
9212   SmallVector<int> UndefVectorExtracts;
9213   for (int I = 0, E = VL.size(); I < E; ++I) {
9214     auto *EI = dyn_cast<ExtractElementInst>(VL[I]);
9215     if (!EI) {
9216       if (isa<UndefValue>(VL[I]))
9217         UndefVectorExtracts.push_back(I);
9218       continue;
9219     }
9220     auto *VecTy = dyn_cast<FixedVectorType>(EI->getVectorOperandType());
9221     if (!VecTy || !isa<ConstantInt, UndefValue>(EI->getIndexOperand()))
9222       continue;
9223     std::optional<unsigned> Idx = getExtractIndex(EI);
9224     // Undefined index.
9225     if (!Idx) {
9226       UndefVectorExtracts.push_back(I);
9227       continue;
9228     }
9229     SmallBitVector ExtractMask(VecTy->getNumElements(), true);
9230     ExtractMask.reset(*Idx);
9231     if (isUndefVector(EI->getVectorOperand(), ExtractMask).all()) {
9232       UndefVectorExtracts.push_back(I);
9233       continue;
9234     }
9235     VectorOpToIdx[EI->getVectorOperand()].push_back(I);
9236   }
9237   // Sort the vector operands by the maximum number of uses in extractelements.
9238   MapVector<unsigned, SmallVector<Value *>> VFToVector;
9239   for (const auto &Data : VectorOpToIdx)
9240     VFToVector[cast<FixedVectorType>(Data.first->getType())->getNumElements()]
9241         .push_back(Data.first);
9242   for (auto &Data : VFToVector) {
9243     stable_sort(Data.second, [&VectorOpToIdx](Value *V1, Value *V2) {
9244       return VectorOpToIdx.find(V1)->second.size() >
9245              VectorOpToIdx.find(V2)->second.size();
9246     });
9247   }
9248   // Find the best pair of the vectors with the same number of elements or a
9249   // single vector.
9250   const int UndefSz = UndefVectorExtracts.size();
9251   unsigned SingleMax = 0;
9252   Value *SingleVec = nullptr;
9253   unsigned PairMax = 0;
9254   std::pair<Value *, Value *> PairVec(nullptr, nullptr);
9255   for (auto &Data : VFToVector) {
9256     Value *V1 = Data.second.front();
9257     if (SingleMax < VectorOpToIdx[V1].size() + UndefSz) {
9258       SingleMax = VectorOpToIdx[V1].size() + UndefSz;
9259       SingleVec = V1;
9260     }
9261     Value *V2 = nullptr;
9262     if (Data.second.size() > 1)
9263       V2 = *std::next(Data.second.begin());
9264     if (V2 && PairMax < VectorOpToIdx[V1].size() + VectorOpToIdx[V2].size() +
9265                             UndefSz) {
9266       PairMax = VectorOpToIdx[V1].size() + VectorOpToIdx[V2].size() + UndefSz;
9267       PairVec = std::make_pair(V1, V2);
9268     }
9269   }
9270   if (SingleMax == 0 && PairMax == 0 && UndefSz == 0)
9271     return std::nullopt;
9272   // Check if better to perform a shuffle of 2 vectors or just of a single
9273   // vector.
9274   SmallVector<Value *> SavedVL(VL.begin(), VL.end());
9275   SmallVector<Value *> GatheredExtracts(
9276       VL.size(), PoisonValue::get(VL.front()->getType()));
9277   if (SingleMax >= PairMax && SingleMax) {
9278     for (int Idx : VectorOpToIdx[SingleVec])
9279       std::swap(GatheredExtracts[Idx], VL[Idx]);
9280   } else {
9281     for (Value *V : {PairVec.first, PairVec.second})
9282       for (int Idx : VectorOpToIdx[V])
9283         std::swap(GatheredExtracts[Idx], VL[Idx]);
9284   }
9285   // Add extracts from undefs too.
9286   for (int Idx : UndefVectorExtracts)
9287     std::swap(GatheredExtracts[Idx], VL[Idx]);
9288   // Check that gather of extractelements can be represented as just a
9289   // shuffle of a single/two vectors the scalars are extracted from.
9290   std::optional<TTI::ShuffleKind> Res =
9291       isFixedVectorShuffle(GatheredExtracts, Mask);
9292   if (!Res) {
9293     // TODO: try to check other subsets if possible.
9294     // Restore the original VL if attempt was not successful.
9295     copy(SavedVL, VL.begin());
9296     return std::nullopt;
9297   }
9298   // Restore unused scalars from mask, if some of the extractelements were not
9299   // selected for shuffle.
9300   for (int I = 0, E = GatheredExtracts.size(); I < E; ++I) {
9301     if (Mask[I] == PoisonMaskElem && !isa<PoisonValue>(GatheredExtracts[I]) &&
9302         isa<UndefValue>(GatheredExtracts[I])) {
9303       std::swap(VL[I], GatheredExtracts[I]);
9304       continue;
9305     }
9306     auto *EI = dyn_cast<ExtractElementInst>(VL[I]);
9307     if (!EI || !isa<FixedVectorType>(EI->getVectorOperandType()) ||
9308         !isa<ConstantInt, UndefValue>(EI->getIndexOperand()) ||
9309         is_contained(UndefVectorExtracts, I))
9310       continue;
9311   }
9312   return Res;
9313 }
9314 
9315 /// Tries to find extractelement instructions with constant indices from fixed
9316 /// vector type and gather such instructions into a bunch, which highly likely
9317 /// might be detected as a shuffle of 1 or 2 input vectors. If this attempt was
9318 /// successful, the matched scalars are replaced by poison values in \p VL for
9319 /// future analysis.
9320 SmallVector<std::optional<TTI::ShuffleKind>>
9321 BoUpSLP::tryToGatherExtractElements(SmallVectorImpl<Value *> &VL,
9322                                     SmallVectorImpl<int> &Mask,
9323                                     unsigned NumParts) const {
9324   assert(NumParts > 0 && "NumParts expected be greater than or equal to 1.");
9325   SmallVector<std::optional<TTI::ShuffleKind>> ShufflesRes(NumParts);
9326   Mask.assign(VL.size(), PoisonMaskElem);
9327   unsigned SliceSize = VL.size() / NumParts;
9328   for (unsigned Part = 0; Part < NumParts; ++Part) {
9329     // Scan list of gathered scalars for extractelements that can be represented
9330     // as shuffles.
9331     MutableArrayRef<Value *> SubVL =
9332         MutableArrayRef(VL).slice(Part * SliceSize, SliceSize);
9333     SmallVector<int> SubMask;
9334     std::optional<TTI::ShuffleKind> Res =
9335         tryToGatherSingleRegisterExtractElements(SubVL, SubMask);
9336     ShufflesRes[Part] = Res;
9337     copy(SubMask, std::next(Mask.begin(), Part * SliceSize));
9338   }
9339   if (none_of(ShufflesRes, [](const std::optional<TTI::ShuffleKind> &Res) {
9340         return Res.has_value();
9341       }))
9342     ShufflesRes.clear();
9343   return ShufflesRes;
9344 }
9345 
9346 std::optional<TargetTransformInfo::ShuffleKind>
9347 BoUpSLP::isGatherShuffledSingleRegisterEntry(
9348     const TreeEntry *TE, ArrayRef<Value *> VL, MutableArrayRef<int> Mask,
9349     SmallVectorImpl<const TreeEntry *> &Entries, unsigned Part) {
9350   Entries.clear();
9351   // TODO: currently checking only for Scalars in the tree entry, need to count
9352   // reused elements too for better cost estimation.
9353   const EdgeInfo &TEUseEI = TE->UserTreeIndices.front();
9354   const Instruction *TEInsertPt = &getLastInstructionInBundle(TEUseEI.UserTE);
9355   const BasicBlock *TEInsertBlock = nullptr;
9356   // Main node of PHI entries keeps the correct order of operands/incoming
9357   // blocks.
9358   if (auto *PHI = dyn_cast<PHINode>(TEUseEI.UserTE->getMainOp())) {
9359     TEInsertBlock = PHI->getIncomingBlock(TEUseEI.EdgeIdx);
9360     TEInsertPt = TEInsertBlock->getTerminator();
9361   } else {
9362     TEInsertBlock = TEInsertPt->getParent();
9363   }
9364   auto *NodeUI = DT->getNode(TEInsertBlock);
9365   assert(NodeUI && "Should only process reachable instructions");
9366   SmallPtrSet<Value *, 4> GatheredScalars(VL.begin(), VL.end());
9367   auto CheckOrdering = [&](const Instruction *InsertPt) {
9368     // Argument InsertPt is an instruction where vector code for some other
9369     // tree entry (one that shares one or more scalars with TE) is going to be
9370     // generated. This lambda returns true if insertion point of vector code
9371     // for the TE dominates that point (otherwise dependency is the other way
9372     // around). The other node is not limited to be of a gather kind. Gather
9373     // nodes are not scheduled and their vector code is inserted before their
9374     // first user. If user is PHI, that is supposed to be at the end of a
9375     // predecessor block. Otherwise it is the last instruction among scalars of
9376     // the user node. So, instead of checking dependency between instructions
9377     // themselves, we check dependency between their insertion points for vector
9378     // code (since each scalar instruction ends up as a lane of a vector
9379     // instruction).
9380     const BasicBlock *InsertBlock = InsertPt->getParent();
9381     auto *NodeEUI = DT->getNode(InsertBlock);
9382     if (!NodeEUI)
9383       return false;
9384     assert((NodeUI == NodeEUI) ==
9385                (NodeUI->getDFSNumIn() == NodeEUI->getDFSNumIn()) &&
9386            "Different nodes should have different DFS numbers");
9387     // Check the order of the gather nodes users.
9388     if (TEInsertPt->getParent() != InsertBlock &&
9389         (DT->dominates(NodeUI, NodeEUI) || !DT->dominates(NodeEUI, NodeUI)))
9390       return false;
9391     if (TEInsertPt->getParent() == InsertBlock &&
9392         TEInsertPt->comesBefore(InsertPt))
9393       return false;
9394     return true;
9395   };
9396   // Find all tree entries used by the gathered values. If no common entries
9397   // found - not a shuffle.
9398   // Here we build a set of tree nodes for each gathered value and trying to
9399   // find the intersection between these sets. If we have at least one common
9400   // tree node for each gathered value - we have just a permutation of the
9401   // single vector. If we have 2 different sets, we're in situation where we
9402   // have a permutation of 2 input vectors.
9403   SmallVector<SmallPtrSet<const TreeEntry *, 4>> UsedTEs;
9404   DenseMap<Value *, int> UsedValuesEntry;
9405   for (Value *V : VL) {
9406     if (isConstant(V))
9407       continue;
9408     // Build a list of tree entries where V is used.
9409     SmallPtrSet<const TreeEntry *, 4> VToTEs;
9410     for (const TreeEntry *TEPtr : ValueToGatherNodes.find(V)->second) {
9411       if (TEPtr == TE)
9412         continue;
9413       assert(any_of(TEPtr->Scalars,
9414                     [&](Value *V) { return GatheredScalars.contains(V); }) &&
9415              "Must contain at least single gathered value.");
9416       assert(TEPtr->UserTreeIndices.size() == 1 &&
9417              "Expected only single user of a gather node.");
9418       const EdgeInfo &UseEI = TEPtr->UserTreeIndices.front();
9419 
9420       PHINode *UserPHI = dyn_cast<PHINode>(UseEI.UserTE->getMainOp());
9421       const Instruction *InsertPt =
9422           UserPHI ? UserPHI->getIncomingBlock(UseEI.EdgeIdx)->getTerminator()
9423                   : &getLastInstructionInBundle(UseEI.UserTE);
9424       if (TEInsertPt == InsertPt) {
9425         // If 2 gathers are operands of the same entry (regardless of whether
9426         // user is PHI or else), compare operands indices, use the earlier one
9427         // as the base.
9428         if (TEUseEI.UserTE == UseEI.UserTE && TEUseEI.EdgeIdx < UseEI.EdgeIdx)
9429           continue;
9430         // If the user instruction is used for some reason in different
9431         // vectorized nodes - make it depend on index.
9432         if (TEUseEI.UserTE != UseEI.UserTE &&
9433             TEUseEI.UserTE->Idx < UseEI.UserTE->Idx)
9434           continue;
9435       }
9436 
9437       // Check if the user node of the TE comes after user node of TEPtr,
9438       // otherwise TEPtr depends on TE.
9439       if ((TEInsertBlock != InsertPt->getParent() ||
9440            TEUseEI.EdgeIdx < UseEI.EdgeIdx || TEUseEI.UserTE != UseEI.UserTE) &&
9441           !CheckOrdering(InsertPt))
9442         continue;
9443       VToTEs.insert(TEPtr);
9444     }
9445     if (const TreeEntry *VTE = getTreeEntry(V)) {
9446       Instruction &LastBundleInst = getLastInstructionInBundle(VTE);
9447       if (&LastBundleInst == TEInsertPt || !CheckOrdering(&LastBundleInst))
9448         continue;
9449       auto It = MinBWs.find(VTE);
9450       // If vectorize node is demoted - do not match.
9451       if (It != MinBWs.end() &&
9452           It->second.first != DL->getTypeSizeInBits(V->getType()))
9453         continue;
9454       VToTEs.insert(VTE);
9455     }
9456     if (VToTEs.empty())
9457       continue;
9458     if (UsedTEs.empty()) {
9459       // The first iteration, just insert the list of nodes to vector.
9460       UsedTEs.push_back(VToTEs);
9461       UsedValuesEntry.try_emplace(V, 0);
9462     } else {
9463       // Need to check if there are any previously used tree nodes which use V.
9464       // If there are no such nodes, consider that we have another one input
9465       // vector.
9466       SmallPtrSet<const TreeEntry *, 4> SavedVToTEs(VToTEs);
9467       unsigned Idx = 0;
9468       for (SmallPtrSet<const TreeEntry *, 4> &Set : UsedTEs) {
9469         // Do we have a non-empty intersection of previously listed tree entries
9470         // and tree entries using current V?
9471         set_intersect(VToTEs, Set);
9472         if (!VToTEs.empty()) {
9473           // Yes, write the new subset and continue analysis for the next
9474           // scalar.
9475           Set.swap(VToTEs);
9476           break;
9477         }
9478         VToTEs = SavedVToTEs;
9479         ++Idx;
9480       }
9481       // No non-empty intersection found - need to add a second set of possible
9482       // source vectors.
9483       if (Idx == UsedTEs.size()) {
9484         // If the number of input vectors is greater than 2 - not a permutation,
9485         // fallback to the regular gather.
9486         // TODO: support multiple reshuffled nodes.
9487         if (UsedTEs.size() == 2)
9488           continue;
9489         UsedTEs.push_back(SavedVToTEs);
9490         Idx = UsedTEs.size() - 1;
9491       }
9492       UsedValuesEntry.try_emplace(V, Idx);
9493     }
9494   }
9495 
9496   if (UsedTEs.empty()) {
9497     Entries.clear();
9498     return std::nullopt;
9499   }
9500 
9501   unsigned VF = 0;
9502   if (UsedTEs.size() == 1) {
9503     // Keep the order to avoid non-determinism.
9504     SmallVector<const TreeEntry *> FirstEntries(UsedTEs.front().begin(),
9505                                                 UsedTEs.front().end());
9506     sort(FirstEntries, [](const TreeEntry *TE1, const TreeEntry *TE2) {
9507       return TE1->Idx < TE2->Idx;
9508     });
9509     // Try to find the perfect match in another gather node at first.
9510     auto *It = find_if(FirstEntries, [=](const TreeEntry *EntryPtr) {
9511       return EntryPtr->isSame(VL) || EntryPtr->isSame(TE->Scalars);
9512     });
9513     if (It != FirstEntries.end() &&
9514         ((*It)->getVectorFactor() == VL.size() ||
9515          ((*It)->getVectorFactor() == TE->Scalars.size() &&
9516           TE->ReuseShuffleIndices.size() == VL.size() &&
9517           (*It)->isSame(TE->Scalars)))) {
9518       Entries.push_back(*It);
9519       if ((*It)->getVectorFactor() == VL.size()) {
9520         std::iota(std::next(Mask.begin(), Part * VL.size()),
9521                   std::next(Mask.begin(), (Part + 1) * VL.size()), 0);
9522       } else {
9523         SmallVector<int> CommonMask = TE->getCommonMask();
9524         copy(CommonMask, Mask.begin());
9525       }
9526       // Clear undef scalars.
9527       for (int I = 0, Sz = VL.size(); I < Sz; ++I)
9528         if (isa<PoisonValue>(VL[I]))
9529           Mask[I] = PoisonMaskElem;
9530       return TargetTransformInfo::SK_PermuteSingleSrc;
9531     }
9532     // No perfect match, just shuffle, so choose the first tree node from the
9533     // tree.
9534     Entries.push_back(FirstEntries.front());
9535   } else {
9536     // Try to find nodes with the same vector factor.
9537     assert(UsedTEs.size() == 2 && "Expected at max 2 permuted entries.");
9538     // Keep the order of tree nodes to avoid non-determinism.
9539     DenseMap<int, const TreeEntry *> VFToTE;
9540     for (const TreeEntry *TE : UsedTEs.front()) {
9541       unsigned VF = TE->getVectorFactor();
9542       auto It = VFToTE.find(VF);
9543       if (It != VFToTE.end()) {
9544         if (It->second->Idx > TE->Idx)
9545           It->getSecond() = TE;
9546         continue;
9547       }
9548       VFToTE.try_emplace(VF, TE);
9549     }
9550     // Same, keep the order to avoid non-determinism.
9551     SmallVector<const TreeEntry *> SecondEntries(UsedTEs.back().begin(),
9552                                                  UsedTEs.back().end());
9553     sort(SecondEntries, [](const TreeEntry *TE1, const TreeEntry *TE2) {
9554       return TE1->Idx < TE2->Idx;
9555     });
9556     for (const TreeEntry *TE : SecondEntries) {
9557       auto It = VFToTE.find(TE->getVectorFactor());
9558       if (It != VFToTE.end()) {
9559         VF = It->first;
9560         Entries.push_back(It->second);
9561         Entries.push_back(TE);
9562         break;
9563       }
9564     }
9565     // No 2 source vectors with the same vector factor - just choose 2 with max
9566     // index.
9567     if (Entries.empty()) {
9568       Entries.push_back(
9569           *std::max_element(UsedTEs.front().begin(), UsedTEs.front().end(),
9570                             [](const TreeEntry *TE1, const TreeEntry *TE2) {
9571                               return TE1->Idx < TE2->Idx;
9572                             }));
9573       Entries.push_back(SecondEntries.front());
9574       VF = std::max(Entries.front()->getVectorFactor(),
9575                     Entries.back()->getVectorFactor());
9576     }
9577   }
9578 
9579   bool IsSplatOrUndefs = isSplat(VL) || all_of(VL, UndefValue::classof);
9580   // Checks if the 2 PHIs are compatible in terms of high possibility to be
9581   // vectorized.
9582   auto AreCompatiblePHIs = [&](Value *V, Value *V1) {
9583     auto *PHI = cast<PHINode>(V);
9584     auto *PHI1 = cast<PHINode>(V1);
9585     // Check that all incoming values are compatible/from same parent (if they
9586     // are instructions).
9587     // The incoming values are compatible if they all are constants, or
9588     // instruction with the same/alternate opcodes from the same basic block.
9589     for (int I = 0, E = PHI->getNumIncomingValues(); I < E; ++I) {
9590       Value *In = PHI->getIncomingValue(I);
9591       Value *In1 = PHI1->getIncomingValue(I);
9592       if (isConstant(In) && isConstant(In1))
9593         continue;
9594       if (!getSameOpcode({In, In1}, *TLI).getOpcode())
9595         return false;
9596       if (cast<Instruction>(In)->getParent() !=
9597           cast<Instruction>(In1)->getParent())
9598         return false;
9599     }
9600     return true;
9601   };
9602   // Check if the value can be ignored during analysis for shuffled gathers.
9603   // We suppose it is better to ignore instruction, which do not form splats,
9604   // are not vectorized/not extractelements (these instructions will be handled
9605   // by extractelements processing) or may form vector node in future.
9606   auto MightBeIgnored = [=](Value *V) {
9607     auto *I = dyn_cast<Instruction>(V);
9608     return I && !IsSplatOrUndefs && !ScalarToTreeEntry.count(I) &&
9609            !isVectorLikeInstWithConstOps(I) &&
9610            !areAllUsersVectorized(I, UserIgnoreList) && isSimple(I);
9611   };
9612   // Check that the neighbor instruction may form a full vector node with the
9613   // current instruction V. It is possible, if they have same/alternate opcode
9614   // and same parent basic block.
9615   auto NeighborMightBeIgnored = [&](Value *V, int Idx) {
9616     Value *V1 = VL[Idx];
9617     bool UsedInSameVTE = false;
9618     auto It = UsedValuesEntry.find(V1);
9619     if (It != UsedValuesEntry.end())
9620       UsedInSameVTE = It->second == UsedValuesEntry.find(V)->second;
9621     return V != V1 && MightBeIgnored(V1) && !UsedInSameVTE &&
9622            getSameOpcode({V, V1}, *TLI).getOpcode() &&
9623            cast<Instruction>(V)->getParent() ==
9624                cast<Instruction>(V1)->getParent() &&
9625            (!isa<PHINode>(V1) || AreCompatiblePHIs(V, V1));
9626   };
9627   // Build a shuffle mask for better cost estimation and vector emission.
9628   SmallBitVector UsedIdxs(Entries.size());
9629   SmallVector<std::pair<unsigned, int>> EntryLanes;
9630   for (int I = 0, E = VL.size(); I < E; ++I) {
9631     Value *V = VL[I];
9632     auto It = UsedValuesEntry.find(V);
9633     if (It == UsedValuesEntry.end())
9634       continue;
9635     // Do not try to shuffle scalars, if they are constants, or instructions
9636     // that can be vectorized as a result of the following vector build
9637     // vectorization.
9638     if (isConstant(V) || (MightBeIgnored(V) &&
9639                           ((I > 0 && NeighborMightBeIgnored(V, I - 1)) ||
9640                            (I != E - 1 && NeighborMightBeIgnored(V, I + 1)))))
9641       continue;
9642     unsigned Idx = It->second;
9643     EntryLanes.emplace_back(Idx, I);
9644     UsedIdxs.set(Idx);
9645   }
9646   // Iterate through all shuffled scalars and select entries, which can be used
9647   // for final shuffle.
9648   SmallVector<const TreeEntry *> TempEntries;
9649   for (unsigned I = 0, Sz = Entries.size(); I < Sz; ++I) {
9650     if (!UsedIdxs.test(I))
9651       continue;
9652     // Fix the entry number for the given scalar. If it is the first entry, set
9653     // Pair.first to 0, otherwise to 1 (currently select at max 2 nodes).
9654     // These indices are used when calculating final shuffle mask as the vector
9655     // offset.
9656     for (std::pair<unsigned, int> &Pair : EntryLanes)
9657       if (Pair.first == I)
9658         Pair.first = TempEntries.size();
9659     TempEntries.push_back(Entries[I]);
9660   }
9661   Entries.swap(TempEntries);
9662   if (EntryLanes.size() == Entries.size() &&
9663       !VL.equals(ArrayRef(TE->Scalars)
9664                      .slice(Part * VL.size(),
9665                             std::min<int>(VL.size(), TE->Scalars.size())))) {
9666     // We may have here 1 or 2 entries only. If the number of scalars is equal
9667     // to the number of entries, no need to do the analysis, it is not very
9668     // profitable. Since VL is not the same as TE->Scalars, it means we already
9669     // have some shuffles before. Cut off not profitable case.
9670     Entries.clear();
9671     return std::nullopt;
9672   }
9673   // Build the final mask, check for the identity shuffle, if possible.
9674   bool IsIdentity = Entries.size() == 1;
9675   // Pair.first is the offset to the vector, while Pair.second is the index of
9676   // scalar in the list.
9677   for (const std::pair<unsigned, int> &Pair : EntryLanes) {
9678     unsigned Idx = Part * VL.size() + Pair.second;
9679     Mask[Idx] = Pair.first * VF +
9680                 Entries[Pair.first]->findLaneForValue(VL[Pair.second]);
9681     IsIdentity &= Mask[Idx] == Pair.second;
9682   }
9683   switch (Entries.size()) {
9684   case 1:
9685     if (IsIdentity || EntryLanes.size() > 1 || VL.size() <= 2)
9686       return TargetTransformInfo::SK_PermuteSingleSrc;
9687     break;
9688   case 2:
9689     if (EntryLanes.size() > 2 || VL.size() <= 2)
9690       return TargetTransformInfo::SK_PermuteTwoSrc;
9691     break;
9692   default:
9693     break;
9694   }
9695   Entries.clear();
9696   // Clear the corresponding mask elements.
9697   std::fill(std::next(Mask.begin(), Part * VL.size()),
9698             std::next(Mask.begin(), (Part + 1) * VL.size()), PoisonMaskElem);
9699   return std::nullopt;
9700 }
9701 
9702 SmallVector<std::optional<TargetTransformInfo::ShuffleKind>>
9703 BoUpSLP::isGatherShuffledEntry(
9704     const TreeEntry *TE, ArrayRef<Value *> VL, SmallVectorImpl<int> &Mask,
9705     SmallVectorImpl<SmallVector<const TreeEntry *>> &Entries,
9706     unsigned NumParts) {
9707   assert(NumParts > 0 && NumParts < VL.size() &&
9708          "Expected positive number of registers.");
9709   Entries.clear();
9710   // No need to check for the topmost gather node.
9711   if (TE == VectorizableTree.front().get())
9712     return {};
9713   Mask.assign(VL.size(), PoisonMaskElem);
9714   assert(TE->UserTreeIndices.size() == 1 &&
9715          "Expected only single user of the gather node.");
9716   assert(VL.size() % NumParts == 0 &&
9717          "Number of scalars must be divisible by NumParts.");
9718   unsigned SliceSize = VL.size() / NumParts;
9719   SmallVector<std::optional<TTI::ShuffleKind>> Res;
9720   for (unsigned Part = 0; Part < NumParts; ++Part) {
9721     ArrayRef<Value *> SubVL = VL.slice(Part * SliceSize, SliceSize);
9722     SmallVectorImpl<const TreeEntry *> &SubEntries = Entries.emplace_back();
9723     std::optional<TTI::ShuffleKind> SubRes =
9724         isGatherShuffledSingleRegisterEntry(TE, SubVL, Mask, SubEntries, Part);
9725     if (!SubRes)
9726       SubEntries.clear();
9727     Res.push_back(SubRes);
9728     if (SubEntries.size() == 1 && *SubRes == TTI::SK_PermuteSingleSrc &&
9729         SubEntries.front()->getVectorFactor() == VL.size() &&
9730         (SubEntries.front()->isSame(TE->Scalars) ||
9731          SubEntries.front()->isSame(VL))) {
9732       SmallVector<const TreeEntry *> LocalSubEntries;
9733       LocalSubEntries.swap(SubEntries);
9734       Entries.clear();
9735       Res.clear();
9736       std::iota(Mask.begin(), Mask.end(), 0);
9737       // Clear undef scalars.
9738       for (int I = 0, Sz = VL.size(); I < Sz; ++I)
9739         if (isa<PoisonValue>(VL[I]))
9740           Mask[I] = PoisonMaskElem;
9741       Entries.emplace_back(1, LocalSubEntries.front());
9742       Res.push_back(TargetTransformInfo::SK_PermuteSingleSrc);
9743       return Res;
9744     }
9745   }
9746   if (all_of(Res,
9747              [](const std::optional<TTI::ShuffleKind> &SK) { return !SK; })) {
9748     Entries.clear();
9749     return {};
9750   }
9751   return Res;
9752 }
9753 
9754 InstructionCost BoUpSLP::getGatherCost(ArrayRef<Value *> VL,
9755                                        bool ForPoisonSrc) const {
9756   // Find the type of the operands in VL.
9757   Type *ScalarTy = VL[0]->getType();
9758   if (StoreInst *SI = dyn_cast<StoreInst>(VL[0]))
9759     ScalarTy = SI->getValueOperand()->getType();
9760   auto *VecTy = FixedVectorType::get(ScalarTy, VL.size());
9761   bool DuplicateNonConst = false;
9762   // Find the cost of inserting/extracting values from the vector.
9763   // Check if the same elements are inserted several times and count them as
9764   // shuffle candidates.
9765   APInt ShuffledElements = APInt::getZero(VL.size());
9766   DenseSet<Value *> UniqueElements;
9767   constexpr TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
9768   InstructionCost Cost;
9769   auto EstimateInsertCost = [&](unsigned I, Value *V) {
9770     if (!ForPoisonSrc)
9771       Cost +=
9772           TTI->getVectorInstrCost(Instruction::InsertElement, VecTy, CostKind,
9773                                   I, Constant::getNullValue(VecTy), V);
9774   };
9775   for (unsigned I = 0, E = VL.size(); I < E; ++I) {
9776     Value *V = VL[I];
9777     // No need to shuffle duplicates for constants.
9778     if ((ForPoisonSrc && isConstant(V)) || isa<UndefValue>(V)) {
9779       ShuffledElements.setBit(I);
9780       continue;
9781     }
9782     if (!UniqueElements.insert(V).second) {
9783       DuplicateNonConst = true;
9784       ShuffledElements.setBit(I);
9785       continue;
9786     }
9787     EstimateInsertCost(I, V);
9788   }
9789   if (ForPoisonSrc)
9790     Cost =
9791         TTI->getScalarizationOverhead(VecTy, ~ShuffledElements, /*Insert*/ true,
9792                                       /*Extract*/ false, CostKind);
9793   if (DuplicateNonConst)
9794     Cost +=
9795         TTI->getShuffleCost(TargetTransformInfo::SK_PermuteSingleSrc, VecTy);
9796   return Cost;
9797 }
9798 
9799 // Perform operand reordering on the instructions in VL and return the reordered
9800 // operands in Left and Right.
9801 void BoUpSLP::reorderInputsAccordingToOpcode(
9802     ArrayRef<Value *> VL, SmallVectorImpl<Value *> &Left,
9803     SmallVectorImpl<Value *> &Right, const TargetLibraryInfo &TLI,
9804     const DataLayout &DL, ScalarEvolution &SE, const BoUpSLP &R) {
9805   if (VL.empty())
9806     return;
9807   VLOperands Ops(VL, TLI, DL, SE, R);
9808   // Reorder the operands in place.
9809   Ops.reorder();
9810   Left = Ops.getVL(0);
9811   Right = Ops.getVL(1);
9812 }
9813 
9814 Instruction &BoUpSLP::getLastInstructionInBundle(const TreeEntry *E) {
9815   auto &Res = EntryToLastInstruction.FindAndConstruct(E);
9816   if (Res.second)
9817     return *Res.second;
9818   // Get the basic block this bundle is in. All instructions in the bundle
9819   // should be in this block (except for extractelement-like instructions with
9820   // constant indeces).
9821   auto *Front = E->getMainOp();
9822   auto *BB = Front->getParent();
9823   assert(llvm::all_of(E->Scalars, [=](Value *V) -> bool {
9824     if (E->getOpcode() == Instruction::GetElementPtr &&
9825         !isa<GetElementPtrInst>(V))
9826       return true;
9827     auto *I = cast<Instruction>(V);
9828     return !E->isOpcodeOrAlt(I) || I->getParent() == BB ||
9829            isVectorLikeInstWithConstOps(I);
9830   }));
9831 
9832   auto FindLastInst = [&]() {
9833     Instruction *LastInst = Front;
9834     for (Value *V : E->Scalars) {
9835       auto *I = dyn_cast<Instruction>(V);
9836       if (!I)
9837         continue;
9838       if (LastInst->getParent() == I->getParent()) {
9839         if (LastInst->comesBefore(I))
9840           LastInst = I;
9841         continue;
9842       }
9843       assert(((E->getOpcode() == Instruction::GetElementPtr &&
9844                !isa<GetElementPtrInst>(I)) ||
9845               (isVectorLikeInstWithConstOps(LastInst) &&
9846                isVectorLikeInstWithConstOps(I))) &&
9847              "Expected vector-like or non-GEP in GEP node insts only.");
9848       if (!DT->isReachableFromEntry(LastInst->getParent())) {
9849         LastInst = I;
9850         continue;
9851       }
9852       if (!DT->isReachableFromEntry(I->getParent()))
9853         continue;
9854       auto *NodeA = DT->getNode(LastInst->getParent());
9855       auto *NodeB = DT->getNode(I->getParent());
9856       assert(NodeA && "Should only process reachable instructions");
9857       assert(NodeB && "Should only process reachable instructions");
9858       assert((NodeA == NodeB) ==
9859                  (NodeA->getDFSNumIn() == NodeB->getDFSNumIn()) &&
9860              "Different nodes should have different DFS numbers");
9861       if (NodeA->getDFSNumIn() < NodeB->getDFSNumIn())
9862         LastInst = I;
9863     }
9864     BB = LastInst->getParent();
9865     return LastInst;
9866   };
9867 
9868   auto FindFirstInst = [&]() {
9869     Instruction *FirstInst = Front;
9870     for (Value *V : E->Scalars) {
9871       auto *I = dyn_cast<Instruction>(V);
9872       if (!I)
9873         continue;
9874       if (FirstInst->getParent() == I->getParent()) {
9875         if (I->comesBefore(FirstInst))
9876           FirstInst = I;
9877         continue;
9878       }
9879       assert(((E->getOpcode() == Instruction::GetElementPtr &&
9880               !isa<GetElementPtrInst>(I)) ||
9881              (isVectorLikeInstWithConstOps(FirstInst) &&
9882               isVectorLikeInstWithConstOps(I))) &&
9883                  "Expected vector-like or non-GEP in GEP node insts only.");
9884       if (!DT->isReachableFromEntry(FirstInst->getParent())) {
9885         FirstInst = I;
9886         continue;
9887       }
9888       if (!DT->isReachableFromEntry(I->getParent()))
9889         continue;
9890       auto *NodeA = DT->getNode(FirstInst->getParent());
9891       auto *NodeB = DT->getNode(I->getParent());
9892       assert(NodeA && "Should only process reachable instructions");
9893       assert(NodeB && "Should only process reachable instructions");
9894       assert((NodeA == NodeB) ==
9895                  (NodeA->getDFSNumIn() == NodeB->getDFSNumIn()) &&
9896              "Different nodes should have different DFS numbers");
9897       if (NodeA->getDFSNumIn() > NodeB->getDFSNumIn())
9898         FirstInst = I;
9899     }
9900     return FirstInst;
9901   };
9902 
9903   // Set the insert point to the beginning of the basic block if the entry
9904   // should not be scheduled.
9905   if (doesNotNeedToSchedule(E->Scalars) ||
9906       (E->State != TreeEntry::NeedToGather &&
9907        all_of(E->Scalars, isVectorLikeInstWithConstOps))) {
9908     if ((E->getOpcode() == Instruction::GetElementPtr &&
9909          any_of(E->Scalars,
9910                 [](Value *V) {
9911                   return !isa<GetElementPtrInst>(V) && isa<Instruction>(V);
9912                 })) ||
9913         all_of(E->Scalars, [](Value *V) {
9914           return !isVectorLikeInstWithConstOps(V) && isUsedOutsideBlock(V);
9915         }))
9916       Res.second = FindLastInst();
9917     else
9918       Res.second = FindFirstInst();
9919     return *Res.second;
9920   }
9921 
9922   // Find the last instruction. The common case should be that BB has been
9923   // scheduled, and the last instruction is VL.back(). So we start with
9924   // VL.back() and iterate over schedule data until we reach the end of the
9925   // bundle. The end of the bundle is marked by null ScheduleData.
9926   if (BlocksSchedules.count(BB)) {
9927     Value *V = E->isOneOf(E->Scalars.back());
9928     if (doesNotNeedToBeScheduled(V))
9929       V = *find_if_not(E->Scalars, doesNotNeedToBeScheduled);
9930     auto *Bundle = BlocksSchedules[BB]->getScheduleData(V);
9931     if (Bundle && Bundle->isPartOfBundle())
9932       for (; Bundle; Bundle = Bundle->NextInBundle)
9933         if (Bundle->OpValue == Bundle->Inst)
9934           Res.second = Bundle->Inst;
9935   }
9936 
9937   // LastInst can still be null at this point if there's either not an entry
9938   // for BB in BlocksSchedules or there's no ScheduleData available for
9939   // VL.back(). This can be the case if buildTree_rec aborts for various
9940   // reasons (e.g., the maximum recursion depth is reached, the maximum region
9941   // size is reached, etc.). ScheduleData is initialized in the scheduling
9942   // "dry-run".
9943   //
9944   // If this happens, we can still find the last instruction by brute force. We
9945   // iterate forwards from Front (inclusive) until we either see all
9946   // instructions in the bundle or reach the end of the block. If Front is the
9947   // last instruction in program order, LastInst will be set to Front, and we
9948   // will visit all the remaining instructions in the block.
9949   //
9950   // One of the reasons we exit early from buildTree_rec is to place an upper
9951   // bound on compile-time. Thus, taking an additional compile-time hit here is
9952   // not ideal. However, this should be exceedingly rare since it requires that
9953   // we both exit early from buildTree_rec and that the bundle be out-of-order
9954   // (causing us to iterate all the way to the end of the block).
9955   if (!Res.second)
9956     Res.second = FindLastInst();
9957   assert(Res.second && "Failed to find last instruction in bundle");
9958   return *Res.second;
9959 }
9960 
9961 void BoUpSLP::setInsertPointAfterBundle(const TreeEntry *E) {
9962   auto *Front = E->getMainOp();
9963   Instruction *LastInst = &getLastInstructionInBundle(E);
9964   assert(LastInst && "Failed to find last instruction in bundle");
9965   BasicBlock::iterator LastInstIt = LastInst->getIterator();
9966   // If the instruction is PHI, set the insert point after all the PHIs.
9967   bool IsPHI = isa<PHINode>(LastInst);
9968   if (IsPHI)
9969     LastInstIt = LastInst->getParent()->getFirstNonPHIIt();
9970   if (IsPHI || (E->State != TreeEntry::NeedToGather &&
9971                 doesNotNeedToSchedule(E->Scalars))) {
9972     Builder.SetInsertPoint(LastInst->getParent(), LastInstIt);
9973   } else {
9974     // Set the insertion point after the last instruction in the bundle. Set the
9975     // debug location to Front.
9976     Builder.SetInsertPoint(
9977         LastInst->getParent(),
9978         LastInst->getNextNonDebugInstruction()->getIterator());
9979   }
9980   Builder.SetCurrentDebugLocation(Front->getDebugLoc());
9981 }
9982 
9983 Value *BoUpSLP::gather(ArrayRef<Value *> VL, Value *Root) {
9984   // List of instructions/lanes from current block and/or the blocks which are
9985   // part of the current loop. These instructions will be inserted at the end to
9986   // make it possible to optimize loops and hoist invariant instructions out of
9987   // the loops body with better chances for success.
9988   SmallVector<std::pair<Value *, unsigned>, 4> PostponedInsts;
9989   SmallSet<int, 4> PostponedIndices;
9990   Loop *L = LI->getLoopFor(Builder.GetInsertBlock());
9991   auto &&CheckPredecessor = [](BasicBlock *InstBB, BasicBlock *InsertBB) {
9992     SmallPtrSet<BasicBlock *, 4> Visited;
9993     while (InsertBB && InsertBB != InstBB && Visited.insert(InsertBB).second)
9994       InsertBB = InsertBB->getSinglePredecessor();
9995     return InsertBB && InsertBB == InstBB;
9996   };
9997   for (int I = 0, E = VL.size(); I < E; ++I) {
9998     if (auto *Inst = dyn_cast<Instruction>(VL[I]))
9999       if ((CheckPredecessor(Inst->getParent(), Builder.GetInsertBlock()) ||
10000            getTreeEntry(Inst) ||
10001            (L && (!Root || L->isLoopInvariant(Root)) && L->contains(Inst))) &&
10002           PostponedIndices.insert(I).second)
10003         PostponedInsts.emplace_back(Inst, I);
10004   }
10005 
10006   auto &&CreateInsertElement = [this](Value *Vec, Value *V, unsigned Pos) {
10007     Vec = Builder.CreateInsertElement(Vec, V, Builder.getInt32(Pos));
10008     auto *InsElt = dyn_cast<InsertElementInst>(Vec);
10009     if (!InsElt)
10010       return Vec;
10011     GatherShuffleExtractSeq.insert(InsElt);
10012     CSEBlocks.insert(InsElt->getParent());
10013     // Add to our 'need-to-extract' list.
10014     if (isa<Instruction>(V)) {
10015       if (TreeEntry *Entry = getTreeEntry(V)) {
10016         // Find which lane we need to extract.
10017         unsigned FoundLane = Entry->findLaneForValue(V);
10018         ExternalUses.emplace_back(V, InsElt, FoundLane);
10019       }
10020     }
10021     return Vec;
10022   };
10023   Value *Val0 =
10024       isa<StoreInst>(VL[0]) ? cast<StoreInst>(VL[0])->getValueOperand() : VL[0];
10025   FixedVectorType *VecTy = FixedVectorType::get(Val0->getType(), VL.size());
10026   Value *Vec = Root ? Root : PoisonValue::get(VecTy);
10027   SmallVector<int> NonConsts;
10028   // Insert constant values at first.
10029   for (int I = 0, E = VL.size(); I < E; ++I) {
10030     if (PostponedIndices.contains(I))
10031       continue;
10032     if (!isConstant(VL[I])) {
10033       NonConsts.push_back(I);
10034       continue;
10035     }
10036     if (Root) {
10037       if (!isa<UndefValue>(VL[I])) {
10038         NonConsts.push_back(I);
10039         continue;
10040       }
10041       if (isa<PoisonValue>(VL[I]))
10042         continue;
10043       if (auto *SV = dyn_cast<ShuffleVectorInst>(Root)) {
10044         if (SV->getMaskValue(I) == PoisonMaskElem)
10045           continue;
10046       }
10047     }
10048     Vec = CreateInsertElement(Vec, VL[I], I);
10049   }
10050   // Insert non-constant values.
10051   for (int I : NonConsts)
10052     Vec = CreateInsertElement(Vec, VL[I], I);
10053   // Append instructions, which are/may be part of the loop, in the end to make
10054   // it possible to hoist non-loop-based instructions.
10055   for (const std::pair<Value *, unsigned> &Pair : PostponedInsts)
10056     Vec = CreateInsertElement(Vec, Pair.first, Pair.second);
10057 
10058   return Vec;
10059 }
10060 
10061 /// Merges shuffle masks and emits final shuffle instruction, if required. It
10062 /// supports shuffling of 2 input vectors. It implements lazy shuffles emission,
10063 /// when the actual shuffle instruction is generated only if this is actually
10064 /// required. Otherwise, the shuffle instruction emission is delayed till the
10065 /// end of the process, to reduce the number of emitted instructions and further
10066 /// analysis/transformations.
10067 /// The class also will look through the previously emitted shuffle instructions
10068 /// and properly mark indices in mask as undef.
10069 /// For example, given the code
10070 /// \code
10071 /// %s1 = shufflevector <2 x ty> %0, poison, <1, 0>
10072 /// %s2 = shufflevector <2 x ty> %1, poison, <1, 0>
10073 /// \endcode
10074 /// and if need to emit shuffle of %s1 and %s2 with mask <1, 0, 3, 2>, it will
10075 /// look through %s1 and %s2 and emit
10076 /// \code
10077 /// %res = shufflevector <2 x ty> %0, %1, <0, 1, 2, 3>
10078 /// \endcode
10079 /// instead.
10080 /// If 2 operands are of different size, the smallest one will be resized and
10081 /// the mask recalculated properly.
10082 /// For example, given the code
10083 /// \code
10084 /// %s1 = shufflevector <2 x ty> %0, poison, <1, 0, 1, 0>
10085 /// %s2 = shufflevector <2 x ty> %1, poison, <1, 0, 1, 0>
10086 /// \endcode
10087 /// and if need to emit shuffle of %s1 and %s2 with mask <1, 0, 5, 4>, it will
10088 /// look through %s1 and %s2 and emit
10089 /// \code
10090 /// %res = shufflevector <2 x ty> %0, %1, <0, 1, 2, 3>
10091 /// \endcode
10092 /// instead.
10093 class BoUpSLP::ShuffleInstructionBuilder final : public BaseShuffleAnalysis {
10094   bool IsFinalized = false;
10095   /// Combined mask for all applied operands and masks. It is built during
10096   /// analysis and actual emission of shuffle vector instructions.
10097   SmallVector<int> CommonMask;
10098   /// List of operands for the shuffle vector instruction. It hold at max 2
10099   /// operands, if the 3rd is going to be added, the first 2 are combined into
10100   /// shuffle with \p CommonMask mask, the first operand sets to be the
10101   /// resulting shuffle and the second operand sets to be the newly added
10102   /// operand. The \p CommonMask is transformed in the proper way after that.
10103   SmallVector<Value *, 2> InVectors;
10104   IRBuilderBase &Builder;
10105   BoUpSLP &R;
10106 
10107   class ShuffleIRBuilder {
10108     IRBuilderBase &Builder;
10109     /// Holds all of the instructions that we gathered.
10110     SetVector<Instruction *> &GatherShuffleExtractSeq;
10111     /// A list of blocks that we are going to CSE.
10112     DenseSet<BasicBlock *> &CSEBlocks;
10113 
10114   public:
10115     ShuffleIRBuilder(IRBuilderBase &Builder,
10116                      SetVector<Instruction *> &GatherShuffleExtractSeq,
10117                      DenseSet<BasicBlock *> &CSEBlocks)
10118         : Builder(Builder), GatherShuffleExtractSeq(GatherShuffleExtractSeq),
10119           CSEBlocks(CSEBlocks) {}
10120     ~ShuffleIRBuilder() = default;
10121     /// Creates shufflevector for the 2 operands with the given mask.
10122     Value *createShuffleVector(Value *V1, Value *V2, ArrayRef<int> Mask) {
10123       Value *Vec = Builder.CreateShuffleVector(V1, V2, Mask);
10124       if (auto *I = dyn_cast<Instruction>(Vec)) {
10125         GatherShuffleExtractSeq.insert(I);
10126         CSEBlocks.insert(I->getParent());
10127       }
10128       return Vec;
10129     }
10130     /// Creates permutation of the single vector operand with the given mask, if
10131     /// it is not identity mask.
10132     Value *createShuffleVector(Value *V1, ArrayRef<int> Mask) {
10133       if (Mask.empty())
10134         return V1;
10135       unsigned VF = Mask.size();
10136       unsigned LocalVF = cast<FixedVectorType>(V1->getType())->getNumElements();
10137       if (VF == LocalVF && ShuffleVectorInst::isIdentityMask(Mask, VF))
10138         return V1;
10139       Value *Vec = Builder.CreateShuffleVector(V1, Mask);
10140       if (auto *I = dyn_cast<Instruction>(Vec)) {
10141         GatherShuffleExtractSeq.insert(I);
10142         CSEBlocks.insert(I->getParent());
10143       }
10144       return Vec;
10145     }
10146     Value *createIdentity(Value *V) { return V; }
10147     Value *createPoison(Type *Ty, unsigned VF) {
10148       return PoisonValue::get(FixedVectorType::get(Ty, VF));
10149     }
10150     /// Resizes 2 input vector to match the sizes, if the they are not equal
10151     /// yet. The smallest vector is resized to the size of the larger vector.
10152     void resizeToMatch(Value *&V1, Value *&V2) {
10153       if (V1->getType() == V2->getType())
10154         return;
10155       int V1VF = cast<FixedVectorType>(V1->getType())->getNumElements();
10156       int V2VF = cast<FixedVectorType>(V2->getType())->getNumElements();
10157       int VF = std::max(V1VF, V2VF);
10158       int MinVF = std::min(V1VF, V2VF);
10159       SmallVector<int> IdentityMask(VF, PoisonMaskElem);
10160       std::iota(IdentityMask.begin(), std::next(IdentityMask.begin(), MinVF),
10161                 0);
10162       Value *&Op = MinVF == V1VF ? V1 : V2;
10163       Op = Builder.CreateShuffleVector(Op, IdentityMask);
10164       if (auto *I = dyn_cast<Instruction>(Op)) {
10165         GatherShuffleExtractSeq.insert(I);
10166         CSEBlocks.insert(I->getParent());
10167       }
10168       if (MinVF == V1VF)
10169         V1 = Op;
10170       else
10171         V2 = Op;
10172     }
10173   };
10174 
10175   /// Smart shuffle instruction emission, walks through shuffles trees and
10176   /// tries to find the best matching vector for the actual shuffle
10177   /// instruction.
10178   Value *createShuffle(Value *V1, Value *V2, ArrayRef<int> Mask) {
10179     assert(V1 && "Expected at least one vector value.");
10180     ShuffleIRBuilder ShuffleBuilder(Builder, R.GatherShuffleExtractSeq,
10181                                     R.CSEBlocks);
10182     return BaseShuffleAnalysis::createShuffle<Value *>(V1, V2, Mask,
10183                                                        ShuffleBuilder);
10184   }
10185 
10186   /// Transforms mask \p CommonMask per given \p Mask to make proper set after
10187   /// shuffle emission.
10188   static void transformMaskAfterShuffle(MutableArrayRef<int> CommonMask,
10189                                         ArrayRef<int> Mask) {
10190     for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
10191       if (Mask[Idx] != PoisonMaskElem)
10192         CommonMask[Idx] = Idx;
10193   }
10194 
10195 public:
10196   ShuffleInstructionBuilder(IRBuilderBase &Builder, BoUpSLP &R)
10197       : Builder(Builder), R(R) {}
10198 
10199   /// Adjusts extractelements after reusing them.
10200   Value *adjustExtracts(const TreeEntry *E, MutableArrayRef<int> Mask,
10201                         ArrayRef<std::optional<TTI::ShuffleKind>> ShuffleKinds,
10202                         unsigned NumParts, bool &UseVecBaseAsInput) {
10203     UseVecBaseAsInput = false;
10204     SmallPtrSet<Value *, 4> UniqueBases;
10205     Value *VecBase = nullptr;
10206     for (int I = 0, Sz = Mask.size(); I < Sz; ++I) {
10207       int Idx = Mask[I];
10208       if (Idx == PoisonMaskElem)
10209         continue;
10210       auto *EI = cast<ExtractElementInst>(E->Scalars[I]);
10211       VecBase = EI->getVectorOperand();
10212       if (const TreeEntry *TE = R.getTreeEntry(VecBase))
10213         VecBase = TE->VectorizedValue;
10214       assert(VecBase && "Expected vectorized value.");
10215       UniqueBases.insert(VecBase);
10216       // If the only one use is vectorized - can delete the extractelement
10217       // itself.
10218       if (!EI->hasOneUse() || any_of(EI->users(), [&](User *U) {
10219             return !R.ScalarToTreeEntry.count(U);
10220           }))
10221         continue;
10222       R.eraseInstruction(EI);
10223     }
10224     if (NumParts == 1 || UniqueBases.size() == 1)
10225       return VecBase;
10226     UseVecBaseAsInput = true;
10227     auto TransformToIdentity = [](MutableArrayRef<int> Mask) {
10228       for (auto [I, Idx] : enumerate(Mask))
10229         if (Idx != PoisonMaskElem)
10230           Idx = I;
10231     };
10232     // Perform multi-register vector shuffle, joining them into a single virtual
10233     // long vector.
10234     // Need to shuffle each part independently and then insert all this parts
10235     // into a long virtual vector register, forming the original vector.
10236     Value *Vec = nullptr;
10237     SmallVector<int> VecMask(Mask.size(), PoisonMaskElem);
10238     unsigned SliceSize = E->Scalars.size() / NumParts;
10239     for (unsigned Part = 0; Part < NumParts; ++Part) {
10240       ArrayRef<Value *> VL =
10241           ArrayRef(E->Scalars).slice(Part * SliceSize, SliceSize);
10242       MutableArrayRef<int> SubMask = Mask.slice(Part * SliceSize, SliceSize);
10243       constexpr int MaxBases = 2;
10244       SmallVector<Value *, MaxBases> Bases(MaxBases);
10245 #ifndef NDEBUG
10246       int PrevSize = 0;
10247 #endif // NDEBUG
10248       for (const auto [I, V]: enumerate(VL)) {
10249         if (SubMask[I] == PoisonMaskElem)
10250           continue;
10251         Value *VecOp = cast<ExtractElementInst>(V)->getVectorOperand();
10252         if (const TreeEntry *TE = R.getTreeEntry(VecOp))
10253           VecOp = TE->VectorizedValue;
10254         assert(VecOp && "Expected vectorized value.");
10255         const int Size =
10256             cast<FixedVectorType>(VecOp->getType())->getNumElements();
10257 #ifndef NDEBUG
10258         assert((PrevSize == Size || PrevSize == 0) &&
10259                "Expected vectors of the same size.");
10260         PrevSize = Size;
10261 #endif // NDEBUG
10262         Bases[SubMask[I] < Size ? 0 : 1] = VecOp;
10263       }
10264       if (!Bases.front())
10265         continue;
10266       Value *SubVec;
10267       if (Bases.back()) {
10268         SubVec = createShuffle(Bases.front(), Bases.back(), SubMask);
10269         TransformToIdentity(SubMask);
10270       } else {
10271         SubVec = Bases.front();
10272       }
10273       if (!Vec) {
10274         Vec = SubVec;
10275         assert((Part == 0 || all_of(seq<unsigned>(0, Part),
10276                                     [&](unsigned P) {
10277                                       ArrayRef<int> SubMask =
10278                                           Mask.slice(P * SliceSize, SliceSize);
10279                                       return all_of(SubMask, [](int Idx) {
10280                                         return Idx == PoisonMaskElem;
10281                                       });
10282                                     })) &&
10283                "Expected first part or all previous parts masked.");
10284         copy(SubMask, std::next(VecMask.begin(), Part * SliceSize));
10285       } else {
10286         unsigned VF = cast<FixedVectorType>(Vec->getType())->getNumElements();
10287         if (Vec->getType() != SubVec->getType()) {
10288           unsigned SubVecVF =
10289               cast<FixedVectorType>(SubVec->getType())->getNumElements();
10290           VF = std::max(VF, SubVecVF);
10291         }
10292         // Adjust SubMask.
10293         for (auto [I, Idx] : enumerate(SubMask))
10294           if (Idx != PoisonMaskElem)
10295             Idx += VF;
10296         copy(SubMask, std::next(VecMask.begin(), Part * SliceSize));
10297         Vec = createShuffle(Vec, SubVec, VecMask);
10298         TransformToIdentity(VecMask);
10299       }
10300     }
10301     copy(VecMask, Mask.begin());
10302     return Vec;
10303   }
10304   /// Checks if the specified entry \p E needs to be delayed because of its
10305   /// dependency nodes.
10306   std::optional<Value *>
10307   needToDelay(const TreeEntry *E,
10308               ArrayRef<SmallVector<const TreeEntry *>> Deps) const {
10309     // No need to delay emission if all deps are ready.
10310     if (all_of(Deps, [](ArrayRef<const TreeEntry *> TEs) {
10311           return all_of(
10312               TEs, [](const TreeEntry *TE) { return TE->VectorizedValue; });
10313         }))
10314       return std::nullopt;
10315     // Postpone gather emission, will be emitted after the end of the
10316     // process to keep correct order.
10317     auto *VecTy = FixedVectorType::get(E->Scalars.front()->getType(),
10318                                        E->getVectorFactor());
10319     return Builder.CreateAlignedLoad(
10320         VecTy, PoisonValue::get(PointerType::getUnqual(VecTy->getContext())),
10321         MaybeAlign());
10322   }
10323   /// Adds 2 input vectors (in form of tree entries) and the mask for their
10324   /// shuffling.
10325   void add(const TreeEntry &E1, const TreeEntry &E2, ArrayRef<int> Mask) {
10326     add(E1.VectorizedValue, E2.VectorizedValue, Mask);
10327   }
10328   /// Adds single input vector (in form of tree entry) and the mask for its
10329   /// shuffling.
10330   void add(const TreeEntry &E1, ArrayRef<int> Mask) {
10331     add(E1.VectorizedValue, Mask);
10332   }
10333   /// Adds 2 input vectors and the mask for their shuffling.
10334   void add(Value *V1, Value *V2, ArrayRef<int> Mask) {
10335     assert(V1 && V2 && !Mask.empty() && "Expected non-empty input vectors.");
10336     if (InVectors.empty()) {
10337       InVectors.push_back(V1);
10338       InVectors.push_back(V2);
10339       CommonMask.assign(Mask.begin(), Mask.end());
10340       return;
10341     }
10342     Value *Vec = InVectors.front();
10343     if (InVectors.size() == 2) {
10344       Vec = createShuffle(Vec, InVectors.back(), CommonMask);
10345       transformMaskAfterShuffle(CommonMask, CommonMask);
10346     } else if (cast<FixedVectorType>(Vec->getType())->getNumElements() !=
10347                Mask.size()) {
10348       Vec = createShuffle(Vec, nullptr, CommonMask);
10349       transformMaskAfterShuffle(CommonMask, CommonMask);
10350     }
10351     V1 = createShuffle(V1, V2, Mask);
10352     for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
10353       if (Mask[Idx] != PoisonMaskElem)
10354         CommonMask[Idx] = Idx + Sz;
10355     InVectors.front() = Vec;
10356     if (InVectors.size() == 2)
10357       InVectors.back() = V1;
10358     else
10359       InVectors.push_back(V1);
10360   }
10361   /// Adds another one input vector and the mask for the shuffling.
10362   void add(Value *V1, ArrayRef<int> Mask, bool = false) {
10363     if (InVectors.empty()) {
10364       if (!isa<FixedVectorType>(V1->getType())) {
10365         V1 = createShuffle(V1, nullptr, CommonMask);
10366         CommonMask.assign(Mask.size(), PoisonMaskElem);
10367         transformMaskAfterShuffle(CommonMask, Mask);
10368       }
10369       InVectors.push_back(V1);
10370       CommonMask.assign(Mask.begin(), Mask.end());
10371       return;
10372     }
10373     const auto *It = find(InVectors, V1);
10374     if (It == InVectors.end()) {
10375       if (InVectors.size() == 2 ||
10376           InVectors.front()->getType() != V1->getType() ||
10377           !isa<FixedVectorType>(V1->getType())) {
10378         Value *V = InVectors.front();
10379         if (InVectors.size() == 2) {
10380           V = createShuffle(InVectors.front(), InVectors.back(), CommonMask);
10381           transformMaskAfterShuffle(CommonMask, CommonMask);
10382         } else if (cast<FixedVectorType>(V->getType())->getNumElements() !=
10383                    CommonMask.size()) {
10384           V = createShuffle(InVectors.front(), nullptr, CommonMask);
10385           transformMaskAfterShuffle(CommonMask, CommonMask);
10386         }
10387         for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
10388           if (CommonMask[Idx] == PoisonMaskElem && Mask[Idx] != PoisonMaskElem)
10389             CommonMask[Idx] =
10390                 V->getType() != V1->getType()
10391                     ? Idx + Sz
10392                     : Mask[Idx] + cast<FixedVectorType>(V1->getType())
10393                                       ->getNumElements();
10394         if (V->getType() != V1->getType())
10395           V1 = createShuffle(V1, nullptr, Mask);
10396         InVectors.front() = V;
10397         if (InVectors.size() == 2)
10398           InVectors.back() = V1;
10399         else
10400           InVectors.push_back(V1);
10401         return;
10402       }
10403       // Check if second vector is required if the used elements are already
10404       // used from the first one.
10405       for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
10406         if (Mask[Idx] != PoisonMaskElem && CommonMask[Idx] == PoisonMaskElem) {
10407           InVectors.push_back(V1);
10408           break;
10409         }
10410     }
10411     int VF = CommonMask.size();
10412     if (auto *FTy = dyn_cast<FixedVectorType>(V1->getType()))
10413       VF = FTy->getNumElements();
10414     for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
10415       if (Mask[Idx] != PoisonMaskElem && CommonMask[Idx] == PoisonMaskElem)
10416         CommonMask[Idx] = Mask[Idx] + (It == InVectors.begin() ? 0 : VF);
10417   }
10418   /// Adds another one input vector and the mask for the shuffling.
10419   void addOrdered(Value *V1, ArrayRef<unsigned> Order) {
10420     SmallVector<int> NewMask;
10421     inversePermutation(Order, NewMask);
10422     add(V1, NewMask);
10423   }
10424   Value *gather(ArrayRef<Value *> VL, unsigned MaskVF = 0,
10425                 Value *Root = nullptr) {
10426     return R.gather(VL, Root);
10427   }
10428   Value *createFreeze(Value *V) { return Builder.CreateFreeze(V); }
10429   /// Finalize emission of the shuffles.
10430   /// \param Action the action (if any) to be performed before final applying of
10431   /// the \p ExtMask mask.
10432   Value *
10433   finalize(ArrayRef<int> ExtMask, unsigned VF = 0,
10434            function_ref<void(Value *&, SmallVectorImpl<int> &)> Action = {}) {
10435     IsFinalized = true;
10436     if (Action) {
10437       Value *Vec = InVectors.front();
10438       if (InVectors.size() == 2) {
10439         Vec = createShuffle(Vec, InVectors.back(), CommonMask);
10440         InVectors.pop_back();
10441       } else {
10442         Vec = createShuffle(Vec, nullptr, CommonMask);
10443       }
10444       for (unsigned Idx = 0, Sz = CommonMask.size(); Idx < Sz; ++Idx)
10445         if (CommonMask[Idx] != PoisonMaskElem)
10446           CommonMask[Idx] = Idx;
10447       assert(VF > 0 &&
10448              "Expected vector length for the final value before action.");
10449       unsigned VecVF = cast<FixedVectorType>(Vec->getType())->getNumElements();
10450       if (VecVF < VF) {
10451         SmallVector<int> ResizeMask(VF, PoisonMaskElem);
10452         std::iota(ResizeMask.begin(), std::next(ResizeMask.begin(), VecVF), 0);
10453         Vec = createShuffle(Vec, nullptr, ResizeMask);
10454       }
10455       Action(Vec, CommonMask);
10456       InVectors.front() = Vec;
10457     }
10458     if (!ExtMask.empty()) {
10459       if (CommonMask.empty()) {
10460         CommonMask.assign(ExtMask.begin(), ExtMask.end());
10461       } else {
10462         SmallVector<int> NewMask(ExtMask.size(), PoisonMaskElem);
10463         for (int I = 0, Sz = ExtMask.size(); I < Sz; ++I) {
10464           if (ExtMask[I] == PoisonMaskElem)
10465             continue;
10466           NewMask[I] = CommonMask[ExtMask[I]];
10467         }
10468         CommonMask.swap(NewMask);
10469       }
10470     }
10471     if (CommonMask.empty()) {
10472       assert(InVectors.size() == 1 && "Expected only one vector with no mask");
10473       return InVectors.front();
10474     }
10475     if (InVectors.size() == 2)
10476       return createShuffle(InVectors.front(), InVectors.back(), CommonMask);
10477     return createShuffle(InVectors.front(), nullptr, CommonMask);
10478   }
10479 
10480   ~ShuffleInstructionBuilder() {
10481     assert((IsFinalized || CommonMask.empty()) &&
10482            "Shuffle construction must be finalized.");
10483   }
10484 };
10485 
10486 Value *BoUpSLP::vectorizeOperand(TreeEntry *E, unsigned NodeIdx,
10487                                  bool PostponedPHIs) {
10488   ValueList &VL = E->getOperand(NodeIdx);
10489   if (E->State == TreeEntry::PossibleStridedVectorize &&
10490       !E->ReorderIndices.empty()) {
10491     SmallVector<int> Mask(E->ReorderIndices.begin(), E->ReorderIndices.end());
10492     reorderScalars(VL, Mask);
10493   }
10494   const unsigned VF = VL.size();
10495   InstructionsState S = getSameOpcode(VL, *TLI);
10496   // Special processing for GEPs bundle, which may include non-gep values.
10497   if (!S.getOpcode() && VL.front()->getType()->isPointerTy()) {
10498     const auto *It =
10499         find_if(VL, [](Value *V) { return isa<GetElementPtrInst>(V); });
10500     if (It != VL.end())
10501       S = getSameOpcode(*It, *TLI);
10502   }
10503   if (S.getOpcode()) {
10504     auto CheckSameVE = [&](const TreeEntry *VE) {
10505       return VE->isSame(VL) &&
10506              (any_of(VE->UserTreeIndices,
10507                      [E, NodeIdx](const EdgeInfo &EI) {
10508                        return EI.UserTE == E && EI.EdgeIdx == NodeIdx;
10509                      }) ||
10510               any_of(VectorizableTree,
10511                      [E, NodeIdx, VE](const std::unique_ptr<TreeEntry> &TE) {
10512                        return TE->isOperandGatherNode({E, NodeIdx}) &&
10513                               VE->isSame(TE->Scalars);
10514                      }));
10515     };
10516     TreeEntry *VE = getTreeEntry(S.OpValue);
10517     bool IsSameVE = VE && CheckSameVE(VE);
10518     if (!IsSameVE) {
10519       auto It = MultiNodeScalars.find(S.OpValue);
10520       if (It != MultiNodeScalars.end()) {
10521         auto *I = find_if(It->getSecond(), [&](const TreeEntry *TE) {
10522           return TE != VE && CheckSameVE(TE);
10523         });
10524         if (I != It->getSecond().end()) {
10525           VE = *I;
10526           IsSameVE = true;
10527         }
10528       }
10529     }
10530     if (IsSameVE) {
10531       auto FinalShuffle = [&](Value *V, ArrayRef<int> Mask) {
10532         ShuffleInstructionBuilder ShuffleBuilder(Builder, *this);
10533         ShuffleBuilder.add(V, Mask);
10534         return ShuffleBuilder.finalize(std::nullopt);
10535       };
10536       Value *V = vectorizeTree(VE, PostponedPHIs);
10537       if (VF != cast<FixedVectorType>(V->getType())->getNumElements()) {
10538         if (!VE->ReuseShuffleIndices.empty()) {
10539           // Reshuffle to get only unique values.
10540           // If some of the scalars are duplicated in the vectorization
10541           // tree entry, we do not vectorize them but instead generate a
10542           // mask for the reuses. But if there are several users of the
10543           // same entry, they may have different vectorization factors.
10544           // This is especially important for PHI nodes. In this case, we
10545           // need to adapt the resulting instruction for the user
10546           // vectorization factor and have to reshuffle it again to take
10547           // only unique elements of the vector. Without this code the
10548           // function incorrectly returns reduced vector instruction with
10549           // the same elements, not with the unique ones.
10550 
10551           // block:
10552           // %phi = phi <2 x > { .., %entry} {%shuffle, %block}
10553           // %2 = shuffle <2 x > %phi, poison, <4 x > <1, 1, 0, 0>
10554           // ... (use %2)
10555           // %shuffle = shuffle <2 x> %2, poison, <2 x> {2, 0}
10556           // br %block
10557           SmallVector<int> UniqueIdxs(VF, PoisonMaskElem);
10558           SmallSet<int, 4> UsedIdxs;
10559           int Pos = 0;
10560           for (int Idx : VE->ReuseShuffleIndices) {
10561             if (Idx != static_cast<int>(VF) && Idx != PoisonMaskElem &&
10562                 UsedIdxs.insert(Idx).second)
10563               UniqueIdxs[Idx] = Pos;
10564             ++Pos;
10565           }
10566           assert(VF >= UsedIdxs.size() && "Expected vectorization factor "
10567                                           "less than original vector size.");
10568           UniqueIdxs.append(VF - UsedIdxs.size(), PoisonMaskElem);
10569           V = FinalShuffle(V, UniqueIdxs);
10570         } else {
10571           assert(VF < cast<FixedVectorType>(V->getType())->getNumElements() &&
10572                  "Expected vectorization factor less "
10573                  "than original vector size.");
10574           SmallVector<int> UniformMask(VF, 0);
10575           std::iota(UniformMask.begin(), UniformMask.end(), 0);
10576           V = FinalShuffle(V, UniformMask);
10577         }
10578       }
10579       // Need to update the operand gather node, if actually the operand is not a
10580       // vectorized node, but the buildvector/gather node, which matches one of
10581       // the vectorized nodes.
10582       if (find_if(VE->UserTreeIndices, [&](const EdgeInfo &EI) {
10583             return EI.UserTE == E && EI.EdgeIdx == NodeIdx;
10584           }) == VE->UserTreeIndices.end()) {
10585         auto *It = find_if(
10586             VectorizableTree, [&](const std::unique_ptr<TreeEntry> &TE) {
10587               return TE->State == TreeEntry::NeedToGather &&
10588                      TE->UserTreeIndices.front().UserTE == E &&
10589                      TE->UserTreeIndices.front().EdgeIdx == NodeIdx;
10590             });
10591         assert(It != VectorizableTree.end() && "Expected gather node operand.");
10592         (*It)->VectorizedValue = V;
10593       }
10594       return V;
10595     }
10596   }
10597 
10598   // Find the corresponding gather entry and vectorize it.
10599   // Allows to be more accurate with tree/graph transformations, checks for the
10600   // correctness of the transformations in many cases.
10601   auto *I = find_if(VectorizableTree,
10602                     [E, NodeIdx](const std::unique_ptr<TreeEntry> &TE) {
10603                       return TE->isOperandGatherNode({E, NodeIdx});
10604                     });
10605   assert(I != VectorizableTree.end() && "Gather node is not in the graph.");
10606   assert(I->get()->UserTreeIndices.size() == 1 &&
10607          "Expected only single user for the gather node.");
10608   assert(I->get()->isSame(VL) && "Expected same list of scalars.");
10609   return vectorizeTree(I->get(), PostponedPHIs);
10610 }
10611 
10612 template <typename BVTy, typename ResTy, typename... Args>
10613 ResTy BoUpSLP::processBuildVector(const TreeEntry *E, Args &...Params) {
10614   assert(E->State == TreeEntry::NeedToGather && "Expected gather node.");
10615   unsigned VF = E->getVectorFactor();
10616 
10617   bool NeedFreeze = false;
10618   SmallVector<int> ReuseShuffleIndicies(E->ReuseShuffleIndices.begin(),
10619                                         E->ReuseShuffleIndices.end());
10620   SmallVector<Value *> GatheredScalars(E->Scalars.begin(), E->Scalars.end());
10621   // Build a mask out of the reorder indices and reorder scalars per this
10622   // mask.
10623   SmallVector<int> ReorderMask;
10624   inversePermutation(E->ReorderIndices, ReorderMask);
10625   if (!ReorderMask.empty())
10626     reorderScalars(GatheredScalars, ReorderMask);
10627   auto FindReusedSplat = [&](MutableArrayRef<int> Mask, unsigned InputVF,
10628                              unsigned I, unsigned SliceSize) {
10629     if (!isSplat(E->Scalars) || none_of(E->Scalars, [](Value *V) {
10630           return isa<UndefValue>(V) && !isa<PoisonValue>(V);
10631         }))
10632       return false;
10633     TreeEntry *UserTE = E->UserTreeIndices.back().UserTE;
10634     unsigned EdgeIdx = E->UserTreeIndices.back().EdgeIdx;
10635     if (UserTE->getNumOperands() != 2)
10636       return false;
10637     auto *It =
10638         find_if(VectorizableTree, [=](const std::unique_ptr<TreeEntry> &TE) {
10639           return find_if(TE->UserTreeIndices, [=](const EdgeInfo &EI) {
10640                    return EI.UserTE == UserTE && EI.EdgeIdx != EdgeIdx;
10641                  }) != TE->UserTreeIndices.end();
10642         });
10643     if (It == VectorizableTree.end())
10644       return false;
10645     int Idx;
10646     if ((Mask.size() < InputVF &&
10647          ShuffleVectorInst::isExtractSubvectorMask(Mask, InputVF, Idx) &&
10648          Idx == 0) ||
10649         (Mask.size() == InputVF &&
10650          ShuffleVectorInst::isIdentityMask(Mask, Mask.size()))) {
10651       std::iota(std::next(Mask.begin(), I * SliceSize),
10652                 std::next(Mask.begin(), (I + 1) * SliceSize), 0);
10653     } else {
10654       unsigned IVal =
10655           *find_if_not(Mask, [](int Idx) { return Idx == PoisonMaskElem; });
10656       std::fill(std::next(Mask.begin(), I * SliceSize),
10657                 std::next(Mask.begin(), (I + 1) * SliceSize), IVal);
10658     }
10659     return true;
10660   };
10661   BVTy ShuffleBuilder(Params...);
10662   ResTy Res = ResTy();
10663   SmallVector<int> Mask;
10664   SmallVector<int> ExtractMask(GatheredScalars.size(), PoisonMaskElem);
10665   SmallVector<std::optional<TTI::ShuffleKind>> ExtractShuffles;
10666   Value *ExtractVecBase = nullptr;
10667   bool UseVecBaseAsInput = false;
10668   SmallVector<std::optional<TargetTransformInfo::ShuffleKind>> GatherShuffles;
10669   SmallVector<SmallVector<const TreeEntry *>> Entries;
10670   Type *ScalarTy = GatheredScalars.front()->getType();
10671   auto *VecTy = FixedVectorType::get(ScalarTy, GatheredScalars.size());
10672   unsigned NumParts = TTI->getNumberOfParts(VecTy);
10673   if (NumParts == 0 || NumParts >= GatheredScalars.size())
10674     NumParts = 1;
10675   if (!all_of(GatheredScalars, UndefValue::classof)) {
10676     // Check for gathered extracts.
10677     bool Resized = false;
10678     ExtractShuffles =
10679         tryToGatherExtractElements(GatheredScalars, ExtractMask, NumParts);
10680     if (!ExtractShuffles.empty()) {
10681       SmallVector<const TreeEntry *> ExtractEntries;
10682       for (auto [Idx, I] : enumerate(ExtractMask)) {
10683         if (I == PoisonMaskElem)
10684           continue;
10685         if (const auto *TE = getTreeEntry(
10686                 cast<ExtractElementInst>(E->Scalars[Idx])->getVectorOperand()))
10687           ExtractEntries.push_back(TE);
10688       }
10689       if (std::optional<ResTy> Delayed =
10690               ShuffleBuilder.needToDelay(E, ExtractEntries)) {
10691         // Delay emission of gathers which are not ready yet.
10692         PostponedGathers.insert(E);
10693         // Postpone gather emission, will be emitted after the end of the
10694         // process to keep correct order.
10695         return *Delayed;
10696       }
10697       if (Value *VecBase = ShuffleBuilder.adjustExtracts(
10698               E, ExtractMask, ExtractShuffles, NumParts, UseVecBaseAsInput)) {
10699         ExtractVecBase = VecBase;
10700         if (auto *VecBaseTy = dyn_cast<FixedVectorType>(VecBase->getType()))
10701           if (VF == VecBaseTy->getNumElements() &&
10702               GatheredScalars.size() != VF) {
10703             Resized = true;
10704             GatheredScalars.append(VF - GatheredScalars.size(),
10705                                    PoisonValue::get(ScalarTy));
10706           }
10707       }
10708     }
10709     // Gather extracts after we check for full matched gathers only.
10710     if (!ExtractShuffles.empty() || E->getOpcode() != Instruction::Load ||
10711         E->isAltShuffle() ||
10712         all_of(E->Scalars, [this](Value *V) { return getTreeEntry(V); }) ||
10713         isSplat(E->Scalars) ||
10714         (E->Scalars != GatheredScalars && GatheredScalars.size() <= 2)) {
10715       GatherShuffles =
10716           isGatherShuffledEntry(E, GatheredScalars, Mask, Entries, NumParts);
10717     }
10718     if (!GatherShuffles.empty()) {
10719       if (std::optional<ResTy> Delayed =
10720               ShuffleBuilder.needToDelay(E, Entries)) {
10721         // Delay emission of gathers which are not ready yet.
10722         PostponedGathers.insert(E);
10723         // Postpone gather emission, will be emitted after the end of the
10724         // process to keep correct order.
10725         return *Delayed;
10726       }
10727       if (GatherShuffles.size() == 1 &&
10728           *GatherShuffles.front() == TTI::SK_PermuteSingleSrc &&
10729           Entries.front().front()->isSame(E->Scalars)) {
10730         // Perfect match in the graph, will reuse the previously vectorized
10731         // node. Cost is 0.
10732         LLVM_DEBUG(
10733             dbgs()
10734             << "SLP: perfect diamond match for gather bundle "
10735             << shortBundleName(E->Scalars) << ".\n");
10736         // Restore the mask for previous partially matched values.
10737         Mask.resize(E->Scalars.size());
10738         const TreeEntry *FrontTE = Entries.front().front();
10739         if (FrontTE->ReorderIndices.empty() &&
10740             ((FrontTE->ReuseShuffleIndices.empty() &&
10741               E->Scalars.size() == FrontTE->Scalars.size()) ||
10742              (E->Scalars.size() == FrontTE->ReuseShuffleIndices.size()))) {
10743           std::iota(Mask.begin(), Mask.end(), 0);
10744         } else {
10745           for (auto [I, V] : enumerate(E->Scalars)) {
10746             if (isa<PoisonValue>(V)) {
10747               Mask[I] = PoisonMaskElem;
10748               continue;
10749             }
10750             Mask[I] = FrontTE->findLaneForValue(V);
10751           }
10752         }
10753         ShuffleBuilder.add(*FrontTE, Mask);
10754         Res = ShuffleBuilder.finalize(E->getCommonMask());
10755         return Res;
10756       }
10757       if (!Resized) {
10758         if (GatheredScalars.size() != VF &&
10759             any_of(Entries, [&](ArrayRef<const TreeEntry *> TEs) {
10760               return any_of(TEs, [&](const TreeEntry *TE) {
10761                 return TE->getVectorFactor() == VF;
10762               });
10763             }))
10764           GatheredScalars.append(VF - GatheredScalars.size(),
10765                                  PoisonValue::get(ScalarTy));
10766       }
10767       // Remove shuffled elements from list of gathers.
10768       for (int I = 0, Sz = Mask.size(); I < Sz; ++I) {
10769         if (Mask[I] != PoisonMaskElem)
10770           GatheredScalars[I] = PoisonValue::get(ScalarTy);
10771       }
10772     }
10773   }
10774   auto TryPackScalars = [&](SmallVectorImpl<Value *> &Scalars,
10775                             SmallVectorImpl<int> &ReuseMask,
10776                             bool IsRootPoison) {
10777     // For splats with can emit broadcasts instead of gathers, so try to find
10778     // such sequences.
10779     bool IsSplat = IsRootPoison && isSplat(Scalars) &&
10780                    (Scalars.size() > 2 || Scalars.front() == Scalars.back());
10781     Scalars.append(VF - Scalars.size(), PoisonValue::get(ScalarTy));
10782     SmallVector<int> UndefPos;
10783     DenseMap<Value *, unsigned> UniquePositions;
10784     // Gather unique non-const values and all constant values.
10785     // For repeated values, just shuffle them.
10786     int NumNonConsts = 0;
10787     int SinglePos = 0;
10788     for (auto [I, V] : enumerate(Scalars)) {
10789       if (isa<UndefValue>(V)) {
10790         if (!isa<PoisonValue>(V)) {
10791           ReuseMask[I] = I;
10792           UndefPos.push_back(I);
10793         }
10794         continue;
10795       }
10796       if (isConstant(V)) {
10797         ReuseMask[I] = I;
10798         continue;
10799       }
10800       ++NumNonConsts;
10801       SinglePos = I;
10802       Value *OrigV = V;
10803       Scalars[I] = PoisonValue::get(ScalarTy);
10804       if (IsSplat) {
10805         Scalars.front() = OrigV;
10806         ReuseMask[I] = 0;
10807       } else {
10808         const auto Res = UniquePositions.try_emplace(OrigV, I);
10809         Scalars[Res.first->second] = OrigV;
10810         ReuseMask[I] = Res.first->second;
10811       }
10812     }
10813     if (NumNonConsts == 1) {
10814       // Restore single insert element.
10815       if (IsSplat) {
10816         ReuseMask.assign(VF, PoisonMaskElem);
10817         std::swap(Scalars.front(), Scalars[SinglePos]);
10818         if (!UndefPos.empty() && UndefPos.front() == 0)
10819           Scalars.front() = UndefValue::get(ScalarTy);
10820       }
10821       ReuseMask[SinglePos] = SinglePos;
10822     } else if (!UndefPos.empty() && IsSplat) {
10823       // For undef values, try to replace them with the simple broadcast.
10824       // We can do it if the broadcasted value is guaranteed to be
10825       // non-poisonous, or by freezing the incoming scalar value first.
10826       auto *It = find_if(Scalars, [this, E](Value *V) {
10827         return !isa<UndefValue>(V) &&
10828                (getTreeEntry(V) || isGuaranteedNotToBePoison(V) ||
10829                 (E->UserTreeIndices.size() == 1 &&
10830                  any_of(V->uses(), [E](const Use &U) {
10831                    // Check if the value already used in the same operation in
10832                    // one of the nodes already.
10833                    return E->UserTreeIndices.front().EdgeIdx !=
10834                               U.getOperandNo() &&
10835                           is_contained(
10836                               E->UserTreeIndices.front().UserTE->Scalars,
10837                               U.getUser());
10838                  })));
10839       });
10840       if (It != Scalars.end()) {
10841         // Replace undefs by the non-poisoned scalars and emit broadcast.
10842         int Pos = std::distance(Scalars.begin(), It);
10843         for (int I : UndefPos) {
10844           // Set the undef position to the non-poisoned scalar.
10845           ReuseMask[I] = Pos;
10846           // Replace the undef by the poison, in the mask it is replaced by
10847           // non-poisoned scalar already.
10848           if (I != Pos)
10849             Scalars[I] = PoisonValue::get(ScalarTy);
10850         }
10851       } else {
10852         // Replace undefs by the poisons, emit broadcast and then emit
10853         // freeze.
10854         for (int I : UndefPos) {
10855           ReuseMask[I] = PoisonMaskElem;
10856           if (isa<UndefValue>(Scalars[I]))
10857             Scalars[I] = PoisonValue::get(ScalarTy);
10858         }
10859         NeedFreeze = true;
10860       }
10861     }
10862   };
10863   if (!ExtractShuffles.empty() || !GatherShuffles.empty()) {
10864     bool IsNonPoisoned = true;
10865     bool IsUsedInExpr = true;
10866     Value *Vec1 = nullptr;
10867     if (!ExtractShuffles.empty()) {
10868       // Gather of extractelements can be represented as just a shuffle of
10869       // a single/two vectors the scalars are extracted from.
10870       // Find input vectors.
10871       Value *Vec2 = nullptr;
10872       for (unsigned I = 0, Sz = ExtractMask.size(); I < Sz; ++I) {
10873         if (!Mask.empty() && Mask[I] != PoisonMaskElem)
10874           ExtractMask[I] = PoisonMaskElem;
10875       }
10876       if (UseVecBaseAsInput) {
10877         Vec1 = ExtractVecBase;
10878       } else {
10879         for (unsigned I = 0, Sz = ExtractMask.size(); I < Sz; ++I) {
10880           if (ExtractMask[I] == PoisonMaskElem)
10881             continue;
10882           if (isa<UndefValue>(E->Scalars[I]))
10883             continue;
10884           auto *EI = cast<ExtractElementInst>(E->Scalars[I]);
10885           Value *VecOp = EI->getVectorOperand();
10886           if (const auto *TE = getTreeEntry(VecOp))
10887             if (TE->VectorizedValue)
10888               VecOp = TE->VectorizedValue;
10889           if (!Vec1) {
10890             Vec1 = VecOp;
10891           } else if (Vec1 != EI->getVectorOperand()) {
10892             assert((!Vec2 || Vec2 == EI->getVectorOperand()) &&
10893                    "Expected only 1 or 2 vectors shuffle.");
10894             Vec2 = VecOp;
10895           }
10896         }
10897       }
10898       if (Vec2) {
10899         IsUsedInExpr = false;
10900         IsNonPoisoned &=
10901             isGuaranteedNotToBePoison(Vec1) && isGuaranteedNotToBePoison(Vec2);
10902         ShuffleBuilder.add(Vec1, Vec2, ExtractMask);
10903       } else if (Vec1) {
10904         IsUsedInExpr &= FindReusedSplat(
10905             ExtractMask,
10906             cast<FixedVectorType>(Vec1->getType())->getNumElements(), 0,
10907             ExtractMask.size());
10908         ShuffleBuilder.add(Vec1, ExtractMask, /*ForExtracts=*/true);
10909         IsNonPoisoned &= isGuaranteedNotToBePoison(Vec1);
10910       } else {
10911         IsUsedInExpr = false;
10912         ShuffleBuilder.add(PoisonValue::get(FixedVectorType::get(
10913                                ScalarTy, GatheredScalars.size())),
10914                            ExtractMask, /*ForExtracts=*/true);
10915       }
10916     }
10917     if (!GatherShuffles.empty()) {
10918       unsigned SliceSize = E->Scalars.size() / NumParts;
10919       SmallVector<int> VecMask(Mask.size(), PoisonMaskElem);
10920       for (const auto [I, TEs] : enumerate(Entries)) {
10921         if (TEs.empty()) {
10922           assert(!GatherShuffles[I] &&
10923                  "No shuffles with empty entries list expected.");
10924           continue;
10925         }
10926         assert((TEs.size() == 1 || TEs.size() == 2) &&
10927                "Expected shuffle of 1 or 2 entries.");
10928         auto SubMask = ArrayRef(Mask).slice(I * SliceSize, SliceSize);
10929         VecMask.assign(VecMask.size(), PoisonMaskElem);
10930         copy(SubMask, std::next(VecMask.begin(), I * SliceSize));
10931         if (TEs.size() == 1) {
10932           IsUsedInExpr &=
10933               FindReusedSplat(VecMask, TEs.front()->getVectorFactor(), I, SliceSize);
10934           ShuffleBuilder.add(*TEs.front(), VecMask);
10935           if (TEs.front()->VectorizedValue)
10936             IsNonPoisoned &=
10937                 isGuaranteedNotToBePoison(TEs.front()->VectorizedValue);
10938         } else {
10939           IsUsedInExpr = false;
10940           ShuffleBuilder.add(*TEs.front(), *TEs.back(), VecMask);
10941           if (TEs.front()->VectorizedValue && TEs.back()->VectorizedValue)
10942             IsNonPoisoned &=
10943                 isGuaranteedNotToBePoison(TEs.front()->VectorizedValue) &&
10944                 isGuaranteedNotToBePoison(TEs.back()->VectorizedValue);
10945         }
10946       }
10947     }
10948     // Try to figure out best way to combine values: build a shuffle and insert
10949     // elements or just build several shuffles.
10950     // Insert non-constant scalars.
10951     SmallVector<Value *> NonConstants(GatheredScalars);
10952     int EMSz = ExtractMask.size();
10953     int MSz = Mask.size();
10954     // Try to build constant vector and shuffle with it only if currently we
10955     // have a single permutation and more than 1 scalar constants.
10956     bool IsSingleShuffle = ExtractShuffles.empty() || GatherShuffles.empty();
10957     bool IsIdentityShuffle =
10958         ((UseVecBaseAsInput ||
10959           all_of(ExtractShuffles,
10960                  [](const std::optional<TTI::ShuffleKind> &SK) {
10961                    return SK.value_or(TTI::SK_PermuteTwoSrc) ==
10962                           TTI::SK_PermuteSingleSrc;
10963                  })) &&
10964          none_of(ExtractMask, [&](int I) { return I >= EMSz; }) &&
10965          ShuffleVectorInst::isIdentityMask(ExtractMask, EMSz)) ||
10966         (!GatherShuffles.empty() &&
10967          all_of(GatherShuffles,
10968                 [](const std::optional<TTI::ShuffleKind> &SK) {
10969                   return SK.value_or(TTI::SK_PermuteTwoSrc) ==
10970                          TTI::SK_PermuteSingleSrc;
10971                 }) &&
10972          none_of(Mask, [&](int I) { return I >= MSz; }) &&
10973          ShuffleVectorInst::isIdentityMask(Mask, MSz));
10974     bool EnoughConstsForShuffle =
10975         IsSingleShuffle &&
10976         (none_of(GatheredScalars,
10977                  [](Value *V) {
10978                    return isa<UndefValue>(V) && !isa<PoisonValue>(V);
10979                  }) ||
10980          any_of(GatheredScalars,
10981                 [](Value *V) {
10982                   return isa<Constant>(V) && !isa<UndefValue>(V);
10983                 })) &&
10984         (!IsIdentityShuffle ||
10985          (GatheredScalars.size() == 2 &&
10986           any_of(GatheredScalars,
10987                  [](Value *V) { return !isa<UndefValue>(V); })) ||
10988          count_if(GatheredScalars, [](Value *V) {
10989            return isa<Constant>(V) && !isa<PoisonValue>(V);
10990          }) > 1);
10991     // NonConstants array contains just non-constant values, GatheredScalars
10992     // contains only constant to build final vector and then shuffle.
10993     for (int I = 0, Sz = GatheredScalars.size(); I < Sz; ++I) {
10994       if (EnoughConstsForShuffle && isa<Constant>(GatheredScalars[I]))
10995         NonConstants[I] = PoisonValue::get(ScalarTy);
10996       else
10997         GatheredScalars[I] = PoisonValue::get(ScalarTy);
10998     }
10999     // Generate constants for final shuffle and build a mask for them.
11000     if (!all_of(GatheredScalars, PoisonValue::classof)) {
11001       SmallVector<int> BVMask(GatheredScalars.size(), PoisonMaskElem);
11002       TryPackScalars(GatheredScalars, BVMask, /*IsRootPoison=*/true);
11003       Value *BV = ShuffleBuilder.gather(GatheredScalars, BVMask.size());
11004       ShuffleBuilder.add(BV, BVMask);
11005     }
11006     if (all_of(NonConstants, [=](Value *V) {
11007           return isa<PoisonValue>(V) ||
11008                  (IsSingleShuffle && ((IsIdentityShuffle &&
11009                   IsNonPoisoned) || IsUsedInExpr) && isa<UndefValue>(V));
11010         }))
11011       Res = ShuffleBuilder.finalize(E->ReuseShuffleIndices);
11012     else
11013       Res = ShuffleBuilder.finalize(
11014           E->ReuseShuffleIndices, E->Scalars.size(),
11015           [&](Value *&Vec, SmallVectorImpl<int> &Mask) {
11016             TryPackScalars(NonConstants, Mask, /*IsRootPoison=*/false);
11017             Vec = ShuffleBuilder.gather(NonConstants, Mask.size(), Vec);
11018           });
11019   } else if (!allConstant(GatheredScalars)) {
11020     // Gather unique scalars and all constants.
11021     SmallVector<int> ReuseMask(GatheredScalars.size(), PoisonMaskElem);
11022     TryPackScalars(GatheredScalars, ReuseMask, /*IsRootPoison=*/true);
11023     Value *BV = ShuffleBuilder.gather(GatheredScalars, ReuseMask.size());
11024     ShuffleBuilder.add(BV, ReuseMask);
11025     Res = ShuffleBuilder.finalize(E->ReuseShuffleIndices);
11026   } else {
11027     // Gather all constants.
11028     SmallVector<int> Mask(E->Scalars.size(), PoisonMaskElem);
11029     for (auto [I, V] : enumerate(E->Scalars)) {
11030       if (!isa<PoisonValue>(V))
11031         Mask[I] = I;
11032     }
11033     Value *BV = ShuffleBuilder.gather(E->Scalars);
11034     ShuffleBuilder.add(BV, Mask);
11035     Res = ShuffleBuilder.finalize(E->ReuseShuffleIndices);
11036   }
11037 
11038   if (NeedFreeze)
11039     Res = ShuffleBuilder.createFreeze(Res);
11040   return Res;
11041 }
11042 
11043 Value *BoUpSLP::createBuildVector(const TreeEntry *E) {
11044   return processBuildVector<ShuffleInstructionBuilder, Value *>(E, Builder,
11045                                                                 *this);
11046 }
11047 
11048 Value *BoUpSLP::vectorizeTree(TreeEntry *E, bool PostponedPHIs) {
11049   IRBuilder<>::InsertPointGuard Guard(Builder);
11050 
11051   if (E->VectorizedValue &&
11052       (E->State != TreeEntry::Vectorize || E->getOpcode() != Instruction::PHI ||
11053        E->isAltShuffle())) {
11054     LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *E->Scalars[0] << ".\n");
11055     return E->VectorizedValue;
11056   }
11057 
11058   if (E->State == TreeEntry::NeedToGather) {
11059     // Set insert point for non-reduction initial nodes.
11060     if (E->getMainOp() && E->Idx == 0 && !UserIgnoreList)
11061       setInsertPointAfterBundle(E);
11062     Value *Vec = createBuildVector(E);
11063     E->VectorizedValue = Vec;
11064     return Vec;
11065   }
11066 
11067   auto FinalShuffle = [&](Value *V, const TreeEntry *E, VectorType *VecTy,
11068                           bool IsSigned) {
11069     if (V->getType() != VecTy)
11070       V = Builder.CreateIntCast(V, VecTy, IsSigned);
11071     ShuffleInstructionBuilder ShuffleBuilder(Builder, *this);
11072     if (E->getOpcode() == Instruction::Store) {
11073       ArrayRef<int> Mask =
11074           ArrayRef(reinterpret_cast<const int *>(E->ReorderIndices.begin()),
11075                    E->ReorderIndices.size());
11076       ShuffleBuilder.add(V, Mask);
11077     } else if (E->State == TreeEntry::PossibleStridedVectorize) {
11078       ShuffleBuilder.addOrdered(V, std::nullopt);
11079     } else {
11080       ShuffleBuilder.addOrdered(V, E->ReorderIndices);
11081     }
11082     return ShuffleBuilder.finalize(E->ReuseShuffleIndices);
11083   };
11084 
11085   assert((E->State == TreeEntry::Vectorize ||
11086           E->State == TreeEntry::ScatterVectorize ||
11087           E->State == TreeEntry::PossibleStridedVectorize) &&
11088          "Unhandled state");
11089   unsigned ShuffleOrOp =
11090       E->isAltShuffle() ? (unsigned)Instruction::ShuffleVector : E->getOpcode();
11091   Instruction *VL0 = E->getMainOp();
11092   Type *ScalarTy = VL0->getType();
11093   if (auto *Store = dyn_cast<StoreInst>(VL0))
11094     ScalarTy = Store->getValueOperand()->getType();
11095   else if (auto *IE = dyn_cast<InsertElementInst>(VL0))
11096     ScalarTy = IE->getOperand(1)->getType();
11097   bool IsSigned = false;
11098   auto It = MinBWs.find(E);
11099   if (It != MinBWs.end()) {
11100     ScalarTy = IntegerType::get(F->getContext(), It->second.first);
11101     IsSigned = It->second.second;
11102   }
11103   auto *VecTy = FixedVectorType::get(ScalarTy, E->Scalars.size());
11104   switch (ShuffleOrOp) {
11105     case Instruction::PHI: {
11106       assert((E->ReorderIndices.empty() ||
11107               E != VectorizableTree.front().get() ||
11108               !E->UserTreeIndices.empty()) &&
11109              "PHI reordering is free.");
11110       if (PostponedPHIs && E->VectorizedValue)
11111         return E->VectorizedValue;
11112       auto *PH = cast<PHINode>(VL0);
11113       Builder.SetInsertPoint(PH->getParent(),
11114                              PH->getParent()->getFirstNonPHIIt());
11115       Builder.SetCurrentDebugLocation(PH->getDebugLoc());
11116       if (PostponedPHIs || !E->VectorizedValue) {
11117         PHINode *NewPhi = Builder.CreatePHI(VecTy, PH->getNumIncomingValues());
11118         E->PHI = NewPhi;
11119         Value *V = NewPhi;
11120 
11121         // Adjust insertion point once all PHI's have been generated.
11122         Builder.SetInsertPoint(PH->getParent(),
11123                                PH->getParent()->getFirstInsertionPt());
11124         Builder.SetCurrentDebugLocation(PH->getDebugLoc());
11125 
11126         V = FinalShuffle(V, E, VecTy, IsSigned);
11127 
11128         E->VectorizedValue = V;
11129         if (PostponedPHIs)
11130           return V;
11131       }
11132       PHINode *NewPhi = cast<PHINode>(E->PHI);
11133       // If phi node is fully emitted - exit.
11134       if (NewPhi->getNumIncomingValues() != 0)
11135         return NewPhi;
11136 
11137       // PHINodes may have multiple entries from the same block. We want to
11138       // visit every block once.
11139       SmallPtrSet<BasicBlock *, 4> VisitedBBs;
11140 
11141       for (unsigned I : seq<unsigned>(0, PH->getNumIncomingValues())) {
11142         ValueList Operands;
11143         BasicBlock *IBB = PH->getIncomingBlock(I);
11144 
11145         // Stop emission if all incoming values are generated.
11146         if (NewPhi->getNumIncomingValues() == PH->getNumIncomingValues()) {
11147           LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11148           return NewPhi;
11149         }
11150 
11151         if (!VisitedBBs.insert(IBB).second) {
11152           NewPhi->addIncoming(NewPhi->getIncomingValueForBlock(IBB), IBB);
11153           continue;
11154         }
11155 
11156         Builder.SetInsertPoint(IBB->getTerminator());
11157         Builder.SetCurrentDebugLocation(PH->getDebugLoc());
11158         Value *Vec = vectorizeOperand(E, I, /*PostponedPHIs=*/true);
11159         if (VecTy != Vec->getType()) {
11160           assert(MinBWs.contains(getOperandEntry(E, I)) &&
11161                  "Expected item in MinBWs.");
11162           Vec = Builder.CreateIntCast(Vec, VecTy, It->second.second);
11163         }
11164         NewPhi->addIncoming(Vec, IBB);
11165       }
11166 
11167       assert(NewPhi->getNumIncomingValues() == PH->getNumIncomingValues() &&
11168              "Invalid number of incoming values");
11169       return NewPhi;
11170     }
11171 
11172     case Instruction::ExtractElement: {
11173       Value *V = E->getSingleOperand(0);
11174       if (const TreeEntry *TE = getTreeEntry(V))
11175         V = TE->VectorizedValue;
11176       setInsertPointAfterBundle(E);
11177       V = FinalShuffle(V, E, VecTy, IsSigned);
11178       E->VectorizedValue = V;
11179       return V;
11180     }
11181     case Instruction::ExtractValue: {
11182       auto *LI = cast<LoadInst>(E->getSingleOperand(0));
11183       Builder.SetInsertPoint(LI);
11184       Value *Ptr = LI->getPointerOperand();
11185       LoadInst *V = Builder.CreateAlignedLoad(VecTy, Ptr, LI->getAlign());
11186       Value *NewV = propagateMetadata(V, E->Scalars);
11187       NewV = FinalShuffle(NewV, E, VecTy, IsSigned);
11188       E->VectorizedValue = NewV;
11189       return NewV;
11190     }
11191     case Instruction::InsertElement: {
11192       assert(E->ReuseShuffleIndices.empty() && "All inserts should be unique");
11193       Builder.SetInsertPoint(cast<Instruction>(E->Scalars.back()));
11194       Value *V = vectorizeOperand(E, 1, PostponedPHIs);
11195       ArrayRef<Value *> Op = E->getOperand(1);
11196       Type *ScalarTy = Op.front()->getType();
11197       if (cast<VectorType>(V->getType())->getElementType() != ScalarTy) {
11198         assert(ScalarTy->isIntegerTy() && "Expected item in MinBWs.");
11199         std::pair<unsigned, bool> Res = MinBWs.lookup(getOperandEntry(E, 1));
11200         assert(Res.first > 0 && "Expected item in MinBWs.");
11201         V = Builder.CreateIntCast(
11202             V,
11203             FixedVectorType::get(
11204                 ScalarTy,
11205                 cast<FixedVectorType>(V->getType())->getNumElements()),
11206             Res.second);
11207       }
11208 
11209       // Create InsertVector shuffle if necessary
11210       auto *FirstInsert = cast<Instruction>(*find_if(E->Scalars, [E](Value *V) {
11211         return !is_contained(E->Scalars, cast<Instruction>(V)->getOperand(0));
11212       }));
11213       const unsigned NumElts =
11214           cast<FixedVectorType>(FirstInsert->getType())->getNumElements();
11215       const unsigned NumScalars = E->Scalars.size();
11216 
11217       unsigned Offset = *getInsertIndex(VL0);
11218       assert(Offset < NumElts && "Failed to find vector index offset");
11219 
11220       // Create shuffle to resize vector
11221       SmallVector<int> Mask;
11222       if (!E->ReorderIndices.empty()) {
11223         inversePermutation(E->ReorderIndices, Mask);
11224         Mask.append(NumElts - NumScalars, PoisonMaskElem);
11225       } else {
11226         Mask.assign(NumElts, PoisonMaskElem);
11227         std::iota(Mask.begin(), std::next(Mask.begin(), NumScalars), 0);
11228       }
11229       // Create InsertVector shuffle if necessary
11230       bool IsIdentity = true;
11231       SmallVector<int> PrevMask(NumElts, PoisonMaskElem);
11232       Mask.swap(PrevMask);
11233       for (unsigned I = 0; I < NumScalars; ++I) {
11234         Value *Scalar = E->Scalars[PrevMask[I]];
11235         unsigned InsertIdx = *getInsertIndex(Scalar);
11236         IsIdentity &= InsertIdx - Offset == I;
11237         Mask[InsertIdx - Offset] = I;
11238       }
11239       if (!IsIdentity || NumElts != NumScalars) {
11240         Value *V2 = nullptr;
11241         bool IsVNonPoisonous = isGuaranteedNotToBePoison(V) && !isConstant(V);
11242         SmallVector<int> InsertMask(Mask);
11243         if (NumElts != NumScalars && Offset == 0) {
11244           // Follow all insert element instructions from the current buildvector
11245           // sequence.
11246           InsertElementInst *Ins = cast<InsertElementInst>(VL0);
11247           do {
11248             std::optional<unsigned> InsertIdx = getInsertIndex(Ins);
11249             if (!InsertIdx)
11250               break;
11251             if (InsertMask[*InsertIdx] == PoisonMaskElem)
11252               InsertMask[*InsertIdx] = *InsertIdx;
11253             if (!Ins->hasOneUse())
11254               break;
11255             Ins = dyn_cast_or_null<InsertElementInst>(
11256                 Ins->getUniqueUndroppableUser());
11257           } while (Ins);
11258           SmallBitVector UseMask =
11259               buildUseMask(NumElts, InsertMask, UseMask::UndefsAsMask);
11260           SmallBitVector IsFirstPoison =
11261               isUndefVector<true>(FirstInsert->getOperand(0), UseMask);
11262           SmallBitVector IsFirstUndef =
11263               isUndefVector(FirstInsert->getOperand(0), UseMask);
11264           if (!IsFirstPoison.all()) {
11265             unsigned Idx = 0;
11266             for (unsigned I = 0; I < NumElts; I++) {
11267               if (InsertMask[I] == PoisonMaskElem && !IsFirstPoison.test(I) &&
11268                   IsFirstUndef.test(I)) {
11269                 if (IsVNonPoisonous) {
11270                   InsertMask[I] = I < NumScalars ? I : 0;
11271                   continue;
11272                 }
11273                 if (!V2)
11274                   V2 = UndefValue::get(V->getType());
11275                 if (Idx >= NumScalars)
11276                   Idx = NumScalars - 1;
11277                 InsertMask[I] = NumScalars + Idx;
11278                 ++Idx;
11279               } else if (InsertMask[I] != PoisonMaskElem &&
11280                          Mask[I] == PoisonMaskElem) {
11281                 InsertMask[I] = PoisonMaskElem;
11282               }
11283             }
11284           } else {
11285             InsertMask = Mask;
11286           }
11287         }
11288         if (!V2)
11289           V2 = PoisonValue::get(V->getType());
11290         V = Builder.CreateShuffleVector(V, V2, InsertMask);
11291         if (auto *I = dyn_cast<Instruction>(V)) {
11292           GatherShuffleExtractSeq.insert(I);
11293           CSEBlocks.insert(I->getParent());
11294         }
11295       }
11296 
11297       SmallVector<int> InsertMask(NumElts, PoisonMaskElem);
11298       for (unsigned I = 0; I < NumElts; I++) {
11299         if (Mask[I] != PoisonMaskElem)
11300           InsertMask[Offset + I] = I;
11301       }
11302       SmallBitVector UseMask =
11303           buildUseMask(NumElts, InsertMask, UseMask::UndefsAsMask);
11304       SmallBitVector IsFirstUndef =
11305           isUndefVector(FirstInsert->getOperand(0), UseMask);
11306       if ((!IsIdentity || Offset != 0 || !IsFirstUndef.all()) &&
11307           NumElts != NumScalars) {
11308         if (IsFirstUndef.all()) {
11309           if (!ShuffleVectorInst::isIdentityMask(InsertMask, NumElts)) {
11310             SmallBitVector IsFirstPoison =
11311                 isUndefVector<true>(FirstInsert->getOperand(0), UseMask);
11312             if (!IsFirstPoison.all()) {
11313               for (unsigned I = 0; I < NumElts; I++) {
11314                 if (InsertMask[I] == PoisonMaskElem && !IsFirstPoison.test(I))
11315                   InsertMask[I] = I + NumElts;
11316               }
11317             }
11318             V = Builder.CreateShuffleVector(
11319                 V,
11320                 IsFirstPoison.all() ? PoisonValue::get(V->getType())
11321                                     : FirstInsert->getOperand(0),
11322                 InsertMask, cast<Instruction>(E->Scalars.back())->getName());
11323             if (auto *I = dyn_cast<Instruction>(V)) {
11324               GatherShuffleExtractSeq.insert(I);
11325               CSEBlocks.insert(I->getParent());
11326             }
11327           }
11328         } else {
11329           SmallBitVector IsFirstPoison =
11330               isUndefVector<true>(FirstInsert->getOperand(0), UseMask);
11331           for (unsigned I = 0; I < NumElts; I++) {
11332             if (InsertMask[I] == PoisonMaskElem)
11333               InsertMask[I] = IsFirstPoison.test(I) ? PoisonMaskElem : I;
11334             else
11335               InsertMask[I] += NumElts;
11336           }
11337           V = Builder.CreateShuffleVector(
11338               FirstInsert->getOperand(0), V, InsertMask,
11339               cast<Instruction>(E->Scalars.back())->getName());
11340           if (auto *I = dyn_cast<Instruction>(V)) {
11341             GatherShuffleExtractSeq.insert(I);
11342             CSEBlocks.insert(I->getParent());
11343           }
11344         }
11345       }
11346 
11347       ++NumVectorInstructions;
11348       E->VectorizedValue = V;
11349       return V;
11350     }
11351     case Instruction::ZExt:
11352     case Instruction::SExt:
11353     case Instruction::FPToUI:
11354     case Instruction::FPToSI:
11355     case Instruction::FPExt:
11356     case Instruction::PtrToInt:
11357     case Instruction::IntToPtr:
11358     case Instruction::SIToFP:
11359     case Instruction::UIToFP:
11360     case Instruction::Trunc:
11361     case Instruction::FPTrunc:
11362     case Instruction::BitCast: {
11363       setInsertPointAfterBundle(E);
11364 
11365       Value *InVec = vectorizeOperand(E, 0, PostponedPHIs);
11366       if (E->VectorizedValue) {
11367         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11368         return E->VectorizedValue;
11369       }
11370 
11371       auto *CI = cast<CastInst>(VL0);
11372       Instruction::CastOps VecOpcode = CI->getOpcode();
11373       Type *SrcScalarTy = VL0->getOperand(0)->getType();
11374       auto SrcIt = MinBWs.find(getOperandEntry(E, 0));
11375       if (!ScalarTy->isFloatingPointTy() && !SrcScalarTy->isFloatingPointTy() &&
11376           (SrcIt != MinBWs.end() || It != MinBWs.end())) {
11377         // Check if the values are candidates to demote.
11378         unsigned SrcBWSz = DL->getTypeSizeInBits(SrcScalarTy);
11379         if (SrcIt != MinBWs.end())
11380           SrcBWSz = SrcIt->second.first;
11381         unsigned BWSz = DL->getTypeSizeInBits(ScalarTy);
11382         if (BWSz == SrcBWSz) {
11383           VecOpcode = Instruction::BitCast;
11384         } else if (BWSz < SrcBWSz) {
11385           VecOpcode = Instruction::Trunc;
11386         } else if (It != MinBWs.end()) {
11387           assert(BWSz > SrcBWSz && "Invalid cast!");
11388           VecOpcode = It->second.second ? Instruction::SExt : Instruction::ZExt;
11389         }
11390       }
11391       Value *V = (VecOpcode != ShuffleOrOp && VecOpcode == Instruction::BitCast)
11392                      ? InVec
11393                      : Builder.CreateCast(VecOpcode, InVec, VecTy);
11394       V = FinalShuffle(V, E, VecTy, IsSigned);
11395 
11396       E->VectorizedValue = V;
11397       ++NumVectorInstructions;
11398       return V;
11399     }
11400     case Instruction::FCmp:
11401     case Instruction::ICmp: {
11402       setInsertPointAfterBundle(E);
11403 
11404       Value *L = vectorizeOperand(E, 0, PostponedPHIs);
11405       if (E->VectorizedValue) {
11406         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11407         return E->VectorizedValue;
11408       }
11409       Value *R = vectorizeOperand(E, 1, PostponedPHIs);
11410       if (E->VectorizedValue) {
11411         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11412         return E->VectorizedValue;
11413       }
11414       if (L->getType() != R->getType()) {
11415         assert((MinBWs.contains(getOperandEntry(E, 0)) ||
11416                 MinBWs.contains(getOperandEntry(E, 1))) &&
11417                "Expected item in MinBWs.");
11418         L = Builder.CreateIntCast(L, VecTy, IsSigned);
11419         R = Builder.CreateIntCast(R, VecTy, IsSigned);
11420       }
11421 
11422       CmpInst::Predicate P0 = cast<CmpInst>(VL0)->getPredicate();
11423       Value *V = Builder.CreateCmp(P0, L, R);
11424       propagateIRFlags(V, E->Scalars, VL0);
11425       // Do not cast for cmps.
11426       VecTy = cast<FixedVectorType>(V->getType());
11427       V = FinalShuffle(V, E, VecTy, IsSigned);
11428 
11429       E->VectorizedValue = V;
11430       ++NumVectorInstructions;
11431       return V;
11432     }
11433     case Instruction::Select: {
11434       setInsertPointAfterBundle(E);
11435 
11436       Value *Cond = vectorizeOperand(E, 0, PostponedPHIs);
11437       if (E->VectorizedValue) {
11438         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11439         return E->VectorizedValue;
11440       }
11441       Value *True = vectorizeOperand(E, 1, PostponedPHIs);
11442       if (E->VectorizedValue) {
11443         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11444         return E->VectorizedValue;
11445       }
11446       Value *False = vectorizeOperand(E, 2, PostponedPHIs);
11447       if (E->VectorizedValue) {
11448         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11449         return E->VectorizedValue;
11450       }
11451       if (True->getType() != False->getType()) {
11452         assert((MinBWs.contains(getOperandEntry(E, 1)) ||
11453                 MinBWs.contains(getOperandEntry(E, 2))) &&
11454                "Expected item in MinBWs.");
11455         True = Builder.CreateIntCast(True, VecTy, IsSigned);
11456         False = Builder.CreateIntCast(False, VecTy, IsSigned);
11457       }
11458 
11459       Value *V = Builder.CreateSelect(Cond, True, False);
11460       V = FinalShuffle(V, E, VecTy, IsSigned);
11461 
11462       E->VectorizedValue = V;
11463       ++NumVectorInstructions;
11464       return V;
11465     }
11466     case Instruction::FNeg: {
11467       setInsertPointAfterBundle(E);
11468 
11469       Value *Op = vectorizeOperand(E, 0, PostponedPHIs);
11470 
11471       if (E->VectorizedValue) {
11472         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11473         return E->VectorizedValue;
11474       }
11475 
11476       Value *V = Builder.CreateUnOp(
11477           static_cast<Instruction::UnaryOps>(E->getOpcode()), Op);
11478       propagateIRFlags(V, E->Scalars, VL0);
11479       if (auto *I = dyn_cast<Instruction>(V))
11480         V = propagateMetadata(I, E->Scalars);
11481 
11482       V = FinalShuffle(V, E, VecTy, IsSigned);
11483 
11484       E->VectorizedValue = V;
11485       ++NumVectorInstructions;
11486 
11487       return V;
11488     }
11489     case Instruction::Add:
11490     case Instruction::FAdd:
11491     case Instruction::Sub:
11492     case Instruction::FSub:
11493     case Instruction::Mul:
11494     case Instruction::FMul:
11495     case Instruction::UDiv:
11496     case Instruction::SDiv:
11497     case Instruction::FDiv:
11498     case Instruction::URem:
11499     case Instruction::SRem:
11500     case Instruction::FRem:
11501     case Instruction::Shl:
11502     case Instruction::LShr:
11503     case Instruction::AShr:
11504     case Instruction::And:
11505     case Instruction::Or:
11506     case Instruction::Xor: {
11507       setInsertPointAfterBundle(E);
11508 
11509       Value *LHS = vectorizeOperand(E, 0, PostponedPHIs);
11510       if (E->VectorizedValue) {
11511         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11512         return E->VectorizedValue;
11513       }
11514       Value *RHS = vectorizeOperand(E, 1, PostponedPHIs);
11515       if (E->VectorizedValue) {
11516         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11517         return E->VectorizedValue;
11518       }
11519       if (LHS->getType() != RHS->getType()) {
11520         assert((MinBWs.contains(getOperandEntry(E, 0)) ||
11521                 MinBWs.contains(getOperandEntry(E, 1))) &&
11522                "Expected item in MinBWs.");
11523         LHS = Builder.CreateIntCast(LHS, VecTy, IsSigned);
11524         RHS = Builder.CreateIntCast(RHS, VecTy, IsSigned);
11525       }
11526 
11527       Value *V = Builder.CreateBinOp(
11528           static_cast<Instruction::BinaryOps>(E->getOpcode()), LHS,
11529           RHS);
11530       propagateIRFlags(V, E->Scalars, VL0, !MinBWs.contains(E));
11531       if (auto *I = dyn_cast<Instruction>(V))
11532         V = propagateMetadata(I, E->Scalars);
11533 
11534       V = FinalShuffle(V, E, VecTy, IsSigned);
11535 
11536       E->VectorizedValue = V;
11537       ++NumVectorInstructions;
11538 
11539       return V;
11540     }
11541     case Instruction::Load: {
11542       // Loads are inserted at the head of the tree because we don't want to
11543       // sink them all the way down past store instructions.
11544       setInsertPointAfterBundle(E);
11545 
11546       LoadInst *LI = cast<LoadInst>(VL0);
11547       Instruction *NewLI;
11548       Value *PO = LI->getPointerOperand();
11549       if (E->State == TreeEntry::Vectorize) {
11550         NewLI = Builder.CreateAlignedLoad(VecTy, PO, LI->getAlign());
11551       } else {
11552         assert((E->State == TreeEntry::ScatterVectorize ||
11553                 E->State == TreeEntry::PossibleStridedVectorize) &&
11554                "Unhandled state");
11555         Value *VecPtr = vectorizeOperand(E, 0, PostponedPHIs);
11556         if (E->VectorizedValue) {
11557           LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11558           return E->VectorizedValue;
11559         }
11560         // Use the minimum alignment of the gathered loads.
11561         Align CommonAlignment = LI->getAlign();
11562         for (Value *V : E->Scalars)
11563           CommonAlignment =
11564               std::min(CommonAlignment, cast<LoadInst>(V)->getAlign());
11565         NewLI = Builder.CreateMaskedGather(VecTy, VecPtr, CommonAlignment);
11566       }
11567       Value *V = propagateMetadata(NewLI, E->Scalars);
11568 
11569       V = FinalShuffle(V, E, VecTy, IsSigned);
11570       E->VectorizedValue = V;
11571       ++NumVectorInstructions;
11572       return V;
11573     }
11574     case Instruction::Store: {
11575       auto *SI = cast<StoreInst>(VL0);
11576 
11577       setInsertPointAfterBundle(E);
11578 
11579       Value *VecValue = vectorizeOperand(E, 0, PostponedPHIs);
11580       VecValue = FinalShuffle(VecValue, E, VecTy, IsSigned);
11581 
11582       Value *Ptr = SI->getPointerOperand();
11583       StoreInst *ST =
11584           Builder.CreateAlignedStore(VecValue, Ptr, SI->getAlign());
11585 
11586       Value *V = propagateMetadata(ST, E->Scalars);
11587 
11588       E->VectorizedValue = V;
11589       ++NumVectorInstructions;
11590       return V;
11591     }
11592     case Instruction::GetElementPtr: {
11593       auto *GEP0 = cast<GetElementPtrInst>(VL0);
11594       setInsertPointAfterBundle(E);
11595 
11596       Value *Op0 = vectorizeOperand(E, 0, PostponedPHIs);
11597       if (E->VectorizedValue) {
11598         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11599         return E->VectorizedValue;
11600       }
11601 
11602       SmallVector<Value *> OpVecs;
11603       for (int J = 1, N = GEP0->getNumOperands(); J < N; ++J) {
11604         Value *OpVec = vectorizeOperand(E, J, PostponedPHIs);
11605         if (E->VectorizedValue) {
11606           LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11607           return E->VectorizedValue;
11608         }
11609         OpVecs.push_back(OpVec);
11610       }
11611 
11612       Value *V = Builder.CreateGEP(GEP0->getSourceElementType(), Op0, OpVecs);
11613       if (Instruction *I = dyn_cast<GetElementPtrInst>(V)) {
11614         SmallVector<Value *> GEPs;
11615         for (Value *V : E->Scalars) {
11616           if (isa<GetElementPtrInst>(V))
11617             GEPs.push_back(V);
11618         }
11619         V = propagateMetadata(I, GEPs);
11620       }
11621 
11622       V = FinalShuffle(V, E, VecTy, IsSigned);
11623 
11624       E->VectorizedValue = V;
11625       ++NumVectorInstructions;
11626 
11627       return V;
11628     }
11629     case Instruction::Call: {
11630       CallInst *CI = cast<CallInst>(VL0);
11631       setInsertPointAfterBundle(E);
11632 
11633       Intrinsic::ID ID = getVectorIntrinsicIDForCall(CI, TLI);
11634 
11635       auto VecCallCosts = getVectorCallCosts(CI, VecTy, TTI, TLI);
11636       bool UseIntrinsic = ID != Intrinsic::not_intrinsic &&
11637                           VecCallCosts.first <= VecCallCosts.second;
11638 
11639       Value *ScalarArg = nullptr;
11640       SmallVector<Value *> OpVecs;
11641       SmallVector<Type *, 2> TysForDecl;
11642       // Add return type if intrinsic is overloaded on it.
11643       if (UseIntrinsic && isVectorIntrinsicWithOverloadTypeAtArg(ID, -1))
11644         TysForDecl.push_back(
11645             FixedVectorType::get(CI->getType(), E->Scalars.size()));
11646       for (unsigned I : seq<unsigned>(0, CI->arg_size())) {
11647         ValueList OpVL;
11648         // Some intrinsics have scalar arguments. This argument should not be
11649         // vectorized.
11650         if (UseIntrinsic && isVectorIntrinsicWithScalarOpAtArg(ID, I)) {
11651           CallInst *CEI = cast<CallInst>(VL0);
11652           ScalarArg = CEI->getArgOperand(I);
11653           OpVecs.push_back(CEI->getArgOperand(I));
11654           if (isVectorIntrinsicWithOverloadTypeAtArg(ID, I))
11655             TysForDecl.push_back(ScalarArg->getType());
11656           continue;
11657         }
11658 
11659         Value *OpVec = vectorizeOperand(E, I, PostponedPHIs);
11660         if (E->VectorizedValue) {
11661           LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11662           return E->VectorizedValue;
11663         }
11664         LLVM_DEBUG(dbgs() << "SLP: OpVec[" << I << "]: " << *OpVec << "\n");
11665         OpVecs.push_back(OpVec);
11666         if (UseIntrinsic && isVectorIntrinsicWithOverloadTypeAtArg(ID, I))
11667           TysForDecl.push_back(OpVec->getType());
11668       }
11669 
11670       Function *CF;
11671       if (!UseIntrinsic) {
11672         VFShape Shape =
11673             VFShape::get(CI->getFunctionType(),
11674                          ElementCount::getFixed(
11675                              static_cast<unsigned>(VecTy->getNumElements())),
11676                          false /*HasGlobalPred*/);
11677         CF = VFDatabase(*CI).getVectorizedFunction(Shape);
11678       } else {
11679         CF = Intrinsic::getDeclaration(F->getParent(), ID, TysForDecl);
11680       }
11681 
11682       SmallVector<OperandBundleDef, 1> OpBundles;
11683       CI->getOperandBundlesAsDefs(OpBundles);
11684       Value *V = Builder.CreateCall(CF, OpVecs, OpBundles);
11685 
11686       propagateIRFlags(V, E->Scalars, VL0);
11687       V = FinalShuffle(V, E, VecTy, IsSigned);
11688 
11689       E->VectorizedValue = V;
11690       ++NumVectorInstructions;
11691       return V;
11692     }
11693     case Instruction::ShuffleVector: {
11694       assert(E->isAltShuffle() &&
11695              ((Instruction::isBinaryOp(E->getOpcode()) &&
11696                Instruction::isBinaryOp(E->getAltOpcode())) ||
11697               (Instruction::isCast(E->getOpcode()) &&
11698                Instruction::isCast(E->getAltOpcode())) ||
11699               (isa<CmpInst>(VL0) && isa<CmpInst>(E->getAltOp()))) &&
11700              "Invalid Shuffle Vector Operand");
11701 
11702       Value *LHS = nullptr, *RHS = nullptr;
11703       if (Instruction::isBinaryOp(E->getOpcode()) || isa<CmpInst>(VL0)) {
11704         setInsertPointAfterBundle(E);
11705         LHS = vectorizeOperand(E, 0, PostponedPHIs);
11706         if (E->VectorizedValue) {
11707           LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11708           return E->VectorizedValue;
11709         }
11710         RHS = vectorizeOperand(E, 1, PostponedPHIs);
11711       } else {
11712         setInsertPointAfterBundle(E);
11713         LHS = vectorizeOperand(E, 0, PostponedPHIs);
11714       }
11715       if (E->VectorizedValue) {
11716         LLVM_DEBUG(dbgs() << "SLP: Diamond merged for " << *VL0 << ".\n");
11717         return E->VectorizedValue;
11718       }
11719       if (LHS && RHS && LHS->getType() != RHS->getType()) {
11720         assert((MinBWs.contains(getOperandEntry(E, 0)) ||
11721                 MinBWs.contains(getOperandEntry(E, 1))) &&
11722                "Expected item in MinBWs.");
11723         LHS = Builder.CreateIntCast(LHS, VecTy, IsSigned);
11724         RHS = Builder.CreateIntCast(RHS, VecTy, IsSigned);
11725       }
11726 
11727       Value *V0, *V1;
11728       if (Instruction::isBinaryOp(E->getOpcode())) {
11729         V0 = Builder.CreateBinOp(
11730             static_cast<Instruction::BinaryOps>(E->getOpcode()), LHS, RHS);
11731         V1 = Builder.CreateBinOp(
11732             static_cast<Instruction::BinaryOps>(E->getAltOpcode()), LHS, RHS);
11733       } else if (auto *CI0 = dyn_cast<CmpInst>(VL0)) {
11734         V0 = Builder.CreateCmp(CI0->getPredicate(), LHS, RHS);
11735         auto *AltCI = cast<CmpInst>(E->getAltOp());
11736         CmpInst::Predicate AltPred = AltCI->getPredicate();
11737         V1 = Builder.CreateCmp(AltPred, LHS, RHS);
11738       } else {
11739         V0 = Builder.CreateCast(
11740             static_cast<Instruction::CastOps>(E->getOpcode()), LHS, VecTy);
11741         V1 = Builder.CreateCast(
11742             static_cast<Instruction::CastOps>(E->getAltOpcode()), LHS, VecTy);
11743       }
11744       // Add V0 and V1 to later analysis to try to find and remove matching
11745       // instruction, if any.
11746       for (Value *V : {V0, V1}) {
11747         if (auto *I = dyn_cast<Instruction>(V)) {
11748           GatherShuffleExtractSeq.insert(I);
11749           CSEBlocks.insert(I->getParent());
11750         }
11751       }
11752 
11753       // Create shuffle to take alternate operations from the vector.
11754       // Also, gather up main and alt scalar ops to propagate IR flags to
11755       // each vector operation.
11756       ValueList OpScalars, AltScalars;
11757       SmallVector<int> Mask;
11758       E->buildAltOpShuffleMask(
11759           [E, this](Instruction *I) {
11760             assert(E->isOpcodeOrAlt(I) && "Unexpected main/alternate opcode");
11761             return isAlternateInstruction(I, E->getMainOp(), E->getAltOp(),
11762                                           *TLI);
11763           },
11764           Mask, &OpScalars, &AltScalars);
11765 
11766       propagateIRFlags(V0, OpScalars);
11767       propagateIRFlags(V1, AltScalars);
11768 
11769       Value *V = Builder.CreateShuffleVector(V0, V1, Mask);
11770       if (auto *I = dyn_cast<Instruction>(V)) {
11771         V = propagateMetadata(I, E->Scalars);
11772         GatherShuffleExtractSeq.insert(I);
11773         CSEBlocks.insert(I->getParent());
11774       }
11775 
11776       if (V->getType() != VecTy && !isa<CmpInst>(VL0))
11777         V = Builder.CreateIntCast(
11778             V, FixedVectorType::get(ScalarTy, E->getVectorFactor()), IsSigned);
11779       E->VectorizedValue = V;
11780       ++NumVectorInstructions;
11781 
11782       return V;
11783     }
11784     default:
11785       llvm_unreachable("unknown inst");
11786   }
11787   return nullptr;
11788 }
11789 
11790 Value *BoUpSLP::vectorizeTree() {
11791   ExtraValueToDebugLocsMap ExternallyUsedValues;
11792   SmallVector<std::pair<Value *, Value *>> ReplacedExternals;
11793   return vectorizeTree(ExternallyUsedValues, ReplacedExternals);
11794 }
11795 
11796 namespace {
11797 /// Data type for handling buildvector sequences with the reused scalars from
11798 /// other tree entries.
11799 struct ShuffledInsertData {
11800   /// List of insertelements to be replaced by shuffles.
11801   SmallVector<InsertElementInst *> InsertElements;
11802   /// The parent vectors and shuffle mask for the given list of inserts.
11803   MapVector<Value *, SmallVector<int>> ValueMasks;
11804 };
11805 } // namespace
11806 
11807 Value *BoUpSLP::vectorizeTree(
11808     const ExtraValueToDebugLocsMap &ExternallyUsedValues,
11809     SmallVectorImpl<std::pair<Value *, Value *>> &ReplacedExternals,
11810     Instruction *ReductionRoot) {
11811   // All blocks must be scheduled before any instructions are inserted.
11812   for (auto &BSIter : BlocksSchedules) {
11813     scheduleBlock(BSIter.second.get());
11814   }
11815   // Clean Entry-to-LastInstruction table. It can be affected after scheduling,
11816   // need to rebuild it.
11817   EntryToLastInstruction.clear();
11818 
11819   if (ReductionRoot)
11820     Builder.SetInsertPoint(ReductionRoot->getParent(),
11821                            ReductionRoot->getIterator());
11822   else
11823     Builder.SetInsertPoint(&F->getEntryBlock(), F->getEntryBlock().begin());
11824 
11825   // Postpone emission of PHIs operands to avoid cyclic dependencies issues.
11826   (void)vectorizeTree(VectorizableTree[0].get(), /*PostponedPHIs=*/true);
11827   for (const std::unique_ptr<TreeEntry> &TE : VectorizableTree)
11828     if (TE->State == TreeEntry::Vectorize &&
11829         TE->getOpcode() == Instruction::PHI && !TE->isAltShuffle() &&
11830         TE->VectorizedValue)
11831       (void)vectorizeTree(TE.get(), /*PostponedPHIs=*/false);
11832   // Run through the list of postponed gathers and emit them, replacing the temp
11833   // emitted allocas with actual vector instructions.
11834   ArrayRef<const TreeEntry *> PostponedNodes = PostponedGathers.getArrayRef();
11835   DenseMap<Value *, SmallVector<TreeEntry *>> PostponedValues;
11836   for (const TreeEntry *E : PostponedNodes) {
11837     auto *TE = const_cast<TreeEntry *>(E);
11838     if (auto *VecTE = getTreeEntry(TE->Scalars.front()))
11839       if (VecTE->isSame(TE->UserTreeIndices.front().UserTE->getOperand(
11840               TE->UserTreeIndices.front().EdgeIdx)))
11841         // Found gather node which is absolutely the same as one of the
11842         // vectorized nodes. It may happen after reordering.
11843         continue;
11844     auto *PrevVec = cast<Instruction>(TE->VectorizedValue);
11845     TE->VectorizedValue = nullptr;
11846     auto *UserI =
11847         cast<Instruction>(TE->UserTreeIndices.front().UserTE->VectorizedValue);
11848     // If user is a PHI node, its vector code have to be inserted right before
11849     // block terminator. Since the node was delayed, there were some unresolved
11850     // dependencies at the moment when stab instruction was emitted. In a case
11851     // when any of these dependencies turn out an operand of another PHI, coming
11852     // from this same block, position of a stab instruction will become invalid.
11853     // The is because source vector that supposed to feed this gather node was
11854     // inserted at the end of the block [after stab instruction]. So we need
11855     // to adjust insertion point again to the end of block.
11856     if (isa<PHINode>(UserI)) {
11857       // Insert before all users.
11858       Instruction *InsertPt = PrevVec->getParent()->getTerminator();
11859       for (User *U : PrevVec->users()) {
11860         if (U == UserI)
11861           continue;
11862         auto *UI = dyn_cast<Instruction>(U);
11863         if (!UI || isa<PHINode>(UI) || UI->getParent() != InsertPt->getParent())
11864           continue;
11865         if (UI->comesBefore(InsertPt))
11866           InsertPt = UI;
11867       }
11868       Builder.SetInsertPoint(InsertPt);
11869     } else {
11870       Builder.SetInsertPoint(PrevVec);
11871     }
11872     Builder.SetCurrentDebugLocation(UserI->getDebugLoc());
11873     Value *Vec = vectorizeTree(TE, /*PostponedPHIs=*/false);
11874     PrevVec->replaceAllUsesWith(Vec);
11875     PostponedValues.try_emplace(Vec).first->second.push_back(TE);
11876     // Replace the stub vector node, if it was used before for one of the
11877     // buildvector nodes already.
11878     auto It = PostponedValues.find(PrevVec);
11879     if (It != PostponedValues.end()) {
11880       for (TreeEntry *VTE : It->getSecond())
11881         VTE->VectorizedValue = Vec;
11882     }
11883     eraseInstruction(PrevVec);
11884   }
11885 
11886   LLVM_DEBUG(dbgs() << "SLP: Extracting " << ExternalUses.size()
11887                     << " values .\n");
11888 
11889   SmallVector<ShuffledInsertData> ShuffledInserts;
11890   // Maps vector instruction to original insertelement instruction
11891   DenseMap<Value *, InsertElementInst *> VectorToInsertElement;
11892   // Maps extract Scalar to the corresponding extractelement instruction in the
11893   // basic block. Only one extractelement per block should be emitted.
11894   DenseMap<Value *, DenseMap<BasicBlock *, Instruction *>> ScalarToEEs;
11895   SmallDenseSet<Value *, 4> UsedInserts;
11896   DenseMap<Value *, Value *> VectorCasts;
11897   SmallDenseSet<Value *, 4> ScalarsWithNullptrUser;
11898   // Extract all of the elements with the external uses.
11899   for (const auto &ExternalUse : ExternalUses) {
11900     Value *Scalar = ExternalUse.Scalar;
11901     llvm::User *User = ExternalUse.User;
11902 
11903     // Skip users that we already RAUW. This happens when one instruction
11904     // has multiple uses of the same value.
11905     if (User && !is_contained(Scalar->users(), User))
11906       continue;
11907     TreeEntry *E = getTreeEntry(Scalar);
11908     assert(E && "Invalid scalar");
11909     assert(E->State != TreeEntry::NeedToGather &&
11910            "Extracting from a gather list");
11911     // Non-instruction pointers are not deleted, just skip them.
11912     if (E->getOpcode() == Instruction::GetElementPtr &&
11913         !isa<GetElementPtrInst>(Scalar))
11914       continue;
11915 
11916     Value *Vec = E->VectorizedValue;
11917     assert(Vec && "Can't find vectorizable value");
11918 
11919     Value *Lane = Builder.getInt32(ExternalUse.Lane);
11920     auto ExtractAndExtendIfNeeded = [&](Value *Vec) {
11921       if (Scalar->getType() != Vec->getType()) {
11922         Value *Ex = nullptr;
11923         auto It = ScalarToEEs.find(Scalar);
11924         if (It != ScalarToEEs.end()) {
11925           // No need to emit many extracts, just move the only one in the
11926           // current block.
11927           auto EEIt = It->second.find(Builder.GetInsertBlock());
11928           if (EEIt != It->second.end()) {
11929             Instruction *I = EEIt->second;
11930             if (Builder.GetInsertPoint() != Builder.GetInsertBlock()->end() &&
11931                 Builder.GetInsertPoint()->comesBefore(I))
11932               I->moveBefore(*Builder.GetInsertPoint()->getParent(),
11933                             Builder.GetInsertPoint());
11934             Ex = I;
11935           }
11936         }
11937         if (!Ex) {
11938           // "Reuse" the existing extract to improve final codegen.
11939           if (auto *ES = dyn_cast<ExtractElementInst>(Scalar)) {
11940             Value *V = ES->getVectorOperand();
11941             if (const TreeEntry *ETE = getTreeEntry(V))
11942               V = ETE->VectorizedValue;
11943             Ex = Builder.CreateExtractElement(V, ES->getIndexOperand());
11944           } else {
11945             Ex = Builder.CreateExtractElement(Vec, Lane);
11946           }
11947           if (auto *I = dyn_cast<Instruction>(Ex))
11948             ScalarToEEs[Scalar].try_emplace(Builder.GetInsertBlock(), I);
11949         }
11950         // The then branch of the previous if may produce constants, since 0
11951         // operand might be a constant.
11952         if (auto *ExI = dyn_cast<Instruction>(Ex)) {
11953           GatherShuffleExtractSeq.insert(ExI);
11954           CSEBlocks.insert(ExI->getParent());
11955         }
11956         // If necessary, sign-extend or zero-extend ScalarRoot
11957         // to the larger type.
11958         if (Scalar->getType() != Ex->getType())
11959           return Builder.CreateIntCast(Ex, Scalar->getType(),
11960                                        MinBWs.find(E)->second.second);
11961         return Ex;
11962       }
11963       assert(isa<FixedVectorType>(Scalar->getType()) &&
11964              isa<InsertElementInst>(Scalar) &&
11965              "In-tree scalar of vector type is not insertelement?");
11966       auto *IE = cast<InsertElementInst>(Scalar);
11967       VectorToInsertElement.try_emplace(Vec, IE);
11968       return Vec;
11969     };
11970     // If User == nullptr, the Scalar remains as scalar in vectorized
11971     // instructions or is used as extra arg. Generate ExtractElement instruction
11972     // and update the record for this scalar in ExternallyUsedValues.
11973     if (!User) {
11974       if (!ScalarsWithNullptrUser.insert(Scalar).second)
11975         continue;
11976       assert((ExternallyUsedValues.count(Scalar) ||
11977               any_of(Scalar->users(),
11978                      [&](llvm::User *U) {
11979                        TreeEntry *UseEntry = getTreeEntry(U);
11980                        return UseEntry &&
11981                               UseEntry->State == TreeEntry::Vectorize &&
11982                               E->State == TreeEntry::Vectorize &&
11983                               doesInTreeUserNeedToExtract(
11984                                   Scalar,
11985                                   cast<Instruction>(UseEntry->Scalars.front()),
11986                                   TLI);
11987                      })) &&
11988              "Scalar with nullptr User must be registered in "
11989              "ExternallyUsedValues map or remain as scalar in vectorized "
11990              "instructions");
11991       if (auto *VecI = dyn_cast<Instruction>(Vec)) {
11992         if (auto *PHI = dyn_cast<PHINode>(VecI))
11993           Builder.SetInsertPoint(PHI->getParent(),
11994                                  PHI->getParent()->getFirstNonPHIIt());
11995         else
11996           Builder.SetInsertPoint(VecI->getParent(),
11997                                  std::next(VecI->getIterator()));
11998       } else {
11999         Builder.SetInsertPoint(&F->getEntryBlock(), F->getEntryBlock().begin());
12000       }
12001       Value *NewInst = ExtractAndExtendIfNeeded(Vec);
12002       // Required to update internally referenced instructions.
12003       Scalar->replaceAllUsesWith(NewInst);
12004       ReplacedExternals.emplace_back(Scalar, NewInst);
12005       continue;
12006     }
12007 
12008     if (auto *VU = dyn_cast<InsertElementInst>(User)) {
12009       // Skip if the scalar is another vector op or Vec is not an instruction.
12010       if (!Scalar->getType()->isVectorTy() && isa<Instruction>(Vec)) {
12011         if (auto *FTy = dyn_cast<FixedVectorType>(User->getType())) {
12012           if (!UsedInserts.insert(VU).second)
12013             continue;
12014           // Need to use original vector, if the root is truncated.
12015           auto BWIt = MinBWs.find(E);
12016           if (BWIt != MinBWs.end() && Vec->getType() != VU->getType()) {
12017             auto VecIt = VectorCasts.find(Scalar);
12018             if (VecIt == VectorCasts.end()) {
12019               IRBuilder<>::InsertPointGuard Guard(Builder);
12020               if (auto *IVec = dyn_cast<Instruction>(Vec))
12021                 Builder.SetInsertPoint(IVec->getNextNonDebugInstruction());
12022               Vec = Builder.CreateIntCast(
12023                   Vec,
12024                   FixedVectorType::get(
12025                       cast<VectorType>(VU->getType())->getElementType(),
12026                       cast<FixedVectorType>(Vec->getType())->getNumElements()),
12027                   BWIt->second.second);
12028               VectorCasts.try_emplace(Scalar, Vec);
12029             } else {
12030               Vec = VecIt->second;
12031             }
12032           }
12033 
12034           std::optional<unsigned> InsertIdx = getInsertIndex(VU);
12035           if (InsertIdx) {
12036             auto *It =
12037                 find_if(ShuffledInserts, [VU](const ShuffledInsertData &Data) {
12038                   // Checks if 2 insertelements are from the same buildvector.
12039                   InsertElementInst *VecInsert = Data.InsertElements.front();
12040                   return areTwoInsertFromSameBuildVector(
12041                       VU, VecInsert,
12042                       [](InsertElementInst *II) { return II->getOperand(0); });
12043                 });
12044             unsigned Idx = *InsertIdx;
12045             if (It == ShuffledInserts.end()) {
12046               (void)ShuffledInserts.emplace_back();
12047               It = std::next(ShuffledInserts.begin(),
12048                              ShuffledInserts.size() - 1);
12049               SmallVectorImpl<int> &Mask = It->ValueMasks[Vec];
12050               if (Mask.empty())
12051                 Mask.assign(FTy->getNumElements(), PoisonMaskElem);
12052               // Find the insertvector, vectorized in tree, if any.
12053               Value *Base = VU;
12054               while (auto *IEBase = dyn_cast<InsertElementInst>(Base)) {
12055                 if (IEBase != User &&
12056                     (!IEBase->hasOneUse() ||
12057                      getInsertIndex(IEBase).value_or(Idx) == Idx))
12058                   break;
12059                 // Build the mask for the vectorized insertelement instructions.
12060                 if (const TreeEntry *E = getTreeEntry(IEBase)) {
12061                   do {
12062                     IEBase = cast<InsertElementInst>(Base);
12063                     int IEIdx = *getInsertIndex(IEBase);
12064                     assert(Mask[Idx] == PoisonMaskElem &&
12065                            "InsertElementInstruction used already.");
12066                     Mask[IEIdx] = IEIdx;
12067                     Base = IEBase->getOperand(0);
12068                   } while (E == getTreeEntry(Base));
12069                   break;
12070                 }
12071                 Base = cast<InsertElementInst>(Base)->getOperand(0);
12072                 // After the vectorization the def-use chain has changed, need
12073                 // to look through original insertelement instructions, if they
12074                 // get replaced by vector instructions.
12075                 auto It = VectorToInsertElement.find(Base);
12076                 if (It != VectorToInsertElement.end())
12077                   Base = It->second;
12078               }
12079             }
12080             SmallVectorImpl<int> &Mask = It->ValueMasks[Vec];
12081             if (Mask.empty())
12082               Mask.assign(FTy->getNumElements(), PoisonMaskElem);
12083             Mask[Idx] = ExternalUse.Lane;
12084             It->InsertElements.push_back(cast<InsertElementInst>(User));
12085             continue;
12086           }
12087         }
12088       }
12089     }
12090 
12091     // Generate extracts for out-of-tree users.
12092     // Find the insertion point for the extractelement lane.
12093     if (auto *VecI = dyn_cast<Instruction>(Vec)) {
12094       if (PHINode *PH = dyn_cast<PHINode>(User)) {
12095         for (unsigned I : seq<unsigned>(0, PH->getNumIncomingValues())) {
12096           if (PH->getIncomingValue(I) == Scalar) {
12097             Instruction *IncomingTerminator =
12098                 PH->getIncomingBlock(I)->getTerminator();
12099             if (isa<CatchSwitchInst>(IncomingTerminator)) {
12100               Builder.SetInsertPoint(VecI->getParent(),
12101                                      std::next(VecI->getIterator()));
12102             } else {
12103               Builder.SetInsertPoint(PH->getIncomingBlock(I)->getTerminator());
12104             }
12105             Value *NewInst = ExtractAndExtendIfNeeded(Vec);
12106             PH->setOperand(I, NewInst);
12107           }
12108         }
12109       } else {
12110         Builder.SetInsertPoint(cast<Instruction>(User));
12111         Value *NewInst = ExtractAndExtendIfNeeded(Vec);
12112         User->replaceUsesOfWith(Scalar, NewInst);
12113       }
12114     } else {
12115       Builder.SetInsertPoint(&F->getEntryBlock(), F->getEntryBlock().begin());
12116       Value *NewInst = ExtractAndExtendIfNeeded(Vec);
12117       User->replaceUsesOfWith(Scalar, NewInst);
12118     }
12119 
12120     LLVM_DEBUG(dbgs() << "SLP: Replaced:" << *User << ".\n");
12121   }
12122 
12123   auto CreateShuffle = [&](Value *V1, Value *V2, ArrayRef<int> Mask) {
12124     SmallVector<int> CombinedMask1(Mask.size(), PoisonMaskElem);
12125     SmallVector<int> CombinedMask2(Mask.size(), PoisonMaskElem);
12126     int VF = cast<FixedVectorType>(V1->getType())->getNumElements();
12127     for (int I = 0, E = Mask.size(); I < E; ++I) {
12128       if (Mask[I] < VF)
12129         CombinedMask1[I] = Mask[I];
12130       else
12131         CombinedMask2[I] = Mask[I] - VF;
12132     }
12133     ShuffleInstructionBuilder ShuffleBuilder(Builder, *this);
12134     ShuffleBuilder.add(V1, CombinedMask1);
12135     if (V2)
12136       ShuffleBuilder.add(V2, CombinedMask2);
12137     return ShuffleBuilder.finalize(std::nullopt);
12138   };
12139 
12140   auto &&ResizeToVF = [&CreateShuffle](Value *Vec, ArrayRef<int> Mask,
12141                                        bool ForSingleMask) {
12142     unsigned VF = Mask.size();
12143     unsigned VecVF = cast<FixedVectorType>(Vec->getType())->getNumElements();
12144     if (VF != VecVF) {
12145       if (any_of(Mask, [VF](int Idx) { return Idx >= static_cast<int>(VF); })) {
12146         Vec = CreateShuffle(Vec, nullptr, Mask);
12147         return std::make_pair(Vec, true);
12148       }
12149       if (!ForSingleMask) {
12150         SmallVector<int> ResizeMask(VF, PoisonMaskElem);
12151         for (unsigned I = 0; I < VF; ++I) {
12152           if (Mask[I] != PoisonMaskElem)
12153             ResizeMask[Mask[I]] = Mask[I];
12154         }
12155         Vec = CreateShuffle(Vec, nullptr, ResizeMask);
12156       }
12157     }
12158 
12159     return std::make_pair(Vec, false);
12160   };
12161   // Perform shuffling of the vectorize tree entries for better handling of
12162   // external extracts.
12163   for (int I = 0, E = ShuffledInserts.size(); I < E; ++I) {
12164     // Find the first and the last instruction in the list of insertelements.
12165     sort(ShuffledInserts[I].InsertElements, isFirstInsertElement);
12166     InsertElementInst *FirstInsert = ShuffledInserts[I].InsertElements.front();
12167     InsertElementInst *LastInsert = ShuffledInserts[I].InsertElements.back();
12168     Builder.SetInsertPoint(LastInsert);
12169     auto Vector = ShuffledInserts[I].ValueMasks.takeVector();
12170     Value *NewInst = performExtractsShuffleAction<Value>(
12171         MutableArrayRef(Vector.data(), Vector.size()),
12172         FirstInsert->getOperand(0),
12173         [](Value *Vec) {
12174           return cast<VectorType>(Vec->getType())
12175               ->getElementCount()
12176               .getKnownMinValue();
12177         },
12178         ResizeToVF,
12179         [FirstInsert, &CreateShuffle](ArrayRef<int> Mask,
12180                                       ArrayRef<Value *> Vals) {
12181           assert((Vals.size() == 1 || Vals.size() == 2) &&
12182                  "Expected exactly 1 or 2 input values.");
12183           if (Vals.size() == 1) {
12184             // Do not create shuffle if the mask is a simple identity
12185             // non-resizing mask.
12186             if (Mask.size() != cast<FixedVectorType>(Vals.front()->getType())
12187                                    ->getNumElements() ||
12188                 !ShuffleVectorInst::isIdentityMask(Mask, Mask.size()))
12189               return CreateShuffle(Vals.front(), nullptr, Mask);
12190             return Vals.front();
12191           }
12192           return CreateShuffle(Vals.front() ? Vals.front()
12193                                             : FirstInsert->getOperand(0),
12194                                Vals.back(), Mask);
12195         });
12196     auto It = ShuffledInserts[I].InsertElements.rbegin();
12197     // Rebuild buildvector chain.
12198     InsertElementInst *II = nullptr;
12199     if (It != ShuffledInserts[I].InsertElements.rend())
12200       II = *It;
12201     SmallVector<Instruction *> Inserts;
12202     while (It != ShuffledInserts[I].InsertElements.rend()) {
12203       assert(II && "Must be an insertelement instruction.");
12204       if (*It == II)
12205         ++It;
12206       else
12207         Inserts.push_back(cast<Instruction>(II));
12208       II = dyn_cast<InsertElementInst>(II->getOperand(0));
12209     }
12210     for (Instruction *II : reverse(Inserts)) {
12211       II->replaceUsesOfWith(II->getOperand(0), NewInst);
12212       if (auto *NewI = dyn_cast<Instruction>(NewInst))
12213         if (II->getParent() == NewI->getParent() && II->comesBefore(NewI))
12214           II->moveAfter(NewI);
12215       NewInst = II;
12216     }
12217     LastInsert->replaceAllUsesWith(NewInst);
12218     for (InsertElementInst *IE : reverse(ShuffledInserts[I].InsertElements)) {
12219       IE->replaceUsesOfWith(IE->getOperand(0),
12220                             PoisonValue::get(IE->getOperand(0)->getType()));
12221       IE->replaceUsesOfWith(IE->getOperand(1),
12222                             PoisonValue::get(IE->getOperand(1)->getType()));
12223       eraseInstruction(IE);
12224     }
12225     CSEBlocks.insert(LastInsert->getParent());
12226   }
12227 
12228   SmallVector<Instruction *> RemovedInsts;
12229   // For each vectorized value:
12230   for (auto &TEPtr : VectorizableTree) {
12231     TreeEntry *Entry = TEPtr.get();
12232 
12233     // No need to handle users of gathered values.
12234     if (Entry->State == TreeEntry::NeedToGather)
12235       continue;
12236 
12237     assert(Entry->VectorizedValue && "Can't find vectorizable value");
12238 
12239     // For each lane:
12240     for (int Lane = 0, LE = Entry->Scalars.size(); Lane != LE; ++Lane) {
12241       Value *Scalar = Entry->Scalars[Lane];
12242 
12243       if (Entry->getOpcode() == Instruction::GetElementPtr &&
12244           !isa<GetElementPtrInst>(Scalar))
12245         continue;
12246 #ifndef NDEBUG
12247       Type *Ty = Scalar->getType();
12248       if (!Ty->isVoidTy()) {
12249         for (User *U : Scalar->users()) {
12250           LLVM_DEBUG(dbgs() << "SLP: \tvalidating user:" << *U << ".\n");
12251 
12252           // It is legal to delete users in the ignorelist.
12253           assert((getTreeEntry(U) ||
12254                   (UserIgnoreList && UserIgnoreList->contains(U)) ||
12255                   (isa_and_nonnull<Instruction>(U) &&
12256                    isDeleted(cast<Instruction>(U)))) &&
12257                  "Deleting out-of-tree value");
12258         }
12259       }
12260 #endif
12261       LLVM_DEBUG(dbgs() << "SLP: \tErasing scalar:" << *Scalar << ".\n");
12262       eraseInstruction(cast<Instruction>(Scalar));
12263       // Retain to-be-deleted instructions for some debug-info
12264       // bookkeeping. NOTE: eraseInstruction only marks the instruction for
12265       // deletion - instructions are not deleted until later.
12266       RemovedInsts.push_back(cast<Instruction>(Scalar));
12267     }
12268   }
12269 
12270   // Merge the DIAssignIDs from the about-to-be-deleted instructions into the
12271   // new vector instruction.
12272   if (auto *V = dyn_cast<Instruction>(VectorizableTree[0]->VectorizedValue))
12273     V->mergeDIAssignID(RemovedInsts);
12274 
12275   Builder.ClearInsertionPoint();
12276   InstrElementSize.clear();
12277 
12278   return VectorizableTree[0]->VectorizedValue;
12279 }
12280 
12281 void BoUpSLP::optimizeGatherSequence() {
12282   LLVM_DEBUG(dbgs() << "SLP: Optimizing " << GatherShuffleExtractSeq.size()
12283                     << " gather sequences instructions.\n");
12284   // LICM InsertElementInst sequences.
12285   for (Instruction *I : GatherShuffleExtractSeq) {
12286     if (isDeleted(I))
12287       continue;
12288 
12289     // Check if this block is inside a loop.
12290     Loop *L = LI->getLoopFor(I->getParent());
12291     if (!L)
12292       continue;
12293 
12294     // Check if it has a preheader.
12295     BasicBlock *PreHeader = L->getLoopPreheader();
12296     if (!PreHeader)
12297       continue;
12298 
12299     // If the vector or the element that we insert into it are
12300     // instructions that are defined in this basic block then we can't
12301     // hoist this instruction.
12302     if (any_of(I->operands(), [L](Value *V) {
12303           auto *OpI = dyn_cast<Instruction>(V);
12304           return OpI && L->contains(OpI);
12305         }))
12306       continue;
12307 
12308     // We can hoist this instruction. Move it to the pre-header.
12309     I->moveBefore(PreHeader->getTerminator());
12310     CSEBlocks.insert(PreHeader);
12311   }
12312 
12313   // Make a list of all reachable blocks in our CSE queue.
12314   SmallVector<const DomTreeNode *, 8> CSEWorkList;
12315   CSEWorkList.reserve(CSEBlocks.size());
12316   for (BasicBlock *BB : CSEBlocks)
12317     if (DomTreeNode *N = DT->getNode(BB)) {
12318       assert(DT->isReachableFromEntry(N));
12319       CSEWorkList.push_back(N);
12320     }
12321 
12322   // Sort blocks by domination. This ensures we visit a block after all blocks
12323   // dominating it are visited.
12324   llvm::sort(CSEWorkList, [](const DomTreeNode *A, const DomTreeNode *B) {
12325     assert((A == B) == (A->getDFSNumIn() == B->getDFSNumIn()) &&
12326            "Different nodes should have different DFS numbers");
12327     return A->getDFSNumIn() < B->getDFSNumIn();
12328   });
12329 
12330   // Less defined shuffles can be replaced by the more defined copies.
12331   // Between two shuffles one is less defined if it has the same vector operands
12332   // and its mask indeces are the same as in the first one or undefs. E.g.
12333   // shuffle %0, poison, <0, 0, 0, undef> is less defined than shuffle %0,
12334   // poison, <0, 0, 0, 0>.
12335   auto &&IsIdenticalOrLessDefined = [this](Instruction *I1, Instruction *I2,
12336                                            SmallVectorImpl<int> &NewMask) {
12337     if (I1->getType() != I2->getType())
12338       return false;
12339     auto *SI1 = dyn_cast<ShuffleVectorInst>(I1);
12340     auto *SI2 = dyn_cast<ShuffleVectorInst>(I2);
12341     if (!SI1 || !SI2)
12342       return I1->isIdenticalTo(I2);
12343     if (SI1->isIdenticalTo(SI2))
12344       return true;
12345     for (int I = 0, E = SI1->getNumOperands(); I < E; ++I)
12346       if (SI1->getOperand(I) != SI2->getOperand(I))
12347         return false;
12348     // Check if the second instruction is more defined than the first one.
12349     NewMask.assign(SI2->getShuffleMask().begin(), SI2->getShuffleMask().end());
12350     ArrayRef<int> SM1 = SI1->getShuffleMask();
12351     // Count trailing undefs in the mask to check the final number of used
12352     // registers.
12353     unsigned LastUndefsCnt = 0;
12354     for (int I = 0, E = NewMask.size(); I < E; ++I) {
12355       if (SM1[I] == PoisonMaskElem)
12356         ++LastUndefsCnt;
12357       else
12358         LastUndefsCnt = 0;
12359       if (NewMask[I] != PoisonMaskElem && SM1[I] != PoisonMaskElem &&
12360           NewMask[I] != SM1[I])
12361         return false;
12362       if (NewMask[I] == PoisonMaskElem)
12363         NewMask[I] = SM1[I];
12364     }
12365     // Check if the last undefs actually change the final number of used vector
12366     // registers.
12367     return SM1.size() - LastUndefsCnt > 1 &&
12368            TTI->getNumberOfParts(SI1->getType()) ==
12369                TTI->getNumberOfParts(
12370                    FixedVectorType::get(SI1->getType()->getElementType(),
12371                                         SM1.size() - LastUndefsCnt));
12372   };
12373   // Perform O(N^2) search over the gather/shuffle sequences and merge identical
12374   // instructions. TODO: We can further optimize this scan if we split the
12375   // instructions into different buckets based on the insert lane.
12376   SmallVector<Instruction *, 16> Visited;
12377   for (auto I = CSEWorkList.begin(), E = CSEWorkList.end(); I != E; ++I) {
12378     assert(*I &&
12379            (I == CSEWorkList.begin() || !DT->dominates(*I, *std::prev(I))) &&
12380            "Worklist not sorted properly!");
12381     BasicBlock *BB = (*I)->getBlock();
12382     // For all instructions in blocks containing gather sequences:
12383     for (Instruction &In : llvm::make_early_inc_range(*BB)) {
12384       if (isDeleted(&In))
12385         continue;
12386       if (!isa<InsertElementInst, ExtractElementInst, ShuffleVectorInst>(&In) &&
12387           !GatherShuffleExtractSeq.contains(&In))
12388         continue;
12389 
12390       // Check if we can replace this instruction with any of the
12391       // visited instructions.
12392       bool Replaced = false;
12393       for (Instruction *&V : Visited) {
12394         SmallVector<int> NewMask;
12395         if (IsIdenticalOrLessDefined(&In, V, NewMask) &&
12396             DT->dominates(V->getParent(), In.getParent())) {
12397           In.replaceAllUsesWith(V);
12398           eraseInstruction(&In);
12399           if (auto *SI = dyn_cast<ShuffleVectorInst>(V))
12400             if (!NewMask.empty())
12401               SI->setShuffleMask(NewMask);
12402           Replaced = true;
12403           break;
12404         }
12405         if (isa<ShuffleVectorInst>(In) && isa<ShuffleVectorInst>(V) &&
12406             GatherShuffleExtractSeq.contains(V) &&
12407             IsIdenticalOrLessDefined(V, &In, NewMask) &&
12408             DT->dominates(In.getParent(), V->getParent())) {
12409           In.moveAfter(V);
12410           V->replaceAllUsesWith(&In);
12411           eraseInstruction(V);
12412           if (auto *SI = dyn_cast<ShuffleVectorInst>(&In))
12413             if (!NewMask.empty())
12414               SI->setShuffleMask(NewMask);
12415           V = &In;
12416           Replaced = true;
12417           break;
12418         }
12419       }
12420       if (!Replaced) {
12421         assert(!is_contained(Visited, &In));
12422         Visited.push_back(&In);
12423       }
12424     }
12425   }
12426   CSEBlocks.clear();
12427   GatherShuffleExtractSeq.clear();
12428 }
12429 
12430 BoUpSLP::ScheduleData *
12431 BoUpSLP::BlockScheduling::buildBundle(ArrayRef<Value *> VL) {
12432   ScheduleData *Bundle = nullptr;
12433   ScheduleData *PrevInBundle = nullptr;
12434   for (Value *V : VL) {
12435     if (doesNotNeedToBeScheduled(V))
12436       continue;
12437     ScheduleData *BundleMember = getScheduleData(V);
12438     assert(BundleMember &&
12439            "no ScheduleData for bundle member "
12440            "(maybe not in same basic block)");
12441     assert(BundleMember->isSchedulingEntity() &&
12442            "bundle member already part of other bundle");
12443     if (PrevInBundle) {
12444       PrevInBundle->NextInBundle = BundleMember;
12445     } else {
12446       Bundle = BundleMember;
12447     }
12448 
12449     // Group the instructions to a bundle.
12450     BundleMember->FirstInBundle = Bundle;
12451     PrevInBundle = BundleMember;
12452   }
12453   assert(Bundle && "Failed to find schedule bundle");
12454   return Bundle;
12455 }
12456 
12457 // Groups the instructions to a bundle (which is then a single scheduling entity)
12458 // and schedules instructions until the bundle gets ready.
12459 std::optional<BoUpSLP::ScheduleData *>
12460 BoUpSLP::BlockScheduling::tryScheduleBundle(ArrayRef<Value *> VL, BoUpSLP *SLP,
12461                                             const InstructionsState &S) {
12462   // No need to schedule PHIs, insertelement, extractelement and extractvalue
12463   // instructions.
12464   if (isa<PHINode>(S.OpValue) || isVectorLikeInstWithConstOps(S.OpValue) ||
12465       doesNotNeedToSchedule(VL))
12466     return nullptr;
12467 
12468   // Initialize the instruction bundle.
12469   Instruction *OldScheduleEnd = ScheduleEnd;
12470   LLVM_DEBUG(dbgs() << "SLP:  bundle: " << *S.OpValue << "\n");
12471 
12472   auto TryScheduleBundleImpl = [this, OldScheduleEnd, SLP](bool ReSchedule,
12473                                                          ScheduleData *Bundle) {
12474     // The scheduling region got new instructions at the lower end (or it is a
12475     // new region for the first bundle). This makes it necessary to
12476     // recalculate all dependencies.
12477     // It is seldom that this needs to be done a second time after adding the
12478     // initial bundle to the region.
12479     if (ScheduleEnd != OldScheduleEnd) {
12480       for (auto *I = ScheduleStart; I != ScheduleEnd; I = I->getNextNode())
12481         doForAllOpcodes(I, [](ScheduleData *SD) { SD->clearDependencies(); });
12482       ReSchedule = true;
12483     }
12484     if (Bundle) {
12485       LLVM_DEBUG(dbgs() << "SLP: try schedule bundle " << *Bundle
12486                         << " in block " << BB->getName() << "\n");
12487       calculateDependencies(Bundle, /*InsertInReadyList=*/true, SLP);
12488     }
12489 
12490     if (ReSchedule) {
12491       resetSchedule();
12492       initialFillReadyList(ReadyInsts);
12493     }
12494 
12495     // Now try to schedule the new bundle or (if no bundle) just calculate
12496     // dependencies. As soon as the bundle is "ready" it means that there are no
12497     // cyclic dependencies and we can schedule it. Note that's important that we
12498     // don't "schedule" the bundle yet (see cancelScheduling).
12499     while (((!Bundle && ReSchedule) || (Bundle && !Bundle->isReady())) &&
12500            !ReadyInsts.empty()) {
12501       ScheduleData *Picked = ReadyInsts.pop_back_val();
12502       assert(Picked->isSchedulingEntity() && Picked->isReady() &&
12503              "must be ready to schedule");
12504       schedule(Picked, ReadyInsts);
12505     }
12506   };
12507 
12508   // Make sure that the scheduling region contains all
12509   // instructions of the bundle.
12510   for (Value *V : VL) {
12511     if (doesNotNeedToBeScheduled(V))
12512       continue;
12513     if (!extendSchedulingRegion(V, S)) {
12514       // If the scheduling region got new instructions at the lower end (or it
12515       // is a new region for the first bundle). This makes it necessary to
12516       // recalculate all dependencies.
12517       // Otherwise the compiler may crash trying to incorrectly calculate
12518       // dependencies and emit instruction in the wrong order at the actual
12519       // scheduling.
12520       TryScheduleBundleImpl(/*ReSchedule=*/false, nullptr);
12521       return std::nullopt;
12522     }
12523   }
12524 
12525   bool ReSchedule = false;
12526   for (Value *V : VL) {
12527     if (doesNotNeedToBeScheduled(V))
12528       continue;
12529     ScheduleData *BundleMember = getScheduleData(V);
12530     assert(BundleMember &&
12531            "no ScheduleData for bundle member (maybe not in same basic block)");
12532 
12533     // Make sure we don't leave the pieces of the bundle in the ready list when
12534     // whole bundle might not be ready.
12535     ReadyInsts.remove(BundleMember);
12536 
12537     if (!BundleMember->IsScheduled)
12538       continue;
12539     // A bundle member was scheduled as single instruction before and now
12540     // needs to be scheduled as part of the bundle. We just get rid of the
12541     // existing schedule.
12542     LLVM_DEBUG(dbgs() << "SLP:  reset schedule because " << *BundleMember
12543                       << " was already scheduled\n");
12544     ReSchedule = true;
12545   }
12546 
12547   auto *Bundle = buildBundle(VL);
12548   TryScheduleBundleImpl(ReSchedule, Bundle);
12549   if (!Bundle->isReady()) {
12550     cancelScheduling(VL, S.OpValue);
12551     return std::nullopt;
12552   }
12553   return Bundle;
12554 }
12555 
12556 void BoUpSLP::BlockScheduling::cancelScheduling(ArrayRef<Value *> VL,
12557                                                 Value *OpValue) {
12558   if (isa<PHINode>(OpValue) || isVectorLikeInstWithConstOps(OpValue) ||
12559       doesNotNeedToSchedule(VL))
12560     return;
12561 
12562   if (doesNotNeedToBeScheduled(OpValue))
12563     OpValue = *find_if_not(VL, doesNotNeedToBeScheduled);
12564   ScheduleData *Bundle = getScheduleData(OpValue);
12565   LLVM_DEBUG(dbgs() << "SLP:  cancel scheduling of " << *Bundle << "\n");
12566   assert(!Bundle->IsScheduled &&
12567          "Can't cancel bundle which is already scheduled");
12568   assert(Bundle->isSchedulingEntity() &&
12569          (Bundle->isPartOfBundle() || needToScheduleSingleInstruction(VL)) &&
12570          "tried to unbundle something which is not a bundle");
12571 
12572   // Remove the bundle from the ready list.
12573   if (Bundle->isReady())
12574     ReadyInsts.remove(Bundle);
12575 
12576   // Un-bundle: make single instructions out of the bundle.
12577   ScheduleData *BundleMember = Bundle;
12578   while (BundleMember) {
12579     assert(BundleMember->FirstInBundle == Bundle && "corrupt bundle links");
12580     BundleMember->FirstInBundle = BundleMember;
12581     ScheduleData *Next = BundleMember->NextInBundle;
12582     BundleMember->NextInBundle = nullptr;
12583     BundleMember->TE = nullptr;
12584     if (BundleMember->unscheduledDepsInBundle() == 0) {
12585       ReadyInsts.insert(BundleMember);
12586     }
12587     BundleMember = Next;
12588   }
12589 }
12590 
12591 BoUpSLP::ScheduleData *BoUpSLP::BlockScheduling::allocateScheduleDataChunks() {
12592   // Allocate a new ScheduleData for the instruction.
12593   if (ChunkPos >= ChunkSize) {
12594     ScheduleDataChunks.push_back(std::make_unique<ScheduleData[]>(ChunkSize));
12595     ChunkPos = 0;
12596   }
12597   return &(ScheduleDataChunks.back()[ChunkPos++]);
12598 }
12599 
12600 bool BoUpSLP::BlockScheduling::extendSchedulingRegion(Value *V,
12601                                                       const InstructionsState &S) {
12602   if (getScheduleData(V, isOneOf(S, V)))
12603     return true;
12604   Instruction *I = dyn_cast<Instruction>(V);
12605   assert(I && "bundle member must be an instruction");
12606   assert(!isa<PHINode>(I) && !isVectorLikeInstWithConstOps(I) &&
12607          !doesNotNeedToBeScheduled(I) &&
12608          "phi nodes/insertelements/extractelements/extractvalues don't need to "
12609          "be scheduled");
12610   auto &&CheckScheduleForI = [this, &S](Instruction *I) -> bool {
12611     ScheduleData *ISD = getScheduleData(I);
12612     if (!ISD)
12613       return false;
12614     assert(isInSchedulingRegion(ISD) &&
12615            "ScheduleData not in scheduling region");
12616     ScheduleData *SD = allocateScheduleDataChunks();
12617     SD->Inst = I;
12618     SD->init(SchedulingRegionID, S.OpValue);
12619     ExtraScheduleDataMap[I][S.OpValue] = SD;
12620     return true;
12621   };
12622   if (CheckScheduleForI(I))
12623     return true;
12624   if (!ScheduleStart) {
12625     // It's the first instruction in the new region.
12626     initScheduleData(I, I->getNextNode(), nullptr, nullptr);
12627     ScheduleStart = I;
12628     ScheduleEnd = I->getNextNode();
12629     if (isOneOf(S, I) != I)
12630       CheckScheduleForI(I);
12631     assert(ScheduleEnd && "tried to vectorize a terminator?");
12632     LLVM_DEBUG(dbgs() << "SLP:  initialize schedule region to " << *I << "\n");
12633     return true;
12634   }
12635   // Search up and down at the same time, because we don't know if the new
12636   // instruction is above or below the existing scheduling region.
12637   // Ignore debug info (and other "AssumeLike" intrinsics) so that's not counted
12638   // against the budget. Otherwise debug info could affect codegen.
12639   BasicBlock::reverse_iterator UpIter =
12640       ++ScheduleStart->getIterator().getReverse();
12641   BasicBlock::reverse_iterator UpperEnd = BB->rend();
12642   BasicBlock::iterator DownIter = ScheduleEnd->getIterator();
12643   BasicBlock::iterator LowerEnd = BB->end();
12644   auto IsAssumeLikeIntr = [](const Instruction &I) {
12645     if (auto *II = dyn_cast<IntrinsicInst>(&I))
12646       return II->isAssumeLikeIntrinsic();
12647     return false;
12648   };
12649   UpIter = std::find_if_not(UpIter, UpperEnd, IsAssumeLikeIntr);
12650   DownIter = std::find_if_not(DownIter, LowerEnd, IsAssumeLikeIntr);
12651   while (UpIter != UpperEnd && DownIter != LowerEnd && &*UpIter != I &&
12652          &*DownIter != I) {
12653     if (++ScheduleRegionSize > ScheduleRegionSizeLimit) {
12654       LLVM_DEBUG(dbgs() << "SLP:  exceeded schedule region size limit\n");
12655       return false;
12656     }
12657 
12658     ++UpIter;
12659     ++DownIter;
12660 
12661     UpIter = std::find_if_not(UpIter, UpperEnd, IsAssumeLikeIntr);
12662     DownIter = std::find_if_not(DownIter, LowerEnd, IsAssumeLikeIntr);
12663   }
12664   if (DownIter == LowerEnd || (UpIter != UpperEnd && &*UpIter == I)) {
12665     assert(I->getParent() == ScheduleStart->getParent() &&
12666            "Instruction is in wrong basic block.");
12667     initScheduleData(I, ScheduleStart, nullptr, FirstLoadStoreInRegion);
12668     ScheduleStart = I;
12669     if (isOneOf(S, I) != I)
12670       CheckScheduleForI(I);
12671     LLVM_DEBUG(dbgs() << "SLP:  extend schedule region start to " << *I
12672                       << "\n");
12673     return true;
12674   }
12675   assert((UpIter == UpperEnd || (DownIter != LowerEnd && &*DownIter == I)) &&
12676          "Expected to reach top of the basic block or instruction down the "
12677          "lower end.");
12678   assert(I->getParent() == ScheduleEnd->getParent() &&
12679          "Instruction is in wrong basic block.");
12680   initScheduleData(ScheduleEnd, I->getNextNode(), LastLoadStoreInRegion,
12681                    nullptr);
12682   ScheduleEnd = I->getNextNode();
12683   if (isOneOf(S, I) != I)
12684     CheckScheduleForI(I);
12685   assert(ScheduleEnd && "tried to vectorize a terminator?");
12686   LLVM_DEBUG(dbgs() << "SLP:  extend schedule region end to " << *I << "\n");
12687   return true;
12688 }
12689 
12690 void BoUpSLP::BlockScheduling::initScheduleData(Instruction *FromI,
12691                                                 Instruction *ToI,
12692                                                 ScheduleData *PrevLoadStore,
12693                                                 ScheduleData *NextLoadStore) {
12694   ScheduleData *CurrentLoadStore = PrevLoadStore;
12695   for (Instruction *I = FromI; I != ToI; I = I->getNextNode()) {
12696     // No need to allocate data for non-schedulable instructions.
12697     if (doesNotNeedToBeScheduled(I))
12698       continue;
12699     ScheduleData *SD = ScheduleDataMap.lookup(I);
12700     if (!SD) {
12701       SD = allocateScheduleDataChunks();
12702       ScheduleDataMap[I] = SD;
12703       SD->Inst = I;
12704     }
12705     assert(!isInSchedulingRegion(SD) &&
12706            "new ScheduleData already in scheduling region");
12707     SD->init(SchedulingRegionID, I);
12708 
12709     if (I->mayReadOrWriteMemory() &&
12710         (!isa<IntrinsicInst>(I) ||
12711          (cast<IntrinsicInst>(I)->getIntrinsicID() != Intrinsic::sideeffect &&
12712           cast<IntrinsicInst>(I)->getIntrinsicID() !=
12713               Intrinsic::pseudoprobe))) {
12714       // Update the linked list of memory accessing instructions.
12715       if (CurrentLoadStore) {
12716         CurrentLoadStore->NextLoadStore = SD;
12717       } else {
12718         FirstLoadStoreInRegion = SD;
12719       }
12720       CurrentLoadStore = SD;
12721     }
12722 
12723     if (match(I, m_Intrinsic<Intrinsic::stacksave>()) ||
12724         match(I, m_Intrinsic<Intrinsic::stackrestore>()))
12725       RegionHasStackSave = true;
12726   }
12727   if (NextLoadStore) {
12728     if (CurrentLoadStore)
12729       CurrentLoadStore->NextLoadStore = NextLoadStore;
12730   } else {
12731     LastLoadStoreInRegion = CurrentLoadStore;
12732   }
12733 }
12734 
12735 void BoUpSLP::BlockScheduling::calculateDependencies(ScheduleData *SD,
12736                                                      bool InsertInReadyList,
12737                                                      BoUpSLP *SLP) {
12738   assert(SD->isSchedulingEntity());
12739 
12740   SmallVector<ScheduleData *, 10> WorkList;
12741   WorkList.push_back(SD);
12742 
12743   while (!WorkList.empty()) {
12744     ScheduleData *SD = WorkList.pop_back_val();
12745     for (ScheduleData *BundleMember = SD; BundleMember;
12746          BundleMember = BundleMember->NextInBundle) {
12747       assert(isInSchedulingRegion(BundleMember));
12748       if (BundleMember->hasValidDependencies())
12749         continue;
12750 
12751       LLVM_DEBUG(dbgs() << "SLP:       update deps of " << *BundleMember
12752                  << "\n");
12753       BundleMember->Dependencies = 0;
12754       BundleMember->resetUnscheduledDeps();
12755 
12756       // Handle def-use chain dependencies.
12757       if (BundleMember->OpValue != BundleMember->Inst) {
12758         if (ScheduleData *UseSD = getScheduleData(BundleMember->Inst)) {
12759           BundleMember->Dependencies++;
12760           ScheduleData *DestBundle = UseSD->FirstInBundle;
12761           if (!DestBundle->IsScheduled)
12762             BundleMember->incrementUnscheduledDeps(1);
12763           if (!DestBundle->hasValidDependencies())
12764             WorkList.push_back(DestBundle);
12765         }
12766       } else {
12767         for (User *U : BundleMember->Inst->users()) {
12768           if (ScheduleData *UseSD = getScheduleData(cast<Instruction>(U))) {
12769             BundleMember->Dependencies++;
12770             ScheduleData *DestBundle = UseSD->FirstInBundle;
12771             if (!DestBundle->IsScheduled)
12772               BundleMember->incrementUnscheduledDeps(1);
12773             if (!DestBundle->hasValidDependencies())
12774               WorkList.push_back(DestBundle);
12775           }
12776         }
12777       }
12778 
12779       auto MakeControlDependent = [&](Instruction *I) {
12780         auto *DepDest = getScheduleData(I);
12781         assert(DepDest && "must be in schedule window");
12782         DepDest->ControlDependencies.push_back(BundleMember);
12783         BundleMember->Dependencies++;
12784         ScheduleData *DestBundle = DepDest->FirstInBundle;
12785         if (!DestBundle->IsScheduled)
12786           BundleMember->incrementUnscheduledDeps(1);
12787         if (!DestBundle->hasValidDependencies())
12788           WorkList.push_back(DestBundle);
12789       };
12790 
12791       // Any instruction which isn't safe to speculate at the beginning of the
12792       // block is control dependend on any early exit or non-willreturn call
12793       // which proceeds it.
12794       if (!isGuaranteedToTransferExecutionToSuccessor(BundleMember->Inst)) {
12795         for (Instruction *I = BundleMember->Inst->getNextNode();
12796              I != ScheduleEnd; I = I->getNextNode()) {
12797           if (isSafeToSpeculativelyExecute(I, &*BB->begin(), SLP->AC))
12798             continue;
12799 
12800           // Add the dependency
12801           MakeControlDependent(I);
12802 
12803           if (!isGuaranteedToTransferExecutionToSuccessor(I))
12804             // Everything past here must be control dependent on I.
12805             break;
12806         }
12807       }
12808 
12809       if (RegionHasStackSave) {
12810         // If we have an inalloc alloca instruction, it needs to be scheduled
12811         // after any preceeding stacksave.  We also need to prevent any alloca
12812         // from reordering above a preceeding stackrestore.
12813         if (match(BundleMember->Inst, m_Intrinsic<Intrinsic::stacksave>()) ||
12814             match(BundleMember->Inst, m_Intrinsic<Intrinsic::stackrestore>())) {
12815           for (Instruction *I = BundleMember->Inst->getNextNode();
12816                I != ScheduleEnd; I = I->getNextNode()) {
12817             if (match(I, m_Intrinsic<Intrinsic::stacksave>()) ||
12818                 match(I, m_Intrinsic<Intrinsic::stackrestore>()))
12819               // Any allocas past here must be control dependent on I, and I
12820               // must be memory dependend on BundleMember->Inst.
12821               break;
12822 
12823             if (!isa<AllocaInst>(I))
12824               continue;
12825 
12826             // Add the dependency
12827             MakeControlDependent(I);
12828           }
12829         }
12830 
12831         // In addition to the cases handle just above, we need to prevent
12832         // allocas and loads/stores from moving below a stacksave or a
12833         // stackrestore. Avoiding moving allocas below stackrestore is currently
12834         // thought to be conservatism. Moving loads/stores below a stackrestore
12835         // can lead to incorrect code.
12836         if (isa<AllocaInst>(BundleMember->Inst) ||
12837             BundleMember->Inst->mayReadOrWriteMemory()) {
12838           for (Instruction *I = BundleMember->Inst->getNextNode();
12839                I != ScheduleEnd; I = I->getNextNode()) {
12840             if (!match(I, m_Intrinsic<Intrinsic::stacksave>()) &&
12841                 !match(I, m_Intrinsic<Intrinsic::stackrestore>()))
12842               continue;
12843 
12844             // Add the dependency
12845             MakeControlDependent(I);
12846             break;
12847           }
12848         }
12849       }
12850 
12851       // Handle the memory dependencies (if any).
12852       ScheduleData *DepDest = BundleMember->NextLoadStore;
12853       if (!DepDest)
12854         continue;
12855       Instruction *SrcInst = BundleMember->Inst;
12856       assert(SrcInst->mayReadOrWriteMemory() &&
12857              "NextLoadStore list for non memory effecting bundle?");
12858       MemoryLocation SrcLoc = getLocation(SrcInst);
12859       bool SrcMayWrite = BundleMember->Inst->mayWriteToMemory();
12860       unsigned NumAliased = 0;
12861       unsigned DistToSrc = 1;
12862 
12863       for (; DepDest; DepDest = DepDest->NextLoadStore) {
12864         assert(isInSchedulingRegion(DepDest));
12865 
12866         // We have two limits to reduce the complexity:
12867         // 1) AliasedCheckLimit: It's a small limit to reduce calls to
12868         //    SLP->isAliased (which is the expensive part in this loop).
12869         // 2) MaxMemDepDistance: It's for very large blocks and it aborts
12870         //    the whole loop (even if the loop is fast, it's quadratic).
12871         //    It's important for the loop break condition (see below) to
12872         //    check this limit even between two read-only instructions.
12873         if (DistToSrc >= MaxMemDepDistance ||
12874             ((SrcMayWrite || DepDest->Inst->mayWriteToMemory()) &&
12875              (NumAliased >= AliasedCheckLimit ||
12876               SLP->isAliased(SrcLoc, SrcInst, DepDest->Inst)))) {
12877 
12878           // We increment the counter only if the locations are aliased
12879           // (instead of counting all alias checks). This gives a better
12880           // balance between reduced runtime and accurate dependencies.
12881           NumAliased++;
12882 
12883           DepDest->MemoryDependencies.push_back(BundleMember);
12884           BundleMember->Dependencies++;
12885           ScheduleData *DestBundle = DepDest->FirstInBundle;
12886           if (!DestBundle->IsScheduled) {
12887             BundleMember->incrementUnscheduledDeps(1);
12888           }
12889           if (!DestBundle->hasValidDependencies()) {
12890             WorkList.push_back(DestBundle);
12891           }
12892         }
12893 
12894         // Example, explaining the loop break condition: Let's assume our
12895         // starting instruction is i0 and MaxMemDepDistance = 3.
12896         //
12897         //                      +--------v--v--v
12898         //             i0,i1,i2,i3,i4,i5,i6,i7,i8
12899         //             +--------^--^--^
12900         //
12901         // MaxMemDepDistance let us stop alias-checking at i3 and we add
12902         // dependencies from i0 to i3,i4,.. (even if they are not aliased).
12903         // Previously we already added dependencies from i3 to i6,i7,i8
12904         // (because of MaxMemDepDistance). As we added a dependency from
12905         // i0 to i3, we have transitive dependencies from i0 to i6,i7,i8
12906         // and we can abort this loop at i6.
12907         if (DistToSrc >= 2 * MaxMemDepDistance)
12908           break;
12909         DistToSrc++;
12910       }
12911     }
12912     if (InsertInReadyList && SD->isReady()) {
12913       ReadyInsts.insert(SD);
12914       LLVM_DEBUG(dbgs() << "SLP:     gets ready on update: " << *SD->Inst
12915                         << "\n");
12916     }
12917   }
12918 }
12919 
12920 void BoUpSLP::BlockScheduling::resetSchedule() {
12921   assert(ScheduleStart &&
12922          "tried to reset schedule on block which has not been scheduled");
12923   for (Instruction *I = ScheduleStart; I != ScheduleEnd; I = I->getNextNode()) {
12924     doForAllOpcodes(I, [&](ScheduleData *SD) {
12925       assert(isInSchedulingRegion(SD) &&
12926              "ScheduleData not in scheduling region");
12927       SD->IsScheduled = false;
12928       SD->resetUnscheduledDeps();
12929     });
12930   }
12931   ReadyInsts.clear();
12932 }
12933 
12934 void BoUpSLP::scheduleBlock(BlockScheduling *BS) {
12935   if (!BS->ScheduleStart)
12936     return;
12937 
12938   LLVM_DEBUG(dbgs() << "SLP: schedule block " << BS->BB->getName() << "\n");
12939 
12940   // A key point - if we got here, pre-scheduling was able to find a valid
12941   // scheduling of the sub-graph of the scheduling window which consists
12942   // of all vector bundles and their transitive users.  As such, we do not
12943   // need to reschedule anything *outside of* that subgraph.
12944 
12945   BS->resetSchedule();
12946 
12947   // For the real scheduling we use a more sophisticated ready-list: it is
12948   // sorted by the original instruction location. This lets the final schedule
12949   // be as  close as possible to the original instruction order.
12950   // WARNING: If changing this order causes a correctness issue, that means
12951   // there is some missing dependence edge in the schedule data graph.
12952   struct ScheduleDataCompare {
12953     bool operator()(ScheduleData *SD1, ScheduleData *SD2) const {
12954       return SD2->SchedulingPriority < SD1->SchedulingPriority;
12955     }
12956   };
12957   std::set<ScheduleData *, ScheduleDataCompare> ReadyInsts;
12958 
12959   // Ensure that all dependency data is updated (for nodes in the sub-graph)
12960   // and fill the ready-list with initial instructions.
12961   int Idx = 0;
12962   for (auto *I = BS->ScheduleStart; I != BS->ScheduleEnd;
12963        I = I->getNextNode()) {
12964     BS->doForAllOpcodes(I, [this, &Idx, BS](ScheduleData *SD) {
12965       TreeEntry *SDTE = getTreeEntry(SD->Inst);
12966       (void)SDTE;
12967       assert((isVectorLikeInstWithConstOps(SD->Inst) ||
12968               SD->isPartOfBundle() ==
12969                   (SDTE && !doesNotNeedToSchedule(SDTE->Scalars))) &&
12970              "scheduler and vectorizer bundle mismatch");
12971       SD->FirstInBundle->SchedulingPriority = Idx++;
12972 
12973       if (SD->isSchedulingEntity() && SD->isPartOfBundle())
12974         BS->calculateDependencies(SD, false, this);
12975     });
12976   }
12977   BS->initialFillReadyList(ReadyInsts);
12978 
12979   Instruction *LastScheduledInst = BS->ScheduleEnd;
12980 
12981   // Do the "real" scheduling.
12982   while (!ReadyInsts.empty()) {
12983     ScheduleData *Picked = *ReadyInsts.begin();
12984     ReadyInsts.erase(ReadyInsts.begin());
12985 
12986     // Move the scheduled instruction(s) to their dedicated places, if not
12987     // there yet.
12988     for (ScheduleData *BundleMember = Picked; BundleMember;
12989          BundleMember = BundleMember->NextInBundle) {
12990       Instruction *PickedInst = BundleMember->Inst;
12991       if (PickedInst->getNextNonDebugInstruction() != LastScheduledInst)
12992         PickedInst->moveAfter(LastScheduledInst->getPrevNode());
12993       LastScheduledInst = PickedInst;
12994     }
12995 
12996     BS->schedule(Picked, ReadyInsts);
12997   }
12998 
12999   // Check that we didn't break any of our invariants.
13000 #ifdef EXPENSIVE_CHECKS
13001   BS->verify();
13002 #endif
13003 
13004 #if !defined(NDEBUG) || defined(EXPENSIVE_CHECKS)
13005   // Check that all schedulable entities got scheduled
13006   for (auto *I = BS->ScheduleStart; I != BS->ScheduleEnd; I = I->getNextNode()) {
13007     BS->doForAllOpcodes(I, [&](ScheduleData *SD) {
13008       if (SD->isSchedulingEntity() && SD->hasValidDependencies()) {
13009         assert(SD->IsScheduled && "must be scheduled at this point");
13010       }
13011     });
13012   }
13013 #endif
13014 
13015   // Avoid duplicate scheduling of the block.
13016   BS->ScheduleStart = nullptr;
13017 }
13018 
13019 unsigned BoUpSLP::getVectorElementSize(Value *V) {
13020   // If V is a store, just return the width of the stored value (or value
13021   // truncated just before storing) without traversing the expression tree.
13022   // This is the common case.
13023   if (auto *Store = dyn_cast<StoreInst>(V))
13024     return DL->getTypeSizeInBits(Store->getValueOperand()->getType());
13025 
13026   if (auto *IEI = dyn_cast<InsertElementInst>(V))
13027     return getVectorElementSize(IEI->getOperand(1));
13028 
13029   auto E = InstrElementSize.find(V);
13030   if (E != InstrElementSize.end())
13031     return E->second;
13032 
13033   // If V is not a store, we can traverse the expression tree to find loads
13034   // that feed it. The type of the loaded value may indicate a more suitable
13035   // width than V's type. We want to base the vector element size on the width
13036   // of memory operations where possible.
13037   SmallVector<std::pair<Instruction *, BasicBlock *>, 16> Worklist;
13038   SmallPtrSet<Instruction *, 16> Visited;
13039   if (auto *I = dyn_cast<Instruction>(V)) {
13040     Worklist.emplace_back(I, I->getParent());
13041     Visited.insert(I);
13042   }
13043 
13044   // Traverse the expression tree in bottom-up order looking for loads. If we
13045   // encounter an instruction we don't yet handle, we give up.
13046   auto Width = 0u;
13047   while (!Worklist.empty()) {
13048     Instruction *I;
13049     BasicBlock *Parent;
13050     std::tie(I, Parent) = Worklist.pop_back_val();
13051 
13052     // We should only be looking at scalar instructions here. If the current
13053     // instruction has a vector type, skip.
13054     auto *Ty = I->getType();
13055     if (isa<VectorType>(Ty))
13056       continue;
13057 
13058     // If the current instruction is a load, update MaxWidth to reflect the
13059     // width of the loaded value.
13060     if (isa<LoadInst, ExtractElementInst, ExtractValueInst>(I))
13061       Width = std::max<unsigned>(Width, DL->getTypeSizeInBits(Ty));
13062 
13063     // Otherwise, we need to visit the operands of the instruction. We only
13064     // handle the interesting cases from buildTree here. If an operand is an
13065     // instruction we haven't yet visited and from the same basic block as the
13066     // user or the use is a PHI node, we add it to the worklist.
13067     else if (isa<PHINode, CastInst, GetElementPtrInst, CmpInst, SelectInst,
13068                  BinaryOperator, UnaryOperator>(I)) {
13069       for (Use &U : I->operands())
13070         if (auto *J = dyn_cast<Instruction>(U.get()))
13071           if (Visited.insert(J).second &&
13072               (isa<PHINode>(I) || J->getParent() == Parent))
13073             Worklist.emplace_back(J, J->getParent());
13074     } else {
13075       break;
13076     }
13077   }
13078 
13079   // If we didn't encounter a memory access in the expression tree, or if we
13080   // gave up for some reason, just return the width of V. Otherwise, return the
13081   // maximum width we found.
13082   if (!Width) {
13083     if (auto *CI = dyn_cast<CmpInst>(V))
13084       V = CI->getOperand(0);
13085     Width = DL->getTypeSizeInBits(V->getType());
13086   }
13087 
13088   for (Instruction *I : Visited)
13089     InstrElementSize[I] = Width;
13090 
13091   return Width;
13092 }
13093 
13094 // Determine if a value V in a vectorizable expression Expr can be demoted to a
13095 // smaller type with a truncation. We collect the values that will be demoted
13096 // in ToDemote and additional roots that require investigating in Roots.
13097 bool BoUpSLP::collectValuesToDemote(
13098     Value *V, SmallVectorImpl<Value *> &ToDemote,
13099     DenseMap<Instruction *, SmallVector<unsigned>> &DemotedConsts,
13100     SmallVectorImpl<Value *> &Roots, DenseSet<Value *> &Visited) const {
13101   // We can always demote constants.
13102   if (isa<Constant>(V))
13103     return true;
13104 
13105   // If the value is not a vectorized instruction in the expression and not used
13106   // by the insertelement instruction and not used in multiple vector nodes, it
13107   // cannot be demoted.
13108   auto *I = dyn_cast<Instruction>(V);
13109   if (!I || !getTreeEntry(I) || MultiNodeScalars.contains(I) ||
13110       !Visited.insert(I).second || all_of(I->users(), [&](User *U) {
13111         return isa<InsertElementInst>(U) && !getTreeEntry(U);
13112       }))
13113     return false;
13114 
13115   unsigned Start = 0;
13116   unsigned End = I->getNumOperands();
13117   switch (I->getOpcode()) {
13118 
13119   // We can always demote truncations and extensions. Since truncations can
13120   // seed additional demotion, we save the truncated value.
13121   case Instruction::Trunc:
13122     Roots.push_back(I->getOperand(0));
13123     break;
13124   case Instruction::ZExt:
13125   case Instruction::SExt:
13126     if (isa<ExtractElementInst, InsertElementInst>(I->getOperand(0)))
13127       return false;
13128     break;
13129 
13130   // We can demote certain binary operations if we can demote both of their
13131   // operands.
13132   case Instruction::Add:
13133   case Instruction::Sub:
13134   case Instruction::Mul:
13135   case Instruction::And:
13136   case Instruction::Or:
13137   case Instruction::Xor:
13138     if (!collectValuesToDemote(I->getOperand(0), ToDemote, DemotedConsts, Roots,
13139                                Visited) ||
13140         !collectValuesToDemote(I->getOperand(1), ToDemote, DemotedConsts, Roots,
13141                                Visited))
13142       return false;
13143     break;
13144 
13145   // We can demote selects if we can demote their true and false values.
13146   case Instruction::Select: {
13147     Start = 1;
13148     SelectInst *SI = cast<SelectInst>(I);
13149     if (!collectValuesToDemote(SI->getTrueValue(), ToDemote, DemotedConsts,
13150                                Roots, Visited) ||
13151         !collectValuesToDemote(SI->getFalseValue(), ToDemote, DemotedConsts,
13152                                Roots, Visited))
13153       return false;
13154     break;
13155   }
13156 
13157   // We can demote phis if we can demote all their incoming operands. Note that
13158   // we don't need to worry about cycles since we ensure single use above.
13159   case Instruction::PHI: {
13160     PHINode *PN = cast<PHINode>(I);
13161     for (Value *IncValue : PN->incoming_values())
13162       if (!collectValuesToDemote(IncValue, ToDemote, DemotedConsts, Roots,
13163                                  Visited))
13164         return false;
13165     break;
13166   }
13167 
13168   // Otherwise, conservatively give up.
13169   default:
13170     return false;
13171   }
13172 
13173   // Gather demoted constant operands.
13174   for (unsigned Idx : seq<unsigned>(Start, End))
13175     if (isa<Constant>(I->getOperand(Idx)))
13176       DemotedConsts.try_emplace(I).first->getSecond().push_back(Idx);
13177   // Record the value that we can demote.
13178   ToDemote.push_back(V);
13179   return true;
13180 }
13181 
13182 void BoUpSLP::computeMinimumValueSizes() {
13183   // We only attempt to truncate integer expressions.
13184   auto &TreeRoot = VectorizableTree[0]->Scalars;
13185   auto *TreeRootIT = dyn_cast<IntegerType>(TreeRoot[0]->getType());
13186   if (!TreeRootIT || VectorizableTree.front()->State == TreeEntry::NeedToGather)
13187     return;
13188 
13189   // Ensure the roots of the vectorizable tree don't form a cycle.
13190   if (!VectorizableTree.front()->UserTreeIndices.empty())
13191     return;
13192 
13193   // Conservatively determine if we can actually truncate the roots of the
13194   // expression. Collect the values that can be demoted in ToDemote and
13195   // additional roots that require investigating in Roots.
13196   SmallVector<Value *, 32> ToDemote;
13197   DenseMap<Instruction *, SmallVector<unsigned>> DemotedConsts;
13198   SmallVector<Value *, 4> Roots;
13199   for (auto *Root : TreeRoot) {
13200     DenseSet<Value *> Visited;
13201     if (!collectValuesToDemote(Root, ToDemote, DemotedConsts, Roots, Visited))
13202       return;
13203   }
13204 
13205   // The maximum bit width required to represent all the values that can be
13206   // demoted without loss of precision. It would be safe to truncate the roots
13207   // of the expression to this width.
13208   auto MaxBitWidth = 1u;
13209 
13210   // We first check if all the bits of the roots are demanded. If they're not,
13211   // we can truncate the roots to this narrower type.
13212   for (auto *Root : TreeRoot) {
13213     auto Mask = DB->getDemandedBits(cast<Instruction>(Root));
13214     MaxBitWidth = std::max<unsigned>(Mask.getBitWidth() - Mask.countl_zero(),
13215                                      MaxBitWidth);
13216   }
13217 
13218   // True if the roots can be zero-extended back to their original type, rather
13219   // than sign-extended. We know that if the leading bits are not demanded, we
13220   // can safely zero-extend. So we initialize IsKnownPositive to True.
13221   bool IsKnownPositive = true;
13222 
13223   // If all the bits of the roots are demanded, we can try a little harder to
13224   // compute a narrower type. This can happen, for example, if the roots are
13225   // getelementptr indices. InstCombine promotes these indices to the pointer
13226   // width. Thus, all their bits are technically demanded even though the
13227   // address computation might be vectorized in a smaller type.
13228   //
13229   // We start by looking at each entry that can be demoted. We compute the
13230   // maximum bit width required to store the scalar by using ValueTracking to
13231   // compute the number of high-order bits we can truncate.
13232   if (MaxBitWidth == DL->getTypeSizeInBits(TreeRoot[0]->getType()) &&
13233       all_of(TreeRoot, [](Value *V) {
13234         return all_of(V->users(),
13235                       [](User *U) { return isa<GetElementPtrInst>(U); });
13236       })) {
13237     MaxBitWidth = 8u;
13238 
13239     // Determine if the sign bit of all the roots is known to be zero. If not,
13240     // IsKnownPositive is set to False.
13241     IsKnownPositive = llvm::all_of(TreeRoot, [&](Value *R) {
13242       KnownBits Known = computeKnownBits(R, *DL);
13243       return Known.isNonNegative();
13244     });
13245 
13246     // Determine the maximum number of bits required to store the scalar
13247     // values.
13248     for (auto *Scalar : ToDemote) {
13249       auto NumSignBits = ComputeNumSignBits(Scalar, *DL, 0, AC, nullptr, DT);
13250       auto NumTypeBits = DL->getTypeSizeInBits(Scalar->getType());
13251       MaxBitWidth = std::max<unsigned>(NumTypeBits - NumSignBits, MaxBitWidth);
13252     }
13253 
13254     // If we can't prove that the sign bit is zero, we must add one to the
13255     // maximum bit width to account for the unknown sign bit. This preserves
13256     // the existing sign bit so we can safely sign-extend the root back to the
13257     // original type. Otherwise, if we know the sign bit is zero, we will
13258     // zero-extend the root instead.
13259     //
13260     // FIXME: This is somewhat suboptimal, as there will be cases where adding
13261     //        one to the maximum bit width will yield a larger-than-necessary
13262     //        type. In general, we need to add an extra bit only if we can't
13263     //        prove that the upper bit of the original type is equal to the
13264     //        upper bit of the proposed smaller type. If these two bits are the
13265     //        same (either zero or one) we know that sign-extending from the
13266     //        smaller type will result in the same value. Here, since we can't
13267     //        yet prove this, we are just making the proposed smaller type
13268     //        larger to ensure correctness.
13269     if (!IsKnownPositive)
13270       ++MaxBitWidth;
13271   }
13272 
13273   // Round MaxBitWidth up to the next power-of-two.
13274   MaxBitWidth = llvm::bit_ceil(MaxBitWidth);
13275 
13276   // If the maximum bit width we compute is less than the with of the roots'
13277   // type, we can proceed with the narrowing. Otherwise, do nothing.
13278   if (MaxBitWidth >= TreeRootIT->getBitWidth())
13279     return;
13280 
13281   // If we can truncate the root, we must collect additional values that might
13282   // be demoted as a result. That is, those seeded by truncations we will
13283   // modify.
13284   while (!Roots.empty()) {
13285     DenseSet<Value *> Visited;
13286     collectValuesToDemote(Roots.pop_back_val(), ToDemote, DemotedConsts, Roots,
13287                           Visited);
13288   }
13289 
13290   // Finally, map the values we can demote to the maximum bit with we computed.
13291   for (auto *Scalar : ToDemote) {
13292     auto *TE = getTreeEntry(Scalar);
13293     assert(TE && "Expected vectorized scalar.");
13294     if (MinBWs.contains(TE))
13295       continue;
13296     bool IsSigned = any_of(TE->Scalars, [&](Value *R) {
13297       KnownBits Known = computeKnownBits(R, *DL);
13298       return !Known.isNonNegative();
13299     });
13300     MinBWs.try_emplace(TE, MaxBitWidth, IsSigned);
13301     const auto *I = cast<Instruction>(Scalar);
13302     auto DCIt = DemotedConsts.find(I);
13303     if (DCIt != DemotedConsts.end()) {
13304       for (unsigned Idx : DCIt->getSecond()) {
13305         // Check that all instructions operands are demoted.
13306         if (all_of(TE->Scalars, [&](Value *V) {
13307               auto SIt = DemotedConsts.find(cast<Instruction>(V));
13308               return SIt != DemotedConsts.end() &&
13309                      is_contained(SIt->getSecond(), Idx);
13310             })) {
13311           const TreeEntry *CTE = getOperandEntry(TE, Idx);
13312           MinBWs.try_emplace(CTE, MaxBitWidth, IsSigned);
13313         }
13314       }
13315     }
13316   }
13317 }
13318 
13319 PreservedAnalyses SLPVectorizerPass::run(Function &F, FunctionAnalysisManager &AM) {
13320   auto *SE = &AM.getResult<ScalarEvolutionAnalysis>(F);
13321   auto *TTI = &AM.getResult<TargetIRAnalysis>(F);
13322   auto *TLI = AM.getCachedResult<TargetLibraryAnalysis>(F);
13323   auto *AA = &AM.getResult<AAManager>(F);
13324   auto *LI = &AM.getResult<LoopAnalysis>(F);
13325   auto *DT = &AM.getResult<DominatorTreeAnalysis>(F);
13326   auto *AC = &AM.getResult<AssumptionAnalysis>(F);
13327   auto *DB = &AM.getResult<DemandedBitsAnalysis>(F);
13328   auto *ORE = &AM.getResult<OptimizationRemarkEmitterAnalysis>(F);
13329 
13330   bool Changed = runImpl(F, SE, TTI, TLI, AA, LI, DT, AC, DB, ORE);
13331   if (!Changed)
13332     return PreservedAnalyses::all();
13333 
13334   PreservedAnalyses PA;
13335   PA.preserveSet<CFGAnalyses>();
13336   return PA;
13337 }
13338 
13339 bool SLPVectorizerPass::runImpl(Function &F, ScalarEvolution *SE_,
13340                                 TargetTransformInfo *TTI_,
13341                                 TargetLibraryInfo *TLI_, AAResults *AA_,
13342                                 LoopInfo *LI_, DominatorTree *DT_,
13343                                 AssumptionCache *AC_, DemandedBits *DB_,
13344                                 OptimizationRemarkEmitter *ORE_) {
13345   if (!RunSLPVectorization)
13346     return false;
13347   SE = SE_;
13348   TTI = TTI_;
13349   TLI = TLI_;
13350   AA = AA_;
13351   LI = LI_;
13352   DT = DT_;
13353   AC = AC_;
13354   DB = DB_;
13355   DL = &F.getParent()->getDataLayout();
13356 
13357   Stores.clear();
13358   GEPs.clear();
13359   bool Changed = false;
13360 
13361   // If the target claims to have no vector registers don't attempt
13362   // vectorization.
13363   if (!TTI->getNumberOfRegisters(TTI->getRegisterClassForType(true))) {
13364     LLVM_DEBUG(
13365         dbgs() << "SLP: Didn't find any vector registers for target, abort.\n");
13366     return false;
13367   }
13368 
13369   // Don't vectorize when the attribute NoImplicitFloat is used.
13370   if (F.hasFnAttribute(Attribute::NoImplicitFloat))
13371     return false;
13372 
13373   LLVM_DEBUG(dbgs() << "SLP: Analyzing blocks in " << F.getName() << ".\n");
13374 
13375   // Use the bottom up slp vectorizer to construct chains that start with
13376   // store instructions.
13377   BoUpSLP R(&F, SE, TTI, TLI, AA, LI, DT, AC, DB, DL, ORE_);
13378 
13379   // A general note: the vectorizer must use BoUpSLP::eraseInstruction() to
13380   // delete instructions.
13381 
13382   // Update DFS numbers now so that we can use them for ordering.
13383   DT->updateDFSNumbers();
13384 
13385   // Scan the blocks in the function in post order.
13386   for (auto *BB : post_order(&F.getEntryBlock())) {
13387     // Start new block - clear the list of reduction roots.
13388     R.clearReductionData();
13389     collectSeedInstructions(BB);
13390 
13391     // Vectorize trees that end at stores.
13392     if (!Stores.empty()) {
13393       LLVM_DEBUG(dbgs() << "SLP: Found stores for " << Stores.size()
13394                         << " underlying objects.\n");
13395       Changed |= vectorizeStoreChains(R);
13396     }
13397 
13398     // Vectorize trees that end at reductions.
13399     Changed |= vectorizeChainsInBlock(BB, R);
13400 
13401     // Vectorize the index computations of getelementptr instructions. This
13402     // is primarily intended to catch gather-like idioms ending at
13403     // non-consecutive loads.
13404     if (!GEPs.empty()) {
13405       LLVM_DEBUG(dbgs() << "SLP: Found GEPs for " << GEPs.size()
13406                         << " underlying objects.\n");
13407       Changed |= vectorizeGEPIndices(BB, R);
13408     }
13409   }
13410 
13411   if (Changed) {
13412     R.optimizeGatherSequence();
13413     LLVM_DEBUG(dbgs() << "SLP: vectorized \"" << F.getName() << "\"\n");
13414   }
13415   return Changed;
13416 }
13417 
13418 bool SLPVectorizerPass::vectorizeStoreChain(ArrayRef<Value *> Chain, BoUpSLP &R,
13419                                             unsigned Idx, unsigned MinVF) {
13420   LLVM_DEBUG(dbgs() << "SLP: Analyzing a store chain of length " << Chain.size()
13421                     << "\n");
13422   const unsigned Sz = R.getVectorElementSize(Chain[0]);
13423   unsigned VF = Chain.size();
13424 
13425   if (!isPowerOf2_32(Sz) || !isPowerOf2_32(VF) || VF < 2 || VF < MinVF)
13426     return false;
13427 
13428   LLVM_DEBUG(dbgs() << "SLP: Analyzing " << VF << " stores at offset " << Idx
13429                     << "\n");
13430 
13431   R.buildTree(Chain);
13432   if (R.isTreeTinyAndNotFullyVectorizable())
13433     return false;
13434   if (R.isLoadCombineCandidate())
13435     return false;
13436   R.reorderTopToBottom();
13437   R.reorderBottomToTop();
13438   R.buildExternalUses();
13439 
13440   R.computeMinimumValueSizes();
13441 
13442   InstructionCost Cost = R.getTreeCost();
13443 
13444   LLVM_DEBUG(dbgs() << "SLP: Found cost = " << Cost << " for VF=" << VF << "\n");
13445   if (Cost < -SLPCostThreshold) {
13446     LLVM_DEBUG(dbgs() << "SLP: Decided to vectorize cost = " << Cost << "\n");
13447 
13448     using namespace ore;
13449 
13450     R.getORE()->emit(OptimizationRemark(SV_NAME, "StoresVectorized",
13451                                         cast<StoreInst>(Chain[0]))
13452                      << "Stores SLP vectorized with cost " << NV("Cost", Cost)
13453                      << " and with tree size "
13454                      << NV("TreeSize", R.getTreeSize()));
13455 
13456     R.vectorizeTree();
13457     return true;
13458   }
13459 
13460   return false;
13461 }
13462 
13463 bool SLPVectorizerPass::vectorizeStores(ArrayRef<StoreInst *> Stores,
13464                                         BoUpSLP &R) {
13465   // We may run into multiple chains that merge into a single chain. We mark the
13466   // stores that we vectorized so that we don't visit the same store twice.
13467   BoUpSLP::ValueSet VectorizedStores;
13468   bool Changed = false;
13469 
13470   // Stores the pair of stores (first_store, last_store) in a range, that were
13471   // already tried to be vectorized. Allows to skip the store ranges that were
13472   // already tried to be vectorized but the attempts were unsuccessful.
13473   DenseSet<std::pair<Value *, Value *>> TriedSequences;
13474   struct StoreDistCompare {
13475     bool operator()(const std::pair<unsigned, int> &Op1,
13476                     const std::pair<unsigned, int> &Op2) const {
13477       return Op1.second < Op2.second;
13478     }
13479   };
13480   // A set of pairs (index of store in Stores array ref, Distance of the store
13481   // address relative to base store address in units).
13482   using StoreIndexToDistSet =
13483       std::set<std::pair<unsigned, int>, StoreDistCompare>;
13484   auto TryToVectorize = [&](const StoreIndexToDistSet &Set) {
13485     int PrevDist = -1;
13486     BoUpSLP::ValueList Operands;
13487     // Collect the chain into a list.
13488     for (auto [Idx, Data] : enumerate(Set)) {
13489       if (Operands.empty() || Data.second - PrevDist == 1) {
13490         Operands.push_back(Stores[Data.first]);
13491         PrevDist = Data.second;
13492         if (Idx != Set.size() - 1)
13493           continue;
13494       }
13495       if (Operands.size() <= 1) {
13496         Operands.clear();
13497         Operands.push_back(Stores[Data.first]);
13498         PrevDist = Data.second;
13499         continue;
13500       }
13501 
13502       unsigned MaxVecRegSize = R.getMaxVecRegSize();
13503       unsigned EltSize = R.getVectorElementSize(Operands[0]);
13504       unsigned MaxElts = llvm::bit_floor(MaxVecRegSize / EltSize);
13505 
13506       unsigned MaxVF =
13507           std::min(R.getMaximumVF(EltSize, Instruction::Store), MaxElts);
13508       auto *Store = cast<StoreInst>(Operands[0]);
13509       Type *StoreTy = Store->getValueOperand()->getType();
13510       Type *ValueTy = StoreTy;
13511       if (auto *Trunc = dyn_cast<TruncInst>(Store->getValueOperand()))
13512         ValueTy = Trunc->getSrcTy();
13513       unsigned MinVF = TTI->getStoreMinimumVF(
13514           R.getMinVF(DL->getTypeSizeInBits(ValueTy)), StoreTy, ValueTy);
13515 
13516       if (MaxVF <= MinVF) {
13517         LLVM_DEBUG(dbgs() << "SLP: Vectorization infeasible as MaxVF (" << MaxVF
13518                           << ") <= "
13519                           << "MinVF (" << MinVF << ")\n");
13520       }
13521 
13522       // FIXME: Is division-by-2 the correct step? Should we assert that the
13523       // register size is a power-of-2?
13524       unsigned StartIdx = 0;
13525       for (unsigned Size = MaxVF; Size >= MinVF; Size /= 2) {
13526         for (unsigned Cnt = StartIdx, E = Operands.size(); Cnt + Size <= E;) {
13527           ArrayRef<Value *> Slice = ArrayRef(Operands).slice(Cnt, Size);
13528           assert(
13529               all_of(
13530                   Slice,
13531                   [&](Value *V) {
13532                     return cast<StoreInst>(V)->getValueOperand()->getType() ==
13533                            cast<StoreInst>(Slice.front())
13534                                ->getValueOperand()
13535                                ->getType();
13536                   }) &&
13537               "Expected all operands of same type.");
13538           if (!VectorizedStores.count(Slice.front()) &&
13539               !VectorizedStores.count(Slice.back()) &&
13540               TriedSequences.insert(std::make_pair(Slice.front(), Slice.back()))
13541                   .second &&
13542               vectorizeStoreChain(Slice, R, Cnt, MinVF)) {
13543             // Mark the vectorized stores so that we don't vectorize them again.
13544             VectorizedStores.insert(Slice.begin(), Slice.end());
13545             Changed = true;
13546             // If we vectorized initial block, no need to try to vectorize it
13547             // again.
13548             if (Cnt == StartIdx)
13549               StartIdx += Size;
13550             Cnt += Size;
13551             continue;
13552           }
13553           ++Cnt;
13554         }
13555         // Check if the whole array was vectorized already - exit.
13556         if (StartIdx >= Operands.size())
13557           break;
13558       }
13559       Operands.clear();
13560       Operands.push_back(Stores[Data.first]);
13561       PrevDist = Data.second;
13562     }
13563   };
13564 
13565   // Stores pair (first: index of the store into Stores array ref, address of
13566   // which taken as base, second: sorted set of pairs {index, dist}, which are
13567   // indices of stores in the set and their store location distances relative to
13568   // the base address).
13569 
13570   // Need to store the index of the very first store separately, since the set
13571   // may be reordered after the insertion and the first store may be moved. This
13572   // container allows to reduce number of calls of getPointersDiff() function.
13573   SmallVector<std::pair<unsigned, StoreIndexToDistSet>> SortedStores;
13574   // Inserts the specified store SI with the given index Idx to the set of the
13575   // stores. If the store with the same distance is found already - stop
13576   // insertion, try to vectorize already found stores. If some stores from this
13577   // sequence were not vectorized - try to vectorize them with the new store
13578   // later. But this logic is applied only to the stores, that come before the
13579   // previous store with the same distance.
13580   // Example:
13581   // 1. store x, %p
13582   // 2. store y, %p+1
13583   // 3. store z, %p+2
13584   // 4. store a, %p
13585   // 5. store b, %p+3
13586   // - Scan this from the last to first store. The very first bunch of stores is
13587   // {5, {{4, -3}, {2, -2}, {3, -1}, {5, 0}}} (the element in SortedStores
13588   // vector).
13589   // - The next store in the list - #1 - has the same distance from store #5 as
13590   // the store #4.
13591   // - Try to vectorize sequence of stores 4,2,3,5.
13592   // - If all these stores are vectorized - just drop them.
13593   // - If some of them are not vectorized (say, #3 and #5), do extra analysis.
13594   // - Start new stores sequence.
13595   // The new bunch of stores is {1, {1, 0}}.
13596   // - Add the stores from previous sequence, that were not vectorized.
13597   // Here we consider the stores in the reversed order, rather they are used in
13598   // the IR (Stores are reversed already, see vectorizeStoreChains() function).
13599   // Store #3 can be added -> comes after store #4 with the same distance as
13600   // store #1.
13601   // Store #5 cannot be added - comes before store #4.
13602   // This logic allows to improve the compile time, we assume that the stores
13603   // after previous store with the same distance most likely have memory
13604   // dependencies and no need to waste compile time to try to vectorize them.
13605   // - Try to vectorize the sequence {1, {1, 0}, {3, 2}}.
13606   auto FillStoresSet = [&](unsigned Idx, StoreInst *SI) {
13607     for (std::pair<unsigned, StoreIndexToDistSet> &Set : SortedStores) {
13608       std::optional<int> Diff = getPointersDiff(
13609           Stores[Set.first]->getValueOperand()->getType(),
13610           Stores[Set.first]->getPointerOperand(),
13611           SI->getValueOperand()->getType(), SI->getPointerOperand(), *DL, *SE,
13612           /*StrictCheck=*/true);
13613       if (!Diff)
13614         continue;
13615       auto It = Set.second.find(std::make_pair(Idx, *Diff));
13616       if (It == Set.second.end()) {
13617         Set.second.emplace(Idx, *Diff);
13618         return;
13619       }
13620       // Try to vectorize the first found set to avoid duplicate analysis.
13621       TryToVectorize(Set.second);
13622       StoreIndexToDistSet PrevSet;
13623       PrevSet.swap(Set.second);
13624       Set.first = Idx;
13625       Set.second.emplace(Idx, 0);
13626       // Insert stores that followed previous match to try to vectorize them
13627       // with this store.
13628       unsigned StartIdx = It->first + 1;
13629       SmallBitVector UsedStores(Idx - StartIdx);
13630       // Distances to previously found dup store (or this store, since they
13631       // store to the same addresses).
13632       SmallVector<int> Dists(Idx - StartIdx, 0);
13633       for (const std::pair<unsigned, int> &Pair : reverse(PrevSet)) {
13634         // Do not try to vectorize sequences, we already tried.
13635         if (Pair.first <= It->first ||
13636             VectorizedStores.contains(Stores[Pair.first]))
13637           break;
13638         unsigned BI = Pair.first - StartIdx;
13639         UsedStores.set(BI);
13640         Dists[BI] = Pair.second - It->second;
13641       }
13642       for (unsigned I = StartIdx; I < Idx; ++I) {
13643         unsigned BI = I - StartIdx;
13644         if (UsedStores.test(BI))
13645           Set.second.emplace(I, Dists[BI]);
13646       }
13647       return;
13648     }
13649     auto &Res = SortedStores.emplace_back();
13650     Res.first = Idx;
13651     Res.second.emplace(Idx, 0);
13652   };
13653   StoreInst *PrevStore = Stores.front();
13654   for (auto [I, SI] : enumerate(Stores)) {
13655     // Check that we do not try to vectorize stores of different types.
13656     if (PrevStore->getValueOperand()->getType() !=
13657         SI->getValueOperand()->getType()) {
13658       for (auto &Set : SortedStores)
13659         TryToVectorize(Set.second);
13660       SortedStores.clear();
13661       PrevStore = SI;
13662     }
13663     FillStoresSet(I, SI);
13664   }
13665 
13666   // Final vectorization attempt.
13667   for (auto &Set : SortedStores)
13668     TryToVectorize(Set.second);
13669 
13670   return Changed;
13671 }
13672 
13673 void SLPVectorizerPass::collectSeedInstructions(BasicBlock *BB) {
13674   // Initialize the collections. We will make a single pass over the block.
13675   Stores.clear();
13676   GEPs.clear();
13677 
13678   // Visit the store and getelementptr instructions in BB and organize them in
13679   // Stores and GEPs according to the underlying objects of their pointer
13680   // operands.
13681   for (Instruction &I : *BB) {
13682     // Ignore store instructions that are volatile or have a pointer operand
13683     // that doesn't point to a scalar type.
13684     if (auto *SI = dyn_cast<StoreInst>(&I)) {
13685       if (!SI->isSimple())
13686         continue;
13687       if (!isValidElementType(SI->getValueOperand()->getType()))
13688         continue;
13689       Stores[getUnderlyingObject(SI->getPointerOperand())].push_back(SI);
13690     }
13691 
13692     // Ignore getelementptr instructions that have more than one index, a
13693     // constant index, or a pointer operand that doesn't point to a scalar
13694     // type.
13695     else if (auto *GEP = dyn_cast<GetElementPtrInst>(&I)) {
13696       if (GEP->getNumIndices() != 1)
13697         continue;
13698       Value *Idx = GEP->idx_begin()->get();
13699       if (isa<Constant>(Idx))
13700         continue;
13701       if (!isValidElementType(Idx->getType()))
13702         continue;
13703       if (GEP->getType()->isVectorTy())
13704         continue;
13705       GEPs[GEP->getPointerOperand()].push_back(GEP);
13706     }
13707   }
13708 }
13709 
13710 bool SLPVectorizerPass::tryToVectorizeList(ArrayRef<Value *> VL, BoUpSLP &R,
13711                                            bool MaxVFOnly) {
13712   if (VL.size() < 2)
13713     return false;
13714 
13715   LLVM_DEBUG(dbgs() << "SLP: Trying to vectorize a list of length = "
13716                     << VL.size() << ".\n");
13717 
13718   // Check that all of the parts are instructions of the same type,
13719   // we permit an alternate opcode via InstructionsState.
13720   InstructionsState S = getSameOpcode(VL, *TLI);
13721   if (!S.getOpcode())
13722     return false;
13723 
13724   Instruction *I0 = cast<Instruction>(S.OpValue);
13725   // Make sure invalid types (including vector type) are rejected before
13726   // determining vectorization factor for scalar instructions.
13727   for (Value *V : VL) {
13728     Type *Ty = V->getType();
13729     if (!isa<InsertElementInst>(V) && !isValidElementType(Ty)) {
13730       // NOTE: the following will give user internal llvm type name, which may
13731       // not be useful.
13732       R.getORE()->emit([&]() {
13733         std::string TypeStr;
13734         llvm::raw_string_ostream rso(TypeStr);
13735         Ty->print(rso);
13736         return OptimizationRemarkMissed(SV_NAME, "UnsupportedType", I0)
13737                << "Cannot SLP vectorize list: type "
13738                << rso.str() + " is unsupported by vectorizer";
13739       });
13740       return false;
13741     }
13742   }
13743 
13744   unsigned Sz = R.getVectorElementSize(I0);
13745   unsigned MinVF = R.getMinVF(Sz);
13746   unsigned MaxVF = std::max<unsigned>(llvm::bit_floor(VL.size()), MinVF);
13747   MaxVF = std::min(R.getMaximumVF(Sz, S.getOpcode()), MaxVF);
13748   if (MaxVF < 2) {
13749     R.getORE()->emit([&]() {
13750       return OptimizationRemarkMissed(SV_NAME, "SmallVF", I0)
13751              << "Cannot SLP vectorize list: vectorization factor "
13752              << "less than 2 is not supported";
13753     });
13754     return false;
13755   }
13756 
13757   bool Changed = false;
13758   bool CandidateFound = false;
13759   InstructionCost MinCost = SLPCostThreshold.getValue();
13760   Type *ScalarTy = VL[0]->getType();
13761   if (auto *IE = dyn_cast<InsertElementInst>(VL[0]))
13762     ScalarTy = IE->getOperand(1)->getType();
13763 
13764   unsigned NextInst = 0, MaxInst = VL.size();
13765   for (unsigned VF = MaxVF; NextInst + 1 < MaxInst && VF >= MinVF; VF /= 2) {
13766     // No actual vectorization should happen, if number of parts is the same as
13767     // provided vectorization factor (i.e. the scalar type is used for vector
13768     // code during codegen).
13769     auto *VecTy = FixedVectorType::get(ScalarTy, VF);
13770     if (TTI->getNumberOfParts(VecTy) == VF)
13771       continue;
13772     for (unsigned I = NextInst; I < MaxInst; ++I) {
13773       unsigned ActualVF = std::min(MaxInst - I, VF);
13774 
13775       if (!isPowerOf2_32(ActualVF))
13776         continue;
13777 
13778       if (MaxVFOnly && ActualVF < MaxVF)
13779         break;
13780       if ((VF > MinVF && ActualVF <= VF / 2) || (VF == MinVF && ActualVF < 2))
13781         break;
13782 
13783       ArrayRef<Value *> Ops = VL.slice(I, ActualVF);
13784       // Check that a previous iteration of this loop did not delete the Value.
13785       if (llvm::any_of(Ops, [&R](Value *V) {
13786             auto *I = dyn_cast<Instruction>(V);
13787             return I && R.isDeleted(I);
13788           }))
13789         continue;
13790 
13791       LLVM_DEBUG(dbgs() << "SLP: Analyzing " << ActualVF << " operations "
13792                         << "\n");
13793 
13794       R.buildTree(Ops);
13795       if (R.isTreeTinyAndNotFullyVectorizable())
13796         continue;
13797       R.reorderTopToBottom();
13798       R.reorderBottomToTop(
13799           /*IgnoreReorder=*/!isa<InsertElementInst>(Ops.front()) &&
13800           !R.doesRootHaveInTreeUses());
13801       R.buildExternalUses();
13802 
13803       R.computeMinimumValueSizes();
13804       InstructionCost Cost = R.getTreeCost();
13805       CandidateFound = true;
13806       MinCost = std::min(MinCost, Cost);
13807 
13808       LLVM_DEBUG(dbgs() << "SLP: Found cost = " << Cost
13809                         << " for VF=" << ActualVF << "\n");
13810       if (Cost < -SLPCostThreshold) {
13811         LLVM_DEBUG(dbgs() << "SLP: Vectorizing list at cost:" << Cost << ".\n");
13812         R.getORE()->emit(OptimizationRemark(SV_NAME, "VectorizedList",
13813                                                     cast<Instruction>(Ops[0]))
13814                                  << "SLP vectorized with cost " << ore::NV("Cost", Cost)
13815                                  << " and with tree size "
13816                                  << ore::NV("TreeSize", R.getTreeSize()));
13817 
13818         R.vectorizeTree();
13819         // Move to the next bundle.
13820         I += VF - 1;
13821         NextInst = I + 1;
13822         Changed = true;
13823       }
13824     }
13825   }
13826 
13827   if (!Changed && CandidateFound) {
13828     R.getORE()->emit([&]() {
13829       return OptimizationRemarkMissed(SV_NAME, "NotBeneficial", I0)
13830              << "List vectorization was possible but not beneficial with cost "
13831              << ore::NV("Cost", MinCost) << " >= "
13832              << ore::NV("Treshold", -SLPCostThreshold);
13833     });
13834   } else if (!Changed) {
13835     R.getORE()->emit([&]() {
13836       return OptimizationRemarkMissed(SV_NAME, "NotPossible", I0)
13837              << "Cannot SLP vectorize list: vectorization was impossible"
13838              << " with available vectorization factors";
13839     });
13840   }
13841   return Changed;
13842 }
13843 
13844 bool SLPVectorizerPass::tryToVectorize(Instruction *I, BoUpSLP &R) {
13845   if (!I)
13846     return false;
13847 
13848   if (!isa<BinaryOperator, CmpInst>(I) || isa<VectorType>(I->getType()))
13849     return false;
13850 
13851   Value *P = I->getParent();
13852 
13853   // Vectorize in current basic block only.
13854   auto *Op0 = dyn_cast<Instruction>(I->getOperand(0));
13855   auto *Op1 = dyn_cast<Instruction>(I->getOperand(1));
13856   if (!Op0 || !Op1 || Op0->getParent() != P || Op1->getParent() != P)
13857     return false;
13858 
13859   // First collect all possible candidates
13860   SmallVector<std::pair<Value *, Value *>, 4> Candidates;
13861   Candidates.emplace_back(Op0, Op1);
13862 
13863   auto *A = dyn_cast<BinaryOperator>(Op0);
13864   auto *B = dyn_cast<BinaryOperator>(Op1);
13865   // Try to skip B.
13866   if (A && B && B->hasOneUse()) {
13867     auto *B0 = dyn_cast<BinaryOperator>(B->getOperand(0));
13868     auto *B1 = dyn_cast<BinaryOperator>(B->getOperand(1));
13869     if (B0 && B0->getParent() == P)
13870       Candidates.emplace_back(A, B0);
13871     if (B1 && B1->getParent() == P)
13872       Candidates.emplace_back(A, B1);
13873   }
13874   // Try to skip A.
13875   if (B && A && A->hasOneUse()) {
13876     auto *A0 = dyn_cast<BinaryOperator>(A->getOperand(0));
13877     auto *A1 = dyn_cast<BinaryOperator>(A->getOperand(1));
13878     if (A0 && A0->getParent() == P)
13879       Candidates.emplace_back(A0, B);
13880     if (A1 && A1->getParent() == P)
13881       Candidates.emplace_back(A1, B);
13882   }
13883 
13884   if (Candidates.size() == 1)
13885     return tryToVectorizeList({Op0, Op1}, R);
13886 
13887   // We have multiple options. Try to pick the single best.
13888   std::optional<int> BestCandidate = R.findBestRootPair(Candidates);
13889   if (!BestCandidate)
13890     return false;
13891   return tryToVectorizeList(
13892       {Candidates[*BestCandidate].first, Candidates[*BestCandidate].second}, R);
13893 }
13894 
13895 namespace {
13896 
13897 /// Model horizontal reductions.
13898 ///
13899 /// A horizontal reduction is a tree of reduction instructions that has values
13900 /// that can be put into a vector as its leaves. For example:
13901 ///
13902 /// mul mul mul mul
13903 ///  \  /    \  /
13904 ///   +       +
13905 ///    \     /
13906 ///       +
13907 /// This tree has "mul" as its leaf values and "+" as its reduction
13908 /// instructions. A reduction can feed into a store or a binary operation
13909 /// feeding a phi.
13910 ///    ...
13911 ///    \  /
13912 ///     +
13913 ///     |
13914 ///  phi +=
13915 ///
13916 ///  Or:
13917 ///    ...
13918 ///    \  /
13919 ///     +
13920 ///     |
13921 ///   *p =
13922 ///
13923 class HorizontalReduction {
13924   using ReductionOpsType = SmallVector<Value *, 16>;
13925   using ReductionOpsListType = SmallVector<ReductionOpsType, 2>;
13926   ReductionOpsListType ReductionOps;
13927   /// List of possibly reduced values.
13928   SmallVector<SmallVector<Value *>> ReducedVals;
13929   /// Maps reduced value to the corresponding reduction operation.
13930   DenseMap<Value *, SmallVector<Instruction *>> ReducedValsToOps;
13931   // Use map vector to make stable output.
13932   MapVector<Instruction *, Value *> ExtraArgs;
13933   WeakTrackingVH ReductionRoot;
13934   /// The type of reduction operation.
13935   RecurKind RdxKind;
13936   /// Checks if the optimization of original scalar identity operations on
13937   /// matched horizontal reductions is enabled and allowed.
13938   bool IsSupportedHorRdxIdentityOp = false;
13939 
13940   static bool isCmpSelMinMax(Instruction *I) {
13941     return match(I, m_Select(m_Cmp(), m_Value(), m_Value())) &&
13942            RecurrenceDescriptor::isMinMaxRecurrenceKind(getRdxKind(I));
13943   }
13944 
13945   // And/or are potentially poison-safe logical patterns like:
13946   // select x, y, false
13947   // select x, true, y
13948   static bool isBoolLogicOp(Instruction *I) {
13949     return isa<SelectInst>(I) &&
13950            (match(I, m_LogicalAnd()) || match(I, m_LogicalOr()));
13951   }
13952 
13953   /// Checks if instruction is associative and can be vectorized.
13954   static bool isVectorizable(RecurKind Kind, Instruction *I) {
13955     if (Kind == RecurKind::None)
13956       return false;
13957 
13958     // Integer ops that map to select instructions or intrinsics are fine.
13959     if (RecurrenceDescriptor::isIntMinMaxRecurrenceKind(Kind) ||
13960         isBoolLogicOp(I))
13961       return true;
13962 
13963     if (Kind == RecurKind::FMax || Kind == RecurKind::FMin) {
13964       // FP min/max are associative except for NaN and -0.0. We do not
13965       // have to rule out -0.0 here because the intrinsic semantics do not
13966       // specify a fixed result for it.
13967       return I->getFastMathFlags().noNaNs();
13968     }
13969 
13970     if (Kind == RecurKind::FMaximum || Kind == RecurKind::FMinimum)
13971       return true;
13972 
13973     return I->isAssociative();
13974   }
13975 
13976   static Value *getRdxOperand(Instruction *I, unsigned Index) {
13977     // Poison-safe 'or' takes the form: select X, true, Y
13978     // To make that work with the normal operand processing, we skip the
13979     // true value operand.
13980     // TODO: Change the code and data structures to handle this without a hack.
13981     if (getRdxKind(I) == RecurKind::Or && isa<SelectInst>(I) && Index == 1)
13982       return I->getOperand(2);
13983     return I->getOperand(Index);
13984   }
13985 
13986   /// Creates reduction operation with the current opcode.
13987   static Value *createOp(IRBuilder<> &Builder, RecurKind Kind, Value *LHS,
13988                          Value *RHS, const Twine &Name, bool UseSelect) {
13989     unsigned RdxOpcode = RecurrenceDescriptor::getOpcode(Kind);
13990     bool IsConstant = isConstant(LHS) && isConstant(RHS);
13991     switch (Kind) {
13992     case RecurKind::Or:
13993       if (UseSelect &&
13994           LHS->getType() == CmpInst::makeCmpResultType(LHS->getType()))
13995         return Builder.CreateSelect(LHS, Builder.getTrue(), RHS, Name);
13996       return Builder.CreateBinOp((Instruction::BinaryOps)RdxOpcode, LHS, RHS,
13997                                  Name);
13998     case RecurKind::And:
13999       if (UseSelect &&
14000           LHS->getType() == CmpInst::makeCmpResultType(LHS->getType()))
14001         return Builder.CreateSelect(LHS, RHS, Builder.getFalse(), Name);
14002       return Builder.CreateBinOp((Instruction::BinaryOps)RdxOpcode, LHS, RHS,
14003                                  Name);
14004     case RecurKind::Add:
14005     case RecurKind::Mul:
14006     case RecurKind::Xor:
14007     case RecurKind::FAdd:
14008     case RecurKind::FMul:
14009       return Builder.CreateBinOp((Instruction::BinaryOps)RdxOpcode, LHS, RHS,
14010                                  Name);
14011     case RecurKind::FMax:
14012       if (IsConstant)
14013         return ConstantFP::get(LHS->getType(),
14014                                maxnum(cast<ConstantFP>(LHS)->getValueAPF(),
14015                                       cast<ConstantFP>(RHS)->getValueAPF()));
14016       return Builder.CreateBinaryIntrinsic(Intrinsic::maxnum, LHS, RHS);
14017     case RecurKind::FMin:
14018       if (IsConstant)
14019         return ConstantFP::get(LHS->getType(),
14020                                minnum(cast<ConstantFP>(LHS)->getValueAPF(),
14021                                       cast<ConstantFP>(RHS)->getValueAPF()));
14022       return Builder.CreateBinaryIntrinsic(Intrinsic::minnum, LHS, RHS);
14023     case RecurKind::FMaximum:
14024       if (IsConstant)
14025         return ConstantFP::get(LHS->getType(),
14026                                maximum(cast<ConstantFP>(LHS)->getValueAPF(),
14027                                       cast<ConstantFP>(RHS)->getValueAPF()));
14028       return Builder.CreateBinaryIntrinsic(Intrinsic::maximum, LHS, RHS);
14029     case RecurKind::FMinimum:
14030       if (IsConstant)
14031         return ConstantFP::get(LHS->getType(),
14032                                minimum(cast<ConstantFP>(LHS)->getValueAPF(),
14033                                       cast<ConstantFP>(RHS)->getValueAPF()));
14034       return Builder.CreateBinaryIntrinsic(Intrinsic::minimum, LHS, RHS);
14035     case RecurKind::SMax:
14036       if (IsConstant || UseSelect) {
14037         Value *Cmp = Builder.CreateICmpSGT(LHS, RHS, Name);
14038         return Builder.CreateSelect(Cmp, LHS, RHS, Name);
14039       }
14040       return Builder.CreateBinaryIntrinsic(Intrinsic::smax, LHS, RHS);
14041     case RecurKind::SMin:
14042       if (IsConstant || UseSelect) {
14043         Value *Cmp = Builder.CreateICmpSLT(LHS, RHS, Name);
14044         return Builder.CreateSelect(Cmp, LHS, RHS, Name);
14045       }
14046       return Builder.CreateBinaryIntrinsic(Intrinsic::smin, LHS, RHS);
14047     case RecurKind::UMax:
14048       if (IsConstant || UseSelect) {
14049         Value *Cmp = Builder.CreateICmpUGT(LHS, RHS, Name);
14050         return Builder.CreateSelect(Cmp, LHS, RHS, Name);
14051       }
14052       return Builder.CreateBinaryIntrinsic(Intrinsic::umax, LHS, RHS);
14053     case RecurKind::UMin:
14054       if (IsConstant || UseSelect) {
14055         Value *Cmp = Builder.CreateICmpULT(LHS, RHS, Name);
14056         return Builder.CreateSelect(Cmp, LHS, RHS, Name);
14057       }
14058       return Builder.CreateBinaryIntrinsic(Intrinsic::umin, LHS, RHS);
14059     default:
14060       llvm_unreachable("Unknown reduction operation.");
14061     }
14062   }
14063 
14064   /// Creates reduction operation with the current opcode with the IR flags
14065   /// from \p ReductionOps, dropping nuw/nsw flags.
14066   static Value *createOp(IRBuilder<> &Builder, RecurKind RdxKind, Value *LHS,
14067                          Value *RHS, const Twine &Name,
14068                          const ReductionOpsListType &ReductionOps) {
14069     bool UseSelect =
14070         ReductionOps.size() == 2 ||
14071         // Logical or/and.
14072         (ReductionOps.size() == 1 && any_of(ReductionOps.front(), [](Value *V) {
14073            return isa<SelectInst>(V);
14074          }));
14075     assert((!UseSelect || ReductionOps.size() != 2 ||
14076             isa<SelectInst>(ReductionOps[1][0])) &&
14077            "Expected cmp + select pairs for reduction");
14078     Value *Op = createOp(Builder, RdxKind, LHS, RHS, Name, UseSelect);
14079     if (RecurrenceDescriptor::isIntMinMaxRecurrenceKind(RdxKind)) {
14080       if (auto *Sel = dyn_cast<SelectInst>(Op)) {
14081         propagateIRFlags(Sel->getCondition(), ReductionOps[0], nullptr,
14082                          /*IncludeWrapFlags=*/false);
14083         propagateIRFlags(Op, ReductionOps[1], nullptr,
14084                          /*IncludeWrapFlags=*/false);
14085         return Op;
14086       }
14087     }
14088     propagateIRFlags(Op, ReductionOps[0], nullptr, /*IncludeWrapFlags=*/false);
14089     return Op;
14090   }
14091 
14092 public:
14093   static RecurKind getRdxKind(Value *V) {
14094     auto *I = dyn_cast<Instruction>(V);
14095     if (!I)
14096       return RecurKind::None;
14097     if (match(I, m_Add(m_Value(), m_Value())))
14098       return RecurKind::Add;
14099     if (match(I, m_Mul(m_Value(), m_Value())))
14100       return RecurKind::Mul;
14101     if (match(I, m_And(m_Value(), m_Value())) ||
14102         match(I, m_LogicalAnd(m_Value(), m_Value())))
14103       return RecurKind::And;
14104     if (match(I, m_Or(m_Value(), m_Value())) ||
14105         match(I, m_LogicalOr(m_Value(), m_Value())))
14106       return RecurKind::Or;
14107     if (match(I, m_Xor(m_Value(), m_Value())))
14108       return RecurKind::Xor;
14109     if (match(I, m_FAdd(m_Value(), m_Value())))
14110       return RecurKind::FAdd;
14111     if (match(I, m_FMul(m_Value(), m_Value())))
14112       return RecurKind::FMul;
14113 
14114     if (match(I, m_Intrinsic<Intrinsic::maxnum>(m_Value(), m_Value())))
14115       return RecurKind::FMax;
14116     if (match(I, m_Intrinsic<Intrinsic::minnum>(m_Value(), m_Value())))
14117       return RecurKind::FMin;
14118 
14119     if (match(I, m_Intrinsic<Intrinsic::maximum>(m_Value(), m_Value())))
14120       return RecurKind::FMaximum;
14121     if (match(I, m_Intrinsic<Intrinsic::minimum>(m_Value(), m_Value())))
14122       return RecurKind::FMinimum;
14123     // This matches either cmp+select or intrinsics. SLP is expected to handle
14124     // either form.
14125     // TODO: If we are canonicalizing to intrinsics, we can remove several
14126     //       special-case paths that deal with selects.
14127     if (match(I, m_SMax(m_Value(), m_Value())))
14128       return RecurKind::SMax;
14129     if (match(I, m_SMin(m_Value(), m_Value())))
14130       return RecurKind::SMin;
14131     if (match(I, m_UMax(m_Value(), m_Value())))
14132       return RecurKind::UMax;
14133     if (match(I, m_UMin(m_Value(), m_Value())))
14134       return RecurKind::UMin;
14135 
14136     if (auto *Select = dyn_cast<SelectInst>(I)) {
14137       // Try harder: look for min/max pattern based on instructions producing
14138       // same values such as: select ((cmp Inst1, Inst2), Inst1, Inst2).
14139       // During the intermediate stages of SLP, it's very common to have
14140       // pattern like this (since optimizeGatherSequence is run only once
14141       // at the end):
14142       // %1 = extractelement <2 x i32> %a, i32 0
14143       // %2 = extractelement <2 x i32> %a, i32 1
14144       // %cond = icmp sgt i32 %1, %2
14145       // %3 = extractelement <2 x i32> %a, i32 0
14146       // %4 = extractelement <2 x i32> %a, i32 1
14147       // %select = select i1 %cond, i32 %3, i32 %4
14148       CmpInst::Predicate Pred;
14149       Instruction *L1;
14150       Instruction *L2;
14151 
14152       Value *LHS = Select->getTrueValue();
14153       Value *RHS = Select->getFalseValue();
14154       Value *Cond = Select->getCondition();
14155 
14156       // TODO: Support inverse predicates.
14157       if (match(Cond, m_Cmp(Pred, m_Specific(LHS), m_Instruction(L2)))) {
14158         if (!isa<ExtractElementInst>(RHS) ||
14159             !L2->isIdenticalTo(cast<Instruction>(RHS)))
14160           return RecurKind::None;
14161       } else if (match(Cond, m_Cmp(Pred, m_Instruction(L1), m_Specific(RHS)))) {
14162         if (!isa<ExtractElementInst>(LHS) ||
14163             !L1->isIdenticalTo(cast<Instruction>(LHS)))
14164           return RecurKind::None;
14165       } else {
14166         if (!isa<ExtractElementInst>(LHS) || !isa<ExtractElementInst>(RHS))
14167           return RecurKind::None;
14168         if (!match(Cond, m_Cmp(Pred, m_Instruction(L1), m_Instruction(L2))) ||
14169             !L1->isIdenticalTo(cast<Instruction>(LHS)) ||
14170             !L2->isIdenticalTo(cast<Instruction>(RHS)))
14171           return RecurKind::None;
14172       }
14173 
14174       switch (Pred) {
14175       default:
14176         return RecurKind::None;
14177       case CmpInst::ICMP_SGT:
14178       case CmpInst::ICMP_SGE:
14179         return RecurKind::SMax;
14180       case CmpInst::ICMP_SLT:
14181       case CmpInst::ICMP_SLE:
14182         return RecurKind::SMin;
14183       case CmpInst::ICMP_UGT:
14184       case CmpInst::ICMP_UGE:
14185         return RecurKind::UMax;
14186       case CmpInst::ICMP_ULT:
14187       case CmpInst::ICMP_ULE:
14188         return RecurKind::UMin;
14189       }
14190     }
14191     return RecurKind::None;
14192   }
14193 
14194   /// Get the index of the first operand.
14195   static unsigned getFirstOperandIndex(Instruction *I) {
14196     return isCmpSelMinMax(I) ? 1 : 0;
14197   }
14198 
14199 private:
14200   /// Total number of operands in the reduction operation.
14201   static unsigned getNumberOfOperands(Instruction *I) {
14202     return isCmpSelMinMax(I) ? 3 : 2;
14203   }
14204 
14205   /// Checks if the instruction is in basic block \p BB.
14206   /// For a cmp+sel min/max reduction check that both ops are in \p BB.
14207   static bool hasSameParent(Instruction *I, BasicBlock *BB) {
14208     if (isCmpSelMinMax(I) || isBoolLogicOp(I)) {
14209       auto *Sel = cast<SelectInst>(I);
14210       auto *Cmp = dyn_cast<Instruction>(Sel->getCondition());
14211       return Sel->getParent() == BB && Cmp && Cmp->getParent() == BB;
14212     }
14213     return I->getParent() == BB;
14214   }
14215 
14216   /// Expected number of uses for reduction operations/reduced values.
14217   static bool hasRequiredNumberOfUses(bool IsCmpSelMinMax, Instruction *I) {
14218     if (IsCmpSelMinMax) {
14219       // SelectInst must be used twice while the condition op must have single
14220       // use only.
14221       if (auto *Sel = dyn_cast<SelectInst>(I))
14222         return Sel->hasNUses(2) && Sel->getCondition()->hasOneUse();
14223       return I->hasNUses(2);
14224     }
14225 
14226     // Arithmetic reduction operation must be used once only.
14227     return I->hasOneUse();
14228   }
14229 
14230   /// Initializes the list of reduction operations.
14231   void initReductionOps(Instruction *I) {
14232     if (isCmpSelMinMax(I))
14233       ReductionOps.assign(2, ReductionOpsType());
14234     else
14235       ReductionOps.assign(1, ReductionOpsType());
14236   }
14237 
14238   /// Add all reduction operations for the reduction instruction \p I.
14239   void addReductionOps(Instruction *I) {
14240     if (isCmpSelMinMax(I)) {
14241       ReductionOps[0].emplace_back(cast<SelectInst>(I)->getCondition());
14242       ReductionOps[1].emplace_back(I);
14243     } else {
14244       ReductionOps[0].emplace_back(I);
14245     }
14246   }
14247 
14248   static bool isGoodForReduction(ArrayRef<Value *> Data) {
14249     int Sz = Data.size();
14250     auto *I = dyn_cast<Instruction>(Data.front());
14251     return Sz > 1 || isConstant(Data.front()) ||
14252            (I && !isa<LoadInst>(I) && isValidForAlternation(I->getOpcode()));
14253   }
14254 
14255 public:
14256   HorizontalReduction() = default;
14257 
14258   /// Try to find a reduction tree.
14259   bool matchAssociativeReduction(BoUpSLP &R, Instruction *Root,
14260                                  ScalarEvolution &SE, const DataLayout &DL,
14261                                  const TargetLibraryInfo &TLI) {
14262     RdxKind = HorizontalReduction::getRdxKind(Root);
14263     if (!isVectorizable(RdxKind, Root))
14264       return false;
14265 
14266     // Analyze "regular" integer/FP types for reductions - no target-specific
14267     // types or pointers.
14268     Type *Ty = Root->getType();
14269     if (!isValidElementType(Ty) || Ty->isPointerTy())
14270       return false;
14271 
14272     // Though the ultimate reduction may have multiple uses, its condition must
14273     // have only single use.
14274     if (auto *Sel = dyn_cast<SelectInst>(Root))
14275       if (!Sel->getCondition()->hasOneUse())
14276         return false;
14277 
14278     ReductionRoot = Root;
14279 
14280     // Iterate through all the operands of the possible reduction tree and
14281     // gather all the reduced values, sorting them by their value id.
14282     BasicBlock *BB = Root->getParent();
14283     bool IsCmpSelMinMax = isCmpSelMinMax(Root);
14284     SmallVector<Instruction *> Worklist(1, Root);
14285     // Checks if the operands of the \p TreeN instruction are also reduction
14286     // operations or should be treated as reduced values or an extra argument,
14287     // which is not part of the reduction.
14288     auto CheckOperands = [&](Instruction *TreeN,
14289                              SmallVectorImpl<Value *> &ExtraArgs,
14290                              SmallVectorImpl<Value *> &PossibleReducedVals,
14291                              SmallVectorImpl<Instruction *> &ReductionOps) {
14292       for (int I = getFirstOperandIndex(TreeN),
14293                End = getNumberOfOperands(TreeN);
14294            I < End; ++I) {
14295         Value *EdgeVal = getRdxOperand(TreeN, I);
14296         ReducedValsToOps[EdgeVal].push_back(TreeN);
14297         auto *EdgeInst = dyn_cast<Instruction>(EdgeVal);
14298         // Edge has wrong parent - mark as an extra argument.
14299         if (EdgeInst && !isVectorLikeInstWithConstOps(EdgeInst) &&
14300             !hasSameParent(EdgeInst, BB)) {
14301           ExtraArgs.push_back(EdgeVal);
14302           continue;
14303         }
14304         // If the edge is not an instruction, or it is different from the main
14305         // reduction opcode or has too many uses - possible reduced value.
14306         // Also, do not try to reduce const values, if the operation is not
14307         // foldable.
14308         if (!EdgeInst || getRdxKind(EdgeInst) != RdxKind ||
14309             IsCmpSelMinMax != isCmpSelMinMax(EdgeInst) ||
14310             !hasRequiredNumberOfUses(IsCmpSelMinMax, EdgeInst) ||
14311             !isVectorizable(RdxKind, EdgeInst) ||
14312             (R.isAnalyzedReductionRoot(EdgeInst) &&
14313              all_of(EdgeInst->operands(), Constant::classof))) {
14314           PossibleReducedVals.push_back(EdgeVal);
14315           continue;
14316         }
14317         ReductionOps.push_back(EdgeInst);
14318       }
14319     };
14320     // Try to regroup reduced values so that it gets more profitable to try to
14321     // reduce them. Values are grouped by their value ids, instructions - by
14322     // instruction op id and/or alternate op id, plus do extra analysis for
14323     // loads (grouping them by the distabce between pointers) and cmp
14324     // instructions (grouping them by the predicate).
14325     MapVector<size_t, MapVector<size_t, MapVector<Value *, unsigned>>>
14326         PossibleReducedVals;
14327     initReductionOps(Root);
14328     DenseMap<Value *, SmallVector<LoadInst *>> LoadsMap;
14329     SmallSet<size_t, 2> LoadKeyUsed;
14330     SmallPtrSet<Value *, 4> DoNotReverseVals;
14331 
14332     auto GenerateLoadsSubkey = [&](size_t Key, LoadInst *LI) {
14333       Value *Ptr = getUnderlyingObject(LI->getPointerOperand());
14334       if (LoadKeyUsed.contains(Key)) {
14335         auto LIt = LoadsMap.find(Ptr);
14336         if (LIt != LoadsMap.end()) {
14337           for (LoadInst *RLI : LIt->second) {
14338             if (getPointersDiff(RLI->getType(), RLI->getPointerOperand(),
14339                                 LI->getType(), LI->getPointerOperand(), DL, SE,
14340                                 /*StrictCheck=*/true))
14341               return hash_value(RLI->getPointerOperand());
14342           }
14343           for (LoadInst *RLI : LIt->second) {
14344             if (arePointersCompatible(RLI->getPointerOperand(),
14345                                       LI->getPointerOperand(), TLI)) {
14346               hash_code SubKey = hash_value(RLI->getPointerOperand());
14347               DoNotReverseVals.insert(RLI);
14348               return SubKey;
14349             }
14350           }
14351           if (LIt->second.size() > 2) {
14352             hash_code SubKey =
14353                 hash_value(LIt->second.back()->getPointerOperand());
14354             DoNotReverseVals.insert(LIt->second.back());
14355             return SubKey;
14356           }
14357         }
14358       }
14359       LoadKeyUsed.insert(Key);
14360       LoadsMap.try_emplace(Ptr).first->second.push_back(LI);
14361       return hash_value(LI->getPointerOperand());
14362     };
14363 
14364     while (!Worklist.empty()) {
14365       Instruction *TreeN = Worklist.pop_back_val();
14366       SmallVector<Value *> Args;
14367       SmallVector<Value *> PossibleRedVals;
14368       SmallVector<Instruction *> PossibleReductionOps;
14369       CheckOperands(TreeN, Args, PossibleRedVals, PossibleReductionOps);
14370       // If too many extra args - mark the instruction itself as a reduction
14371       // value, not a reduction operation.
14372       if (Args.size() < 2) {
14373         addReductionOps(TreeN);
14374         // Add extra args.
14375         if (!Args.empty()) {
14376           assert(Args.size() == 1 && "Expected only single argument.");
14377           ExtraArgs[TreeN] = Args.front();
14378         }
14379         // Add reduction values. The values are sorted for better vectorization
14380         // results.
14381         for (Value *V : PossibleRedVals) {
14382           size_t Key, Idx;
14383           std::tie(Key, Idx) = generateKeySubkey(V, &TLI, GenerateLoadsSubkey,
14384                                                  /*AllowAlternate=*/false);
14385           ++PossibleReducedVals[Key][Idx]
14386                 .insert(std::make_pair(V, 0))
14387                 .first->second;
14388         }
14389         Worklist.append(PossibleReductionOps.rbegin(),
14390                         PossibleReductionOps.rend());
14391       } else {
14392         size_t Key, Idx;
14393         std::tie(Key, Idx) = generateKeySubkey(TreeN, &TLI, GenerateLoadsSubkey,
14394                                                /*AllowAlternate=*/false);
14395         ++PossibleReducedVals[Key][Idx]
14396               .insert(std::make_pair(TreeN, 0))
14397               .first->second;
14398       }
14399     }
14400     auto PossibleReducedValsVect = PossibleReducedVals.takeVector();
14401     // Sort values by the total number of values kinds to start the reduction
14402     // from the longest possible reduced values sequences.
14403     for (auto &PossibleReducedVals : PossibleReducedValsVect) {
14404       auto PossibleRedVals = PossibleReducedVals.second.takeVector();
14405       SmallVector<SmallVector<Value *>> PossibleRedValsVect;
14406       for (auto It = PossibleRedVals.begin(), E = PossibleRedVals.end();
14407            It != E; ++It) {
14408         PossibleRedValsVect.emplace_back();
14409         auto RedValsVect = It->second.takeVector();
14410         stable_sort(RedValsVect, llvm::less_second());
14411         for (const std::pair<Value *, unsigned> &Data : RedValsVect)
14412           PossibleRedValsVect.back().append(Data.second, Data.first);
14413       }
14414       stable_sort(PossibleRedValsVect, [](const auto &P1, const auto &P2) {
14415         return P1.size() > P2.size();
14416       });
14417       int NewIdx = -1;
14418       for (ArrayRef<Value *> Data : PossibleRedValsVect) {
14419         if (isGoodForReduction(Data) ||
14420             (isa<LoadInst>(Data.front()) && NewIdx >= 0 &&
14421              isa<LoadInst>(ReducedVals[NewIdx].front()) &&
14422              getUnderlyingObject(
14423                  cast<LoadInst>(Data.front())->getPointerOperand()) ==
14424                  getUnderlyingObject(cast<LoadInst>(ReducedVals[NewIdx].front())
14425                                          ->getPointerOperand()))) {
14426           if (NewIdx < 0) {
14427             NewIdx = ReducedVals.size();
14428             ReducedVals.emplace_back();
14429           }
14430           if (DoNotReverseVals.contains(Data.front()))
14431             ReducedVals[NewIdx].append(Data.begin(), Data.end());
14432           else
14433             ReducedVals[NewIdx].append(Data.rbegin(), Data.rend());
14434         } else {
14435           ReducedVals.emplace_back().append(Data.rbegin(), Data.rend());
14436         }
14437       }
14438     }
14439     // Sort the reduced values by number of same/alternate opcode and/or pointer
14440     // operand.
14441     stable_sort(ReducedVals, [](ArrayRef<Value *> P1, ArrayRef<Value *> P2) {
14442       return P1.size() > P2.size();
14443     });
14444     return true;
14445   }
14446 
14447   /// Attempt to vectorize the tree found by matchAssociativeReduction.
14448   Value *tryToReduce(BoUpSLP &V, TargetTransformInfo *TTI,
14449                      const TargetLibraryInfo &TLI) {
14450     constexpr int ReductionLimit = 4;
14451     constexpr unsigned RegMaxNumber = 4;
14452     constexpr unsigned RedValsMaxNumber = 128;
14453     // If there are a sufficient number of reduction values, reduce
14454     // to a nearby power-of-2. We can safely generate oversized
14455     // vectors and rely on the backend to split them to legal sizes.
14456     unsigned NumReducedVals =
14457         std::accumulate(ReducedVals.begin(), ReducedVals.end(), 0,
14458                         [](unsigned Num, ArrayRef<Value *> Vals) -> unsigned {
14459                           if (!isGoodForReduction(Vals))
14460                             return Num;
14461                           return Num + Vals.size();
14462                         });
14463     if (NumReducedVals < ReductionLimit &&
14464         (!AllowHorRdxIdenityOptimization ||
14465          all_of(ReducedVals, [](ArrayRef<Value *> RedV) {
14466            return RedV.size() < 2 || !allConstant(RedV) || !isSplat(RedV);
14467          }))) {
14468       for (ReductionOpsType &RdxOps : ReductionOps)
14469         for (Value *RdxOp : RdxOps)
14470           V.analyzedReductionRoot(cast<Instruction>(RdxOp));
14471       return nullptr;
14472     }
14473 
14474     IRBuilder<> Builder(cast<Instruction>(ReductionRoot));
14475 
14476     // Track the reduced values in case if they are replaced by extractelement
14477     // because of the vectorization.
14478     DenseMap<Value *, WeakTrackingVH> TrackedVals(
14479         ReducedVals.size() * ReducedVals.front().size() + ExtraArgs.size());
14480     BoUpSLP::ExtraValueToDebugLocsMap ExternallyUsedValues;
14481     SmallVector<std::pair<Value *, Value *>> ReplacedExternals;
14482     ExternallyUsedValues.reserve(ExtraArgs.size() + 1);
14483     // The same extra argument may be used several times, so log each attempt
14484     // to use it.
14485     for (const std::pair<Instruction *, Value *> &Pair : ExtraArgs) {
14486       assert(Pair.first && "DebugLoc must be set.");
14487       ExternallyUsedValues[Pair.second].push_back(Pair.first);
14488       TrackedVals.try_emplace(Pair.second, Pair.second);
14489     }
14490 
14491     // The compare instruction of a min/max is the insertion point for new
14492     // instructions and may be replaced with a new compare instruction.
14493     auto &&GetCmpForMinMaxReduction = [](Instruction *RdxRootInst) {
14494       assert(isa<SelectInst>(RdxRootInst) &&
14495              "Expected min/max reduction to have select root instruction");
14496       Value *ScalarCond = cast<SelectInst>(RdxRootInst)->getCondition();
14497       assert(isa<Instruction>(ScalarCond) &&
14498              "Expected min/max reduction to have compare condition");
14499       return cast<Instruction>(ScalarCond);
14500     };
14501 
14502     // Return new VectorizedTree, based on previous value.
14503     auto GetNewVectorizedTree = [&](Value *VectorizedTree, Value *Res) {
14504       if (VectorizedTree) {
14505         // Update the final value in the reduction.
14506         Builder.SetCurrentDebugLocation(
14507             cast<Instruction>(ReductionOps.front().front())->getDebugLoc());
14508         if ((isa<PoisonValue>(VectorizedTree) && !isa<PoisonValue>(Res)) ||
14509             (isGuaranteedNotToBePoison(Res) &&
14510              !isGuaranteedNotToBePoison(VectorizedTree))) {
14511           auto It = ReducedValsToOps.find(Res);
14512           if (It != ReducedValsToOps.end() &&
14513               any_of(It->getSecond(),
14514                      [](Instruction *I) { return isBoolLogicOp(I); }))
14515             std::swap(VectorizedTree, Res);
14516         }
14517 
14518         return createOp(Builder, RdxKind, VectorizedTree, Res, "op.rdx",
14519                         ReductionOps);
14520       }
14521       // Initialize the final value in the reduction.
14522       return Res;
14523     };
14524     bool AnyBoolLogicOp =
14525         any_of(ReductionOps.back(), [](Value *V) {
14526           return isBoolLogicOp(cast<Instruction>(V));
14527         });
14528     // The reduction root is used as the insertion point for new instructions,
14529     // so set it as externally used to prevent it from being deleted.
14530     ExternallyUsedValues[ReductionRoot];
14531     SmallDenseSet<Value *> IgnoreList(ReductionOps.size() *
14532                                       ReductionOps.front().size());
14533     for (ReductionOpsType &RdxOps : ReductionOps)
14534       for (Value *RdxOp : RdxOps) {
14535         if (!RdxOp)
14536           continue;
14537         IgnoreList.insert(RdxOp);
14538       }
14539     // Intersect the fast-math-flags from all reduction operations.
14540     FastMathFlags RdxFMF;
14541     RdxFMF.set();
14542     for (Value *U : IgnoreList)
14543       if (auto *FPMO = dyn_cast<FPMathOperator>(U))
14544         RdxFMF &= FPMO->getFastMathFlags();
14545     bool IsCmpSelMinMax = isCmpSelMinMax(cast<Instruction>(ReductionRoot));
14546 
14547     // Need to track reduced vals, they may be changed during vectorization of
14548     // subvectors.
14549     for (ArrayRef<Value *> Candidates : ReducedVals)
14550       for (Value *V : Candidates)
14551         TrackedVals.try_emplace(V, V);
14552 
14553     DenseMap<Value *, unsigned> VectorizedVals(ReducedVals.size());
14554     // List of the values that were reduced in other trees as part of gather
14555     // nodes and thus requiring extract if fully vectorized in other trees.
14556     SmallPtrSet<Value *, 4> RequiredExtract;
14557     Value *VectorizedTree = nullptr;
14558     bool CheckForReusedReductionOps = false;
14559     // Try to vectorize elements based on their type.
14560     for (unsigned I = 0, E = ReducedVals.size(); I < E; ++I) {
14561       ArrayRef<Value *> OrigReducedVals = ReducedVals[I];
14562       InstructionsState S = getSameOpcode(OrigReducedVals, TLI);
14563       SmallVector<Value *> Candidates;
14564       Candidates.reserve(2 * OrigReducedVals.size());
14565       DenseMap<Value *, Value *> TrackedToOrig(2 * OrigReducedVals.size());
14566       for (unsigned Cnt = 0, Sz = OrigReducedVals.size(); Cnt < Sz; ++Cnt) {
14567         Value *RdxVal = TrackedVals.find(OrigReducedVals[Cnt])->second;
14568         // Check if the reduction value was not overriden by the extractelement
14569         // instruction because of the vectorization and exclude it, if it is not
14570         // compatible with other values.
14571         // Also check if the instruction was folded to constant/other value.
14572         auto *Inst = dyn_cast<Instruction>(RdxVal);
14573         if ((Inst && isVectorLikeInstWithConstOps(Inst) &&
14574              (!S.getOpcode() || !S.isOpcodeOrAlt(Inst))) ||
14575             (S.getOpcode() && !Inst))
14576           continue;
14577         Candidates.push_back(RdxVal);
14578         TrackedToOrig.try_emplace(RdxVal, OrigReducedVals[Cnt]);
14579       }
14580       bool ShuffledExtracts = false;
14581       // Try to handle shuffled extractelements.
14582       if (S.getOpcode() == Instruction::ExtractElement && !S.isAltShuffle() &&
14583           I + 1 < E) {
14584         InstructionsState NextS = getSameOpcode(ReducedVals[I + 1], TLI);
14585         if (NextS.getOpcode() == Instruction::ExtractElement &&
14586             !NextS.isAltShuffle()) {
14587           SmallVector<Value *> CommonCandidates(Candidates);
14588           for (Value *RV : ReducedVals[I + 1]) {
14589             Value *RdxVal = TrackedVals.find(RV)->second;
14590             // Check if the reduction value was not overriden by the
14591             // extractelement instruction because of the vectorization and
14592             // exclude it, if it is not compatible with other values.
14593             if (auto *Inst = dyn_cast<Instruction>(RdxVal))
14594               if (!NextS.getOpcode() || !NextS.isOpcodeOrAlt(Inst))
14595                 continue;
14596             CommonCandidates.push_back(RdxVal);
14597             TrackedToOrig.try_emplace(RdxVal, RV);
14598           }
14599           SmallVector<int> Mask;
14600           if (isFixedVectorShuffle(CommonCandidates, Mask)) {
14601             ++I;
14602             Candidates.swap(CommonCandidates);
14603             ShuffledExtracts = true;
14604           }
14605         }
14606       }
14607 
14608       // Emit code for constant values.
14609       if (AllowHorRdxIdenityOptimization && Candidates.size() > 1 &&
14610           allConstant(Candidates)) {
14611         Value *Res = Candidates.front();
14612         ++VectorizedVals.try_emplace(Candidates.front(), 0).first->getSecond();
14613         for (Value *VC : ArrayRef(Candidates).drop_front()) {
14614           Res = createOp(Builder, RdxKind, Res, VC, "const.rdx", ReductionOps);
14615           ++VectorizedVals.try_emplace(VC, 0).first->getSecond();
14616           if (auto *ResI = dyn_cast<Instruction>(Res))
14617             V.analyzedReductionRoot(ResI);
14618         }
14619         VectorizedTree = GetNewVectorizedTree(VectorizedTree, Res);
14620         continue;
14621       }
14622 
14623       unsigned NumReducedVals = Candidates.size();
14624       if (NumReducedVals < ReductionLimit &&
14625           (NumReducedVals < 2 || !AllowHorRdxIdenityOptimization ||
14626            !isSplat(Candidates)))
14627         continue;
14628 
14629       // Check if we support repeated scalar values processing (optimization of
14630       // original scalar identity operations on matched horizontal reductions).
14631       IsSupportedHorRdxIdentityOp =
14632           AllowHorRdxIdenityOptimization && RdxKind != RecurKind::Mul &&
14633           RdxKind != RecurKind::FMul && RdxKind != RecurKind::FMulAdd;
14634       // Gather same values.
14635       MapVector<Value *, unsigned> SameValuesCounter;
14636       if (IsSupportedHorRdxIdentityOp)
14637         for (Value *V : Candidates)
14638           ++SameValuesCounter.insert(std::make_pair(V, 0)).first->second;
14639       // Used to check if the reduced values used same number of times. In this
14640       // case the compiler may produce better code. E.g. if reduced values are
14641       // aabbccdd (8 x values), then the first node of the tree will have a node
14642       // for 4 x abcd + shuffle <4 x abcd>, <0, 0, 1, 1, 2, 2, 3, 3>.
14643       // Plus, the final reduction will be performed on <8 x aabbccdd>.
14644       // Instead compiler may build <4 x abcd> tree immediately, + reduction (4
14645       // x abcd) * 2.
14646       // Currently it only handles add/fadd/xor. and/or/min/max do not require
14647       // this analysis, other operations may require an extra estimation of
14648       // the profitability.
14649       bool SameScaleFactor = false;
14650       bool OptReusedScalars = IsSupportedHorRdxIdentityOp &&
14651                               SameValuesCounter.size() != Candidates.size();
14652       if (OptReusedScalars) {
14653         SameScaleFactor =
14654             (RdxKind == RecurKind::Add || RdxKind == RecurKind::FAdd ||
14655              RdxKind == RecurKind::Xor) &&
14656             all_of(drop_begin(SameValuesCounter),
14657                    [&SameValuesCounter](const std::pair<Value *, unsigned> &P) {
14658                      return P.second == SameValuesCounter.front().second;
14659                    });
14660         Candidates.resize(SameValuesCounter.size());
14661         transform(SameValuesCounter, Candidates.begin(),
14662                   [](const auto &P) { return P.first; });
14663         NumReducedVals = Candidates.size();
14664         // Have a reduction of the same element.
14665         if (NumReducedVals == 1) {
14666           Value *OrigV = TrackedToOrig.find(Candidates.front())->second;
14667           unsigned Cnt = SameValuesCounter.lookup(OrigV);
14668           Value *RedVal =
14669               emitScaleForReusedOps(Candidates.front(), Builder, Cnt);
14670           VectorizedTree = GetNewVectorizedTree(VectorizedTree, RedVal);
14671           VectorizedVals.try_emplace(OrigV, Cnt);
14672           continue;
14673         }
14674       }
14675 
14676       unsigned MaxVecRegSize = V.getMaxVecRegSize();
14677       unsigned EltSize = V.getVectorElementSize(Candidates[0]);
14678       unsigned MaxElts =
14679           RegMaxNumber * llvm::bit_floor(MaxVecRegSize / EltSize);
14680 
14681       unsigned ReduxWidth = std::min<unsigned>(
14682           llvm::bit_floor(NumReducedVals), std::max(RedValsMaxNumber, MaxElts));
14683       unsigned Start = 0;
14684       unsigned Pos = Start;
14685       // Restarts vectorization attempt with lower vector factor.
14686       unsigned PrevReduxWidth = ReduxWidth;
14687       bool CheckForReusedReductionOpsLocal = false;
14688       auto &&AdjustReducedVals = [&Pos, &Start, &ReduxWidth, NumReducedVals,
14689                                   &CheckForReusedReductionOpsLocal,
14690                                   &PrevReduxWidth, &V,
14691                                   &IgnoreList](bool IgnoreVL = false) {
14692         bool IsAnyRedOpGathered = !IgnoreVL && V.isAnyGathered(IgnoreList);
14693         if (!CheckForReusedReductionOpsLocal && PrevReduxWidth == ReduxWidth) {
14694           // Check if any of the reduction ops are gathered. If so, worth
14695           // trying again with less number of reduction ops.
14696           CheckForReusedReductionOpsLocal |= IsAnyRedOpGathered;
14697         }
14698         ++Pos;
14699         if (Pos < NumReducedVals - ReduxWidth + 1)
14700           return IsAnyRedOpGathered;
14701         Pos = Start;
14702         ReduxWidth /= 2;
14703         return IsAnyRedOpGathered;
14704       };
14705       bool AnyVectorized = false;
14706       while (Pos < NumReducedVals - ReduxWidth + 1 &&
14707              ReduxWidth >= ReductionLimit) {
14708         // Dependency in tree of the reduction ops - drop this attempt, try
14709         // later.
14710         if (CheckForReusedReductionOpsLocal && PrevReduxWidth != ReduxWidth &&
14711             Start == 0) {
14712           CheckForReusedReductionOps = true;
14713           break;
14714         }
14715         PrevReduxWidth = ReduxWidth;
14716         ArrayRef<Value *> VL(std::next(Candidates.begin(), Pos), ReduxWidth);
14717         // Beeing analyzed already - skip.
14718         if (V.areAnalyzedReductionVals(VL)) {
14719           (void)AdjustReducedVals(/*IgnoreVL=*/true);
14720           continue;
14721         }
14722         // Early exit if any of the reduction values were deleted during
14723         // previous vectorization attempts.
14724         if (any_of(VL, [&V](Value *RedVal) {
14725               auto *RedValI = dyn_cast<Instruction>(RedVal);
14726               if (!RedValI)
14727                 return false;
14728               return V.isDeleted(RedValI);
14729             }))
14730           break;
14731         V.buildTree(VL, IgnoreList);
14732         if (V.isTreeTinyAndNotFullyVectorizable(/*ForReduction=*/true)) {
14733           if (!AdjustReducedVals())
14734             V.analyzedReductionVals(VL);
14735           continue;
14736         }
14737         if (V.isLoadCombineReductionCandidate(RdxKind)) {
14738           if (!AdjustReducedVals())
14739             V.analyzedReductionVals(VL);
14740           continue;
14741         }
14742         V.reorderTopToBottom();
14743         // No need to reorder the root node at all.
14744         V.reorderBottomToTop(/*IgnoreReorder=*/true);
14745         // Keep extracted other reduction values, if they are used in the
14746         // vectorization trees.
14747         BoUpSLP::ExtraValueToDebugLocsMap LocalExternallyUsedValues(
14748             ExternallyUsedValues);
14749         for (unsigned Cnt = 0, Sz = ReducedVals.size(); Cnt < Sz; ++Cnt) {
14750           if (Cnt == I || (ShuffledExtracts && Cnt == I - 1))
14751             continue;
14752           for (Value *V : ReducedVals[Cnt])
14753             if (isa<Instruction>(V))
14754               LocalExternallyUsedValues[TrackedVals[V]];
14755         }
14756         if (!IsSupportedHorRdxIdentityOp) {
14757           // Number of uses of the candidates in the vector of values.
14758           assert(SameValuesCounter.empty() &&
14759                  "Reused values counter map is not empty");
14760           for (unsigned Cnt = 0; Cnt < NumReducedVals; ++Cnt) {
14761             if (Cnt >= Pos && Cnt < Pos + ReduxWidth)
14762               continue;
14763             Value *V = Candidates[Cnt];
14764             Value *OrigV = TrackedToOrig.find(V)->second;
14765             ++SameValuesCounter[OrigV];
14766           }
14767         }
14768         SmallPtrSet<Value *, 4> VLScalars(VL.begin(), VL.end());
14769         // Gather externally used values.
14770         SmallPtrSet<Value *, 4> Visited;
14771         for (unsigned Cnt = 0; Cnt < NumReducedVals; ++Cnt) {
14772           if (Cnt >= Pos && Cnt < Pos + ReduxWidth)
14773             continue;
14774           Value *RdxVal = Candidates[Cnt];
14775           if (!Visited.insert(RdxVal).second)
14776             continue;
14777           // Check if the scalar was vectorized as part of the vectorization
14778           // tree but not the top node.
14779           if (!VLScalars.contains(RdxVal) && V.isVectorized(RdxVal)) {
14780             LocalExternallyUsedValues[RdxVal];
14781             continue;
14782           }
14783           Value *OrigV = TrackedToOrig.find(RdxVal)->second;
14784           unsigned NumOps =
14785               VectorizedVals.lookup(RdxVal) + SameValuesCounter[OrigV];
14786           if (NumOps != ReducedValsToOps.find(OrigV)->second.size())
14787             LocalExternallyUsedValues[RdxVal];
14788         }
14789         // Do not need the list of reused scalars in regular mode anymore.
14790         if (!IsSupportedHorRdxIdentityOp)
14791           SameValuesCounter.clear();
14792         for (Value *RdxVal : VL)
14793           if (RequiredExtract.contains(RdxVal))
14794             LocalExternallyUsedValues[RdxVal];
14795         // Update LocalExternallyUsedValues for the scalar, replaced by
14796         // extractelement instructions.
14797         DenseMap<Value *, Value *> ReplacementToExternal;
14798         for (const std::pair<Value *, Value *> &Pair : ReplacedExternals)
14799           ReplacementToExternal.try_emplace(Pair.second, Pair.first);
14800         for (const std::pair<Value *, Value *> &Pair : ReplacedExternals) {
14801           Value *Ext = Pair.first;
14802           auto RIt = ReplacementToExternal.find(Ext);
14803           while (RIt != ReplacementToExternal.end()) {
14804             Ext = RIt->second;
14805             RIt = ReplacementToExternal.find(Ext);
14806           }
14807           auto *It = ExternallyUsedValues.find(Ext);
14808           if (It == ExternallyUsedValues.end())
14809             continue;
14810           LocalExternallyUsedValues[Pair.second].append(It->second);
14811         }
14812         V.buildExternalUses(LocalExternallyUsedValues);
14813 
14814         V.computeMinimumValueSizes();
14815 
14816         // Estimate cost.
14817         InstructionCost TreeCost = V.getTreeCost(VL);
14818         InstructionCost ReductionCost =
14819             getReductionCost(TTI, VL, IsCmpSelMinMax, ReduxWidth, RdxFMF);
14820         InstructionCost Cost = TreeCost + ReductionCost;
14821         LLVM_DEBUG(dbgs() << "SLP: Found cost = " << Cost
14822                           << " for reduction\n");
14823         if (!Cost.isValid())
14824           return nullptr;
14825         if (Cost >= -SLPCostThreshold) {
14826           V.getORE()->emit([&]() {
14827             return OptimizationRemarkMissed(
14828                        SV_NAME, "HorSLPNotBeneficial",
14829                        ReducedValsToOps.find(VL[0])->second.front())
14830                    << "Vectorizing horizontal reduction is possible "
14831                    << "but not beneficial with cost " << ore::NV("Cost", Cost)
14832                    << " and threshold "
14833                    << ore::NV("Threshold", -SLPCostThreshold);
14834           });
14835           if (!AdjustReducedVals())
14836             V.analyzedReductionVals(VL);
14837           continue;
14838         }
14839 
14840         LLVM_DEBUG(dbgs() << "SLP: Vectorizing horizontal reduction at cost:"
14841                           << Cost << ". (HorRdx)\n");
14842         V.getORE()->emit([&]() {
14843           return OptimizationRemark(
14844                      SV_NAME, "VectorizedHorizontalReduction",
14845                      ReducedValsToOps.find(VL[0])->second.front())
14846                  << "Vectorized horizontal reduction with cost "
14847                  << ore::NV("Cost", Cost) << " and with tree size "
14848                  << ore::NV("TreeSize", V.getTreeSize());
14849         });
14850 
14851         Builder.setFastMathFlags(RdxFMF);
14852 
14853         // Emit a reduction. If the root is a select (min/max idiom), the insert
14854         // point is the compare condition of that select.
14855         Instruction *RdxRootInst = cast<Instruction>(ReductionRoot);
14856         Instruction *InsertPt = RdxRootInst;
14857         if (IsCmpSelMinMax)
14858           InsertPt = GetCmpForMinMaxReduction(RdxRootInst);
14859 
14860         // Vectorize a tree.
14861         Value *VectorizedRoot = V.vectorizeTree(LocalExternallyUsedValues,
14862                                                 ReplacedExternals, InsertPt);
14863 
14864         Builder.SetInsertPoint(InsertPt);
14865 
14866         // To prevent poison from leaking across what used to be sequential,
14867         // safe, scalar boolean logic operations, the reduction operand must be
14868         // frozen.
14869         if ((isBoolLogicOp(RdxRootInst) ||
14870              (AnyBoolLogicOp && VL.size() != TrackedVals.size())) &&
14871             !isGuaranteedNotToBePoison(VectorizedRoot))
14872           VectorizedRoot = Builder.CreateFreeze(VectorizedRoot);
14873 
14874         // Emit code to correctly handle reused reduced values, if required.
14875         if (OptReusedScalars && !SameScaleFactor) {
14876           VectorizedRoot =
14877               emitReusedOps(VectorizedRoot, Builder, V.getRootNodeScalars(),
14878                             SameValuesCounter, TrackedToOrig);
14879         }
14880 
14881         Value *ReducedSubTree =
14882             emitReduction(VectorizedRoot, Builder, ReduxWidth, TTI);
14883         if (ReducedSubTree->getType() != VL.front()->getType()) {
14884           ReducedSubTree = Builder.CreateIntCast(
14885               ReducedSubTree, VL.front()->getType(), any_of(VL, [&](Value *R) {
14886                 KnownBits Known = computeKnownBits(
14887                     R, cast<Instruction>(ReductionOps.front().front())
14888                            ->getModule()
14889                            ->getDataLayout());
14890                 return !Known.isNonNegative();
14891               }));
14892         }
14893 
14894         // Improved analysis for add/fadd/xor reductions with same scale factor
14895         // for all operands of reductions. We can emit scalar ops for them
14896         // instead.
14897         if (OptReusedScalars && SameScaleFactor)
14898           ReducedSubTree = emitScaleForReusedOps(
14899               ReducedSubTree, Builder, SameValuesCounter.front().second);
14900 
14901         VectorizedTree = GetNewVectorizedTree(VectorizedTree, ReducedSubTree);
14902         // Count vectorized reduced values to exclude them from final reduction.
14903         for (Value *RdxVal : VL) {
14904           Value *OrigV = TrackedToOrig.find(RdxVal)->second;
14905           if (IsSupportedHorRdxIdentityOp) {
14906             VectorizedVals.try_emplace(OrigV, SameValuesCounter[RdxVal]);
14907             continue;
14908           }
14909           ++VectorizedVals.try_emplace(OrigV, 0).first->getSecond();
14910           if (!V.isVectorized(RdxVal))
14911             RequiredExtract.insert(RdxVal);
14912         }
14913         Pos += ReduxWidth;
14914         Start = Pos;
14915         ReduxWidth = llvm::bit_floor(NumReducedVals - Pos);
14916         AnyVectorized = true;
14917       }
14918       if (OptReusedScalars && !AnyVectorized) {
14919         for (const std::pair<Value *, unsigned> &P : SameValuesCounter) {
14920           Value *RedVal = emitScaleForReusedOps(P.first, Builder, P.second);
14921           VectorizedTree = GetNewVectorizedTree(VectorizedTree, RedVal);
14922           Value *OrigV = TrackedToOrig.find(P.first)->second;
14923           VectorizedVals.try_emplace(OrigV, P.second);
14924         }
14925         continue;
14926       }
14927     }
14928     if (VectorizedTree) {
14929       // Reorder operands of bool logical op in the natural order to avoid
14930       // possible problem with poison propagation. If not possible to reorder
14931       // (both operands are originally RHS), emit an extra freeze instruction
14932       // for the LHS operand.
14933       // I.e., if we have original code like this:
14934       // RedOp1 = select i1 ?, i1 LHS, i1 false
14935       // RedOp2 = select i1 RHS, i1 ?, i1 false
14936 
14937       // Then, we swap LHS/RHS to create a new op that matches the poison
14938       // semantics of the original code.
14939 
14940       // If we have original code like this and both values could be poison:
14941       // RedOp1 = select i1 ?, i1 LHS, i1 false
14942       // RedOp2 = select i1 ?, i1 RHS, i1 false
14943 
14944       // Then, we must freeze LHS in the new op.
14945       auto FixBoolLogicalOps = [&, VectorizedTree](Value *&LHS, Value *&RHS,
14946                                                    Instruction *RedOp1,
14947                                                    Instruction *RedOp2,
14948                                                    bool InitStep) {
14949         if (!AnyBoolLogicOp)
14950           return;
14951         if (isBoolLogicOp(RedOp1) &&
14952             ((!InitStep && LHS == VectorizedTree) ||
14953              getRdxOperand(RedOp1, 0) == LHS || isGuaranteedNotToBePoison(LHS)))
14954           return;
14955         if (isBoolLogicOp(RedOp2) && ((!InitStep && RHS == VectorizedTree) ||
14956                                       getRdxOperand(RedOp2, 0) == RHS ||
14957                                       isGuaranteedNotToBePoison(RHS))) {
14958           std::swap(LHS, RHS);
14959           return;
14960         }
14961         if (LHS != VectorizedTree)
14962           LHS = Builder.CreateFreeze(LHS);
14963       };
14964       // Finish the reduction.
14965       // Need to add extra arguments and not vectorized possible reduction
14966       // values.
14967       // Try to avoid dependencies between the scalar remainders after
14968       // reductions.
14969       auto FinalGen =
14970           [&](ArrayRef<std::pair<Instruction *, Value *>> InstVals,
14971               bool InitStep) {
14972             unsigned Sz = InstVals.size();
14973             SmallVector<std::pair<Instruction *, Value *>> ExtraReds(Sz / 2 +
14974                                                                      Sz % 2);
14975             for (unsigned I = 0, E = (Sz / 2) * 2; I < E; I += 2) {
14976               Instruction *RedOp = InstVals[I + 1].first;
14977               Builder.SetCurrentDebugLocation(RedOp->getDebugLoc());
14978               Value *RdxVal1 = InstVals[I].second;
14979               Value *StableRdxVal1 = RdxVal1;
14980               auto It1 = TrackedVals.find(RdxVal1);
14981               if (It1 != TrackedVals.end())
14982                 StableRdxVal1 = It1->second;
14983               Value *RdxVal2 = InstVals[I + 1].second;
14984               Value *StableRdxVal2 = RdxVal2;
14985               auto It2 = TrackedVals.find(RdxVal2);
14986               if (It2 != TrackedVals.end())
14987                 StableRdxVal2 = It2->second;
14988               // To prevent poison from leaking across what used to be
14989               // sequential, safe, scalar boolean logic operations, the
14990               // reduction operand must be frozen.
14991               FixBoolLogicalOps(StableRdxVal1, StableRdxVal2, InstVals[I].first,
14992                                 RedOp, InitStep);
14993               Value *ExtraRed = createOp(Builder, RdxKind, StableRdxVal1,
14994                                          StableRdxVal2, "op.rdx", ReductionOps);
14995               ExtraReds[I / 2] = std::make_pair(InstVals[I].first, ExtraRed);
14996             }
14997             if (Sz % 2 == 1)
14998               ExtraReds[Sz / 2] = InstVals.back();
14999             return ExtraReds;
15000           };
15001       SmallVector<std::pair<Instruction *, Value *>> ExtraReductions;
15002       ExtraReductions.emplace_back(cast<Instruction>(ReductionRoot),
15003                                    VectorizedTree);
15004       SmallPtrSet<Value *, 8> Visited;
15005       for (ArrayRef<Value *> Candidates : ReducedVals) {
15006         for (Value *RdxVal : Candidates) {
15007           if (!Visited.insert(RdxVal).second)
15008             continue;
15009           unsigned NumOps = VectorizedVals.lookup(RdxVal);
15010           for (Instruction *RedOp :
15011                ArrayRef(ReducedValsToOps.find(RdxVal)->second)
15012                    .drop_back(NumOps))
15013             ExtraReductions.emplace_back(RedOp, RdxVal);
15014         }
15015       }
15016       for (auto &Pair : ExternallyUsedValues) {
15017         // Add each externally used value to the final reduction.
15018         for (auto *I : Pair.second)
15019           ExtraReductions.emplace_back(I, Pair.first);
15020       }
15021       // Iterate through all not-vectorized reduction values/extra arguments.
15022       bool InitStep = true;
15023       while (ExtraReductions.size() > 1) {
15024         VectorizedTree = ExtraReductions.front().second;
15025         SmallVector<std::pair<Instruction *, Value *>> NewReds =
15026             FinalGen(ExtraReductions, InitStep);
15027         ExtraReductions.swap(NewReds);
15028         InitStep = false;
15029       }
15030       VectorizedTree = ExtraReductions.front().second;
15031 
15032       ReductionRoot->replaceAllUsesWith(VectorizedTree);
15033 
15034       // The original scalar reduction is expected to have no remaining
15035       // uses outside the reduction tree itself.  Assert that we got this
15036       // correct, replace internal uses with undef, and mark for eventual
15037       // deletion.
15038 #ifndef NDEBUG
15039       SmallSet<Value *, 4> IgnoreSet;
15040       for (ArrayRef<Value *> RdxOps : ReductionOps)
15041         IgnoreSet.insert(RdxOps.begin(), RdxOps.end());
15042 #endif
15043       for (ArrayRef<Value *> RdxOps : ReductionOps) {
15044         for (Value *Ignore : RdxOps) {
15045           if (!Ignore)
15046             continue;
15047 #ifndef NDEBUG
15048           for (auto *U : Ignore->users()) {
15049             assert(IgnoreSet.count(U) &&
15050                    "All users must be either in the reduction ops list.");
15051           }
15052 #endif
15053           if (!Ignore->use_empty()) {
15054             Value *Undef = UndefValue::get(Ignore->getType());
15055             Ignore->replaceAllUsesWith(Undef);
15056           }
15057           V.eraseInstruction(cast<Instruction>(Ignore));
15058         }
15059       }
15060     } else if (!CheckForReusedReductionOps) {
15061       for (ReductionOpsType &RdxOps : ReductionOps)
15062         for (Value *RdxOp : RdxOps)
15063           V.analyzedReductionRoot(cast<Instruction>(RdxOp));
15064     }
15065     return VectorizedTree;
15066   }
15067 
15068 private:
15069   /// Calculate the cost of a reduction.
15070   InstructionCost getReductionCost(TargetTransformInfo *TTI,
15071                                    ArrayRef<Value *> ReducedVals,
15072                                    bool IsCmpSelMinMax, unsigned ReduxWidth,
15073                                    FastMathFlags FMF) {
15074     TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
15075     Type *ScalarTy = ReducedVals.front()->getType();
15076     FixedVectorType *VectorTy = FixedVectorType::get(ScalarTy, ReduxWidth);
15077     InstructionCost VectorCost = 0, ScalarCost;
15078     // If all of the reduced values are constant, the vector cost is 0, since
15079     // the reduction value can be calculated at the compile time.
15080     bool AllConsts = allConstant(ReducedVals);
15081     auto EvaluateScalarCost = [&](function_ref<InstructionCost()> GenCostFn) {
15082       InstructionCost Cost = 0;
15083       // Scalar cost is repeated for N-1 elements.
15084       int Cnt = ReducedVals.size();
15085       for (Value *RdxVal : ReducedVals) {
15086         if (Cnt == 1)
15087           break;
15088         --Cnt;
15089         if (RdxVal->hasNUsesOrMore(IsCmpSelMinMax ? 3 : 2)) {
15090           Cost += GenCostFn();
15091           continue;
15092         }
15093         InstructionCost ScalarCost = 0;
15094         for (User *U : RdxVal->users()) {
15095           auto *RdxOp = cast<Instruction>(U);
15096           if (hasRequiredNumberOfUses(IsCmpSelMinMax, RdxOp)) {
15097             ScalarCost += TTI->getInstructionCost(RdxOp, CostKind);
15098             continue;
15099           }
15100           ScalarCost = InstructionCost::getInvalid();
15101           break;
15102         }
15103         if (ScalarCost.isValid())
15104           Cost += ScalarCost;
15105         else
15106           Cost += GenCostFn();
15107       }
15108       return Cost;
15109     };
15110     switch (RdxKind) {
15111     case RecurKind::Add:
15112     case RecurKind::Mul:
15113     case RecurKind::Or:
15114     case RecurKind::And:
15115     case RecurKind::Xor:
15116     case RecurKind::FAdd:
15117     case RecurKind::FMul: {
15118       unsigned RdxOpcode = RecurrenceDescriptor::getOpcode(RdxKind);
15119       if (!AllConsts)
15120         VectorCost =
15121             TTI->getArithmeticReductionCost(RdxOpcode, VectorTy, FMF, CostKind);
15122       ScalarCost = EvaluateScalarCost([&]() {
15123         return TTI->getArithmeticInstrCost(RdxOpcode, ScalarTy, CostKind);
15124       });
15125       break;
15126     }
15127     case RecurKind::FMax:
15128     case RecurKind::FMin:
15129     case RecurKind::FMaximum:
15130     case RecurKind::FMinimum:
15131     case RecurKind::SMax:
15132     case RecurKind::SMin:
15133     case RecurKind::UMax:
15134     case RecurKind::UMin: {
15135       Intrinsic::ID Id = getMinMaxReductionIntrinsicOp(RdxKind);
15136       if (!AllConsts)
15137         VectorCost = TTI->getMinMaxReductionCost(Id, VectorTy, FMF, CostKind);
15138       ScalarCost = EvaluateScalarCost([&]() {
15139         IntrinsicCostAttributes ICA(Id, ScalarTy, {ScalarTy, ScalarTy}, FMF);
15140         return TTI->getIntrinsicInstrCost(ICA, CostKind);
15141       });
15142       break;
15143     }
15144     default:
15145       llvm_unreachable("Expected arithmetic or min/max reduction operation");
15146     }
15147 
15148     LLVM_DEBUG(dbgs() << "SLP: Adding cost " << VectorCost - ScalarCost
15149                       << " for reduction of " << shortBundleName(ReducedVals)
15150                       << " (It is a splitting reduction)\n");
15151     return VectorCost - ScalarCost;
15152   }
15153 
15154   /// Emit a horizontal reduction of the vectorized value.
15155   Value *emitReduction(Value *VectorizedValue, IRBuilder<> &Builder,
15156                        unsigned ReduxWidth, const TargetTransformInfo *TTI) {
15157     assert(VectorizedValue && "Need to have a vectorized tree node");
15158     assert(isPowerOf2_32(ReduxWidth) &&
15159            "We only handle power-of-two reductions for now");
15160     assert(RdxKind != RecurKind::FMulAdd &&
15161            "A call to the llvm.fmuladd intrinsic is not handled yet");
15162 
15163     ++NumVectorInstructions;
15164     return createSimpleTargetReduction(Builder, VectorizedValue, RdxKind);
15165   }
15166 
15167   /// Emits optimized code for unique scalar value reused \p Cnt times.
15168   Value *emitScaleForReusedOps(Value *VectorizedValue, IRBuilderBase &Builder,
15169                                unsigned Cnt) {
15170     assert(IsSupportedHorRdxIdentityOp &&
15171            "The optimization of matched scalar identity horizontal reductions "
15172            "must be supported.");
15173     switch (RdxKind) {
15174     case RecurKind::Add: {
15175       // res = mul vv, n
15176       Value *Scale = ConstantInt::get(VectorizedValue->getType(), Cnt);
15177       LLVM_DEBUG(dbgs() << "SLP: Add (to-mul) " << Cnt << "of "
15178                         << VectorizedValue << ". (HorRdx)\n");
15179       return Builder.CreateMul(VectorizedValue, Scale);
15180     }
15181     case RecurKind::Xor: {
15182       // res = n % 2 ? 0 : vv
15183       LLVM_DEBUG(dbgs() << "SLP: Xor " << Cnt << "of " << VectorizedValue
15184                         << ". (HorRdx)\n");
15185       if (Cnt % 2 == 0)
15186         return Constant::getNullValue(VectorizedValue->getType());
15187       return VectorizedValue;
15188     }
15189     case RecurKind::FAdd: {
15190       // res = fmul v, n
15191       Value *Scale = ConstantFP::get(VectorizedValue->getType(), Cnt);
15192       LLVM_DEBUG(dbgs() << "SLP: FAdd (to-fmul) " << Cnt << "of "
15193                         << VectorizedValue << ". (HorRdx)\n");
15194       return Builder.CreateFMul(VectorizedValue, Scale);
15195     }
15196     case RecurKind::And:
15197     case RecurKind::Or:
15198     case RecurKind::SMax:
15199     case RecurKind::SMin:
15200     case RecurKind::UMax:
15201     case RecurKind::UMin:
15202     case RecurKind::FMax:
15203     case RecurKind::FMin:
15204     case RecurKind::FMaximum:
15205     case RecurKind::FMinimum:
15206       // res = vv
15207       return VectorizedValue;
15208     case RecurKind::Mul:
15209     case RecurKind::FMul:
15210     case RecurKind::FMulAdd:
15211     case RecurKind::IAnyOf:
15212     case RecurKind::FAnyOf:
15213     case RecurKind::None:
15214       llvm_unreachable("Unexpected reduction kind for repeated scalar.");
15215     }
15216     return nullptr;
15217   }
15218 
15219   /// Emits actual operation for the scalar identity values, found during
15220   /// horizontal reduction analysis.
15221   Value *emitReusedOps(Value *VectorizedValue, IRBuilderBase &Builder,
15222                        ArrayRef<Value *> VL,
15223                        const MapVector<Value *, unsigned> &SameValuesCounter,
15224                        const DenseMap<Value *, Value *> &TrackedToOrig) {
15225     assert(IsSupportedHorRdxIdentityOp &&
15226            "The optimization of matched scalar identity horizontal reductions "
15227            "must be supported.");
15228     auto *VTy = cast<FixedVectorType>(VectorizedValue->getType());
15229     if (VTy->getElementType() != VL.front()->getType()) {
15230       VectorizedValue = Builder.CreateIntCast(
15231           VectorizedValue,
15232           FixedVectorType::get(VL.front()->getType(), VTy->getNumElements()),
15233           any_of(VL, [&](Value *R) {
15234             KnownBits Known = computeKnownBits(
15235                 R, cast<Instruction>(ReductionOps.front().front())
15236                        ->getModule()
15237                        ->getDataLayout());
15238             return !Known.isNonNegative();
15239           }));
15240     }
15241     switch (RdxKind) {
15242     case RecurKind::Add: {
15243       // root = mul prev_root, <1, 1, n, 1>
15244       SmallVector<Constant *> Vals;
15245       for (Value *V : VL) {
15246         unsigned Cnt = SameValuesCounter.lookup(TrackedToOrig.find(V)->second);
15247         Vals.push_back(ConstantInt::get(V->getType(), Cnt, /*IsSigned=*/false));
15248       }
15249       auto *Scale = ConstantVector::get(Vals);
15250       LLVM_DEBUG(dbgs() << "SLP: Add (to-mul) " << Scale << "of "
15251                         << VectorizedValue << ". (HorRdx)\n");
15252       return Builder.CreateMul(VectorizedValue, Scale);
15253     }
15254     case RecurKind::And:
15255     case RecurKind::Or:
15256       // No need for multiple or/and(s).
15257       LLVM_DEBUG(dbgs() << "SLP: And/or of same " << VectorizedValue
15258                         << ". (HorRdx)\n");
15259       return VectorizedValue;
15260     case RecurKind::SMax:
15261     case RecurKind::SMin:
15262     case RecurKind::UMax:
15263     case RecurKind::UMin:
15264     case RecurKind::FMax:
15265     case RecurKind::FMin:
15266     case RecurKind::FMaximum:
15267     case RecurKind::FMinimum:
15268       // No need for multiple min/max(s) of the same value.
15269       LLVM_DEBUG(dbgs() << "SLP: Max/min of same " << VectorizedValue
15270                         << ". (HorRdx)\n");
15271       return VectorizedValue;
15272     case RecurKind::Xor: {
15273       // Replace values with even number of repeats with 0, since
15274       // x xor x = 0.
15275       // root = shuffle prev_root, zeroinitalizer, <0, 1, 2, vf, 4, vf, 5, 6,
15276       // 7>, if elements 4th and 6th elements have even number of repeats.
15277       SmallVector<int> Mask(
15278           cast<FixedVectorType>(VectorizedValue->getType())->getNumElements(),
15279           PoisonMaskElem);
15280       std::iota(Mask.begin(), Mask.end(), 0);
15281       bool NeedShuffle = false;
15282       for (unsigned I = 0, VF = VL.size(); I < VF; ++I) {
15283         Value *V = VL[I];
15284         unsigned Cnt = SameValuesCounter.lookup(TrackedToOrig.find(V)->second);
15285         if (Cnt % 2 == 0) {
15286           Mask[I] = VF;
15287           NeedShuffle = true;
15288         }
15289       }
15290       LLVM_DEBUG(dbgs() << "SLP: Xor <"; for (int I
15291                                               : Mask) dbgs()
15292                                          << I << " ";
15293                  dbgs() << "> of " << VectorizedValue << ". (HorRdx)\n");
15294       if (NeedShuffle)
15295         VectorizedValue = Builder.CreateShuffleVector(
15296             VectorizedValue,
15297             ConstantVector::getNullValue(VectorizedValue->getType()), Mask);
15298       return VectorizedValue;
15299     }
15300     case RecurKind::FAdd: {
15301       // root = fmul prev_root, <1.0, 1.0, n.0, 1.0>
15302       SmallVector<Constant *> Vals;
15303       for (Value *V : VL) {
15304         unsigned Cnt = SameValuesCounter.lookup(TrackedToOrig.find(V)->second);
15305         Vals.push_back(ConstantFP::get(V->getType(), Cnt));
15306       }
15307       auto *Scale = ConstantVector::get(Vals);
15308       return Builder.CreateFMul(VectorizedValue, Scale);
15309     }
15310     case RecurKind::Mul:
15311     case RecurKind::FMul:
15312     case RecurKind::FMulAdd:
15313     case RecurKind::IAnyOf:
15314     case RecurKind::FAnyOf:
15315     case RecurKind::None:
15316       llvm_unreachable("Unexpected reduction kind for reused scalars.");
15317     }
15318     return nullptr;
15319   }
15320 };
15321 } // end anonymous namespace
15322 
15323 static std::optional<unsigned> getAggregateSize(Instruction *InsertInst) {
15324   if (auto *IE = dyn_cast<InsertElementInst>(InsertInst))
15325     return cast<FixedVectorType>(IE->getType())->getNumElements();
15326 
15327   unsigned AggregateSize = 1;
15328   auto *IV = cast<InsertValueInst>(InsertInst);
15329   Type *CurrentType = IV->getType();
15330   do {
15331     if (auto *ST = dyn_cast<StructType>(CurrentType)) {
15332       for (auto *Elt : ST->elements())
15333         if (Elt != ST->getElementType(0)) // check homogeneity
15334           return std::nullopt;
15335       AggregateSize *= ST->getNumElements();
15336       CurrentType = ST->getElementType(0);
15337     } else if (auto *AT = dyn_cast<ArrayType>(CurrentType)) {
15338       AggregateSize *= AT->getNumElements();
15339       CurrentType = AT->getElementType();
15340     } else if (auto *VT = dyn_cast<FixedVectorType>(CurrentType)) {
15341       AggregateSize *= VT->getNumElements();
15342       return AggregateSize;
15343     } else if (CurrentType->isSingleValueType()) {
15344       return AggregateSize;
15345     } else {
15346       return std::nullopt;
15347     }
15348   } while (true);
15349 }
15350 
15351 static void findBuildAggregate_rec(Instruction *LastInsertInst,
15352                                    TargetTransformInfo *TTI,
15353                                    SmallVectorImpl<Value *> &BuildVectorOpds,
15354                                    SmallVectorImpl<Value *> &InsertElts,
15355                                    unsigned OperandOffset) {
15356   do {
15357     Value *InsertedOperand = LastInsertInst->getOperand(1);
15358     std::optional<unsigned> OperandIndex =
15359         getInsertIndex(LastInsertInst, OperandOffset);
15360     if (!OperandIndex)
15361       return;
15362     if (isa<InsertElementInst, InsertValueInst>(InsertedOperand)) {
15363       findBuildAggregate_rec(cast<Instruction>(InsertedOperand), TTI,
15364                              BuildVectorOpds, InsertElts, *OperandIndex);
15365 
15366     } else {
15367       BuildVectorOpds[*OperandIndex] = InsertedOperand;
15368       InsertElts[*OperandIndex] = LastInsertInst;
15369     }
15370     LastInsertInst = dyn_cast<Instruction>(LastInsertInst->getOperand(0));
15371   } while (LastInsertInst != nullptr &&
15372            isa<InsertValueInst, InsertElementInst>(LastInsertInst) &&
15373            LastInsertInst->hasOneUse());
15374 }
15375 
15376 /// Recognize construction of vectors like
15377 ///  %ra = insertelement <4 x float> poison, float %s0, i32 0
15378 ///  %rb = insertelement <4 x float> %ra, float %s1, i32 1
15379 ///  %rc = insertelement <4 x float> %rb, float %s2, i32 2
15380 ///  %rd = insertelement <4 x float> %rc, float %s3, i32 3
15381 ///  starting from the last insertelement or insertvalue instruction.
15382 ///
15383 /// Also recognize homogeneous aggregates like {<2 x float>, <2 x float>},
15384 /// {{float, float}, {float, float}}, [2 x {float, float}] and so on.
15385 /// See llvm/test/Transforms/SLPVectorizer/X86/pr42022.ll for examples.
15386 ///
15387 /// Assume LastInsertInst is of InsertElementInst or InsertValueInst type.
15388 ///
15389 /// \return true if it matches.
15390 static bool findBuildAggregate(Instruction *LastInsertInst,
15391                                TargetTransformInfo *TTI,
15392                                SmallVectorImpl<Value *> &BuildVectorOpds,
15393                                SmallVectorImpl<Value *> &InsertElts) {
15394 
15395   assert((isa<InsertElementInst>(LastInsertInst) ||
15396           isa<InsertValueInst>(LastInsertInst)) &&
15397          "Expected insertelement or insertvalue instruction!");
15398 
15399   assert((BuildVectorOpds.empty() && InsertElts.empty()) &&
15400          "Expected empty result vectors!");
15401 
15402   std::optional<unsigned> AggregateSize = getAggregateSize(LastInsertInst);
15403   if (!AggregateSize)
15404     return false;
15405   BuildVectorOpds.resize(*AggregateSize);
15406   InsertElts.resize(*AggregateSize);
15407 
15408   findBuildAggregate_rec(LastInsertInst, TTI, BuildVectorOpds, InsertElts, 0);
15409   llvm::erase(BuildVectorOpds, nullptr);
15410   llvm::erase(InsertElts, nullptr);
15411   if (BuildVectorOpds.size() >= 2)
15412     return true;
15413 
15414   return false;
15415 }
15416 
15417 /// Try and get a reduction instruction from a phi node.
15418 ///
15419 /// Given a phi node \p P in a block \p ParentBB, consider possible reductions
15420 /// if they come from either \p ParentBB or a containing loop latch.
15421 ///
15422 /// \returns A candidate reduction value if possible, or \code nullptr \endcode
15423 /// if not possible.
15424 static Instruction *getReductionInstr(const DominatorTree *DT, PHINode *P,
15425                                       BasicBlock *ParentBB, LoopInfo *LI) {
15426   // There are situations where the reduction value is not dominated by the
15427   // reduction phi. Vectorizing such cases has been reported to cause
15428   // miscompiles. See PR25787.
15429   auto DominatedReduxValue = [&](Value *R) {
15430     return isa<Instruction>(R) &&
15431            DT->dominates(P->getParent(), cast<Instruction>(R)->getParent());
15432   };
15433 
15434   Instruction *Rdx = nullptr;
15435 
15436   // Return the incoming value if it comes from the same BB as the phi node.
15437   if (P->getIncomingBlock(0) == ParentBB) {
15438     Rdx = dyn_cast<Instruction>(P->getIncomingValue(0));
15439   } else if (P->getIncomingBlock(1) == ParentBB) {
15440     Rdx = dyn_cast<Instruction>(P->getIncomingValue(1));
15441   }
15442 
15443   if (Rdx && DominatedReduxValue(Rdx))
15444     return Rdx;
15445 
15446   // Otherwise, check whether we have a loop latch to look at.
15447   Loop *BBL = LI->getLoopFor(ParentBB);
15448   if (!BBL)
15449     return nullptr;
15450   BasicBlock *BBLatch = BBL->getLoopLatch();
15451   if (!BBLatch)
15452     return nullptr;
15453 
15454   // There is a loop latch, return the incoming value if it comes from
15455   // that. This reduction pattern occasionally turns up.
15456   if (P->getIncomingBlock(0) == BBLatch) {
15457     Rdx = dyn_cast<Instruction>(P->getIncomingValue(0));
15458   } else if (P->getIncomingBlock(1) == BBLatch) {
15459     Rdx = dyn_cast<Instruction>(P->getIncomingValue(1));
15460   }
15461 
15462   if (Rdx && DominatedReduxValue(Rdx))
15463     return Rdx;
15464 
15465   return nullptr;
15466 }
15467 
15468 static bool matchRdxBop(Instruction *I, Value *&V0, Value *&V1) {
15469   if (match(I, m_BinOp(m_Value(V0), m_Value(V1))))
15470     return true;
15471   if (match(I, m_Intrinsic<Intrinsic::maxnum>(m_Value(V0), m_Value(V1))))
15472     return true;
15473   if (match(I, m_Intrinsic<Intrinsic::minnum>(m_Value(V0), m_Value(V1))))
15474     return true;
15475   if (match(I, m_Intrinsic<Intrinsic::maximum>(m_Value(V0), m_Value(V1))))
15476     return true;
15477   if (match(I, m_Intrinsic<Intrinsic::minimum>(m_Value(V0), m_Value(V1))))
15478     return true;
15479   if (match(I, m_Intrinsic<Intrinsic::smax>(m_Value(V0), m_Value(V1))))
15480     return true;
15481   if (match(I, m_Intrinsic<Intrinsic::smin>(m_Value(V0), m_Value(V1))))
15482     return true;
15483   if (match(I, m_Intrinsic<Intrinsic::umax>(m_Value(V0), m_Value(V1))))
15484     return true;
15485   if (match(I, m_Intrinsic<Intrinsic::umin>(m_Value(V0), m_Value(V1))))
15486     return true;
15487   return false;
15488 }
15489 
15490 /// We could have an initial reduction that is not an add.
15491 ///  r *= v1 + v2 + v3 + v4
15492 /// In such a case start looking for a tree rooted in the first '+'.
15493 /// \Returns the new root if found, which may be nullptr if not an instruction.
15494 static Instruction *tryGetSecondaryReductionRoot(PHINode *Phi,
15495                                                  Instruction *Root) {
15496   assert((isa<BinaryOperator>(Root) || isa<SelectInst>(Root) ||
15497           isa<IntrinsicInst>(Root)) &&
15498          "Expected binop, select, or intrinsic for reduction matching");
15499   Value *LHS =
15500       Root->getOperand(HorizontalReduction::getFirstOperandIndex(Root));
15501   Value *RHS =
15502       Root->getOperand(HorizontalReduction::getFirstOperandIndex(Root) + 1);
15503   if (LHS == Phi)
15504     return dyn_cast<Instruction>(RHS);
15505   if (RHS == Phi)
15506     return dyn_cast<Instruction>(LHS);
15507   return nullptr;
15508 }
15509 
15510 /// \p Returns the first operand of \p I that does not match \p Phi. If
15511 /// operand is not an instruction it returns nullptr.
15512 static Instruction *getNonPhiOperand(Instruction *I, PHINode *Phi) {
15513   Value *Op0 = nullptr;
15514   Value *Op1 = nullptr;
15515   if (!matchRdxBop(I, Op0, Op1))
15516     return nullptr;
15517   return dyn_cast<Instruction>(Op0 == Phi ? Op1 : Op0);
15518 }
15519 
15520 /// \Returns true if \p I is a candidate instruction for reduction vectorization.
15521 static bool isReductionCandidate(Instruction *I) {
15522   bool IsSelect = match(I, m_Select(m_Value(), m_Value(), m_Value()));
15523   Value *B0 = nullptr, *B1 = nullptr;
15524   bool IsBinop = matchRdxBop(I, B0, B1);
15525   return IsBinop || IsSelect;
15526 }
15527 
15528 bool SLPVectorizerPass::vectorizeHorReduction(
15529     PHINode *P, Instruction *Root, BasicBlock *BB, BoUpSLP &R, TargetTransformInfo *TTI,
15530     SmallVectorImpl<WeakTrackingVH> &PostponedInsts) {
15531   if (!ShouldVectorizeHor)
15532     return false;
15533   bool TryOperandsAsNewSeeds = P && isa<BinaryOperator>(Root);
15534 
15535   if (Root->getParent() != BB || isa<PHINode>(Root))
15536     return false;
15537 
15538   // If we can find a secondary reduction root, use that instead.
15539   auto SelectRoot = [&]() {
15540     if (TryOperandsAsNewSeeds && isReductionCandidate(Root) &&
15541         HorizontalReduction::getRdxKind(Root) != RecurKind::None)
15542       if (Instruction *NewRoot = tryGetSecondaryReductionRoot(P, Root))
15543         return NewRoot;
15544     return Root;
15545   };
15546 
15547   // Start analysis starting from Root instruction. If horizontal reduction is
15548   // found, try to vectorize it. If it is not a horizontal reduction or
15549   // vectorization is not possible or not effective, and currently analyzed
15550   // instruction is a binary operation, try to vectorize the operands, using
15551   // pre-order DFS traversal order. If the operands were not vectorized, repeat
15552   // the same procedure considering each operand as a possible root of the
15553   // horizontal reduction.
15554   // Interrupt the process if the Root instruction itself was vectorized or all
15555   // sub-trees not higher that RecursionMaxDepth were analyzed/vectorized.
15556   // If a horizintal reduction was not matched or vectorized we collect
15557   // instructions for possible later attempts for vectorization.
15558   std::queue<std::pair<Instruction *, unsigned>> Stack;
15559   Stack.emplace(SelectRoot(), 0);
15560   SmallPtrSet<Value *, 8> VisitedInstrs;
15561   bool Res = false;
15562   auto &&TryToReduce = [this, TTI, &R](Instruction *Inst) -> Value * {
15563     if (R.isAnalyzedReductionRoot(Inst))
15564       return nullptr;
15565     if (!isReductionCandidate(Inst))
15566       return nullptr;
15567     HorizontalReduction HorRdx;
15568     if (!HorRdx.matchAssociativeReduction(R, Inst, *SE, *DL, *TLI))
15569       return nullptr;
15570     return HorRdx.tryToReduce(R, TTI, *TLI);
15571   };
15572   auto TryAppendToPostponedInsts = [&](Instruction *FutureSeed) {
15573     if (TryOperandsAsNewSeeds && FutureSeed == Root) {
15574       FutureSeed = getNonPhiOperand(Root, P);
15575       if (!FutureSeed)
15576         return false;
15577     }
15578     // Do not collect CmpInst or InsertElementInst/InsertValueInst as their
15579     // analysis is done separately.
15580     if (!isa<CmpInst, InsertElementInst, InsertValueInst>(FutureSeed))
15581       PostponedInsts.push_back(FutureSeed);
15582     return true;
15583   };
15584 
15585   while (!Stack.empty()) {
15586     Instruction *Inst;
15587     unsigned Level;
15588     std::tie(Inst, Level) = Stack.front();
15589     Stack.pop();
15590     // Do not try to analyze instruction that has already been vectorized.
15591     // This may happen when we vectorize instruction operands on a previous
15592     // iteration while stack was populated before that happened.
15593     if (R.isDeleted(Inst))
15594       continue;
15595     if (Value *VectorizedV = TryToReduce(Inst)) {
15596       Res = true;
15597       if (auto *I = dyn_cast<Instruction>(VectorizedV)) {
15598         // Try to find another reduction.
15599         Stack.emplace(I, Level);
15600         continue;
15601       }
15602     } else {
15603       // We could not vectorize `Inst` so try to use it as a future seed.
15604       if (!TryAppendToPostponedInsts(Inst)) {
15605         assert(Stack.empty() && "Expected empty stack");
15606         break;
15607       }
15608     }
15609 
15610     // Try to vectorize operands.
15611     // Continue analysis for the instruction from the same basic block only to
15612     // save compile time.
15613     if (++Level < RecursionMaxDepth)
15614       for (auto *Op : Inst->operand_values())
15615         if (VisitedInstrs.insert(Op).second)
15616           if (auto *I = dyn_cast<Instruction>(Op))
15617             // Do not try to vectorize CmpInst operands,  this is done
15618             // separately.
15619             if (!isa<PHINode, CmpInst, InsertElementInst, InsertValueInst>(I) &&
15620                 !R.isDeleted(I) && I->getParent() == BB)
15621               Stack.emplace(I, Level);
15622   }
15623   return Res;
15624 }
15625 
15626 bool SLPVectorizerPass::vectorizeRootInstruction(PHINode *P, Instruction *Root,
15627                                                  BasicBlock *BB, BoUpSLP &R,
15628                                                  TargetTransformInfo *TTI) {
15629   SmallVector<WeakTrackingVH> PostponedInsts;
15630   bool Res = vectorizeHorReduction(P, Root, BB, R, TTI, PostponedInsts);
15631   Res |= tryToVectorize(PostponedInsts, R);
15632   return Res;
15633 }
15634 
15635 bool SLPVectorizerPass::tryToVectorize(ArrayRef<WeakTrackingVH> Insts,
15636                                        BoUpSLP &R) {
15637   bool Res = false;
15638   for (Value *V : Insts)
15639     if (auto *Inst = dyn_cast<Instruction>(V); Inst && !R.isDeleted(Inst))
15640       Res |= tryToVectorize(Inst, R);
15641   return Res;
15642 }
15643 
15644 bool SLPVectorizerPass::vectorizeInsertValueInst(InsertValueInst *IVI,
15645                                                  BasicBlock *BB, BoUpSLP &R) {
15646   if (!R.canMapToVector(IVI->getType()))
15647     return false;
15648 
15649   SmallVector<Value *, 16> BuildVectorOpds;
15650   SmallVector<Value *, 16> BuildVectorInsts;
15651   if (!findBuildAggregate(IVI, TTI, BuildVectorOpds, BuildVectorInsts))
15652     return false;
15653 
15654   LLVM_DEBUG(dbgs() << "SLP: array mappable to vector: " << *IVI << "\n");
15655   // Aggregate value is unlikely to be processed in vector register.
15656   return tryToVectorizeList(BuildVectorOpds, R);
15657 }
15658 
15659 bool SLPVectorizerPass::vectorizeInsertElementInst(InsertElementInst *IEI,
15660                                                    BasicBlock *BB, BoUpSLP &R) {
15661   SmallVector<Value *, 16> BuildVectorInsts;
15662   SmallVector<Value *, 16> BuildVectorOpds;
15663   SmallVector<int> Mask;
15664   if (!findBuildAggregate(IEI, TTI, BuildVectorOpds, BuildVectorInsts) ||
15665       (llvm::all_of(
15666            BuildVectorOpds,
15667            [](Value *V) { return isa<ExtractElementInst, UndefValue>(V); }) &&
15668        isFixedVectorShuffle(BuildVectorOpds, Mask)))
15669     return false;
15670 
15671   LLVM_DEBUG(dbgs() << "SLP: array mappable to vector: " << *IEI << "\n");
15672   return tryToVectorizeList(BuildVectorInsts, R);
15673 }
15674 
15675 template <typename T>
15676 static bool tryToVectorizeSequence(
15677     SmallVectorImpl<T *> &Incoming, function_ref<bool(T *, T *)> Comparator,
15678     function_ref<bool(T *, T *)> AreCompatible,
15679     function_ref<bool(ArrayRef<T *>, bool)> TryToVectorizeHelper,
15680     bool MaxVFOnly, BoUpSLP &R) {
15681   bool Changed = false;
15682   // Sort by type, parent, operands.
15683   stable_sort(Incoming, Comparator);
15684 
15685   // Try to vectorize elements base on their type.
15686   SmallVector<T *> Candidates;
15687   for (auto *IncIt = Incoming.begin(), *E = Incoming.end(); IncIt != E;) {
15688     // Look for the next elements with the same type, parent and operand
15689     // kinds.
15690     auto *SameTypeIt = IncIt;
15691     while (SameTypeIt != E && AreCompatible(*SameTypeIt, *IncIt))
15692       ++SameTypeIt;
15693 
15694     // Try to vectorize them.
15695     unsigned NumElts = (SameTypeIt - IncIt);
15696     LLVM_DEBUG(dbgs() << "SLP: Trying to vectorize starting at nodes ("
15697                       << NumElts << ")\n");
15698     // The vectorization is a 3-state attempt:
15699     // 1. Try to vectorize instructions with the same/alternate opcodes with the
15700     // size of maximal register at first.
15701     // 2. Try to vectorize remaining instructions with the same type, if
15702     // possible. This may result in the better vectorization results rather than
15703     // if we try just to vectorize instructions with the same/alternate opcodes.
15704     // 3. Final attempt to try to vectorize all instructions with the
15705     // same/alternate ops only, this may result in some extra final
15706     // vectorization.
15707     if (NumElts > 1 &&
15708         TryToVectorizeHelper(ArrayRef(IncIt, NumElts), MaxVFOnly)) {
15709       // Success start over because instructions might have been changed.
15710       Changed = true;
15711     } else {
15712       /// \Returns the minimum number of elements that we will attempt to
15713       /// vectorize.
15714       auto GetMinNumElements = [&R](Value *V) {
15715         unsigned EltSize = R.getVectorElementSize(V);
15716         return std::max(2U, R.getMaxVecRegSize() / EltSize);
15717       };
15718       if (NumElts < GetMinNumElements(*IncIt) &&
15719           (Candidates.empty() ||
15720            Candidates.front()->getType() == (*IncIt)->getType())) {
15721         Candidates.append(IncIt, std::next(IncIt, NumElts));
15722       }
15723     }
15724     // Final attempt to vectorize instructions with the same types.
15725     if (Candidates.size() > 1 &&
15726         (SameTypeIt == E || (*SameTypeIt)->getType() != (*IncIt)->getType())) {
15727       if (TryToVectorizeHelper(Candidates, /*MaxVFOnly=*/false)) {
15728         // Success start over because instructions might have been changed.
15729         Changed = true;
15730       } else if (MaxVFOnly) {
15731         // Try to vectorize using small vectors.
15732         for (auto *It = Candidates.begin(), *End = Candidates.end();
15733              It != End;) {
15734           auto *SameTypeIt = It;
15735           while (SameTypeIt != End && AreCompatible(*SameTypeIt, *It))
15736             ++SameTypeIt;
15737           unsigned NumElts = (SameTypeIt - It);
15738           if (NumElts > 1 && TryToVectorizeHelper(ArrayRef(It, NumElts),
15739                                                   /*MaxVFOnly=*/false))
15740             Changed = true;
15741           It = SameTypeIt;
15742         }
15743       }
15744       Candidates.clear();
15745     }
15746 
15747     // Start over at the next instruction of a different type (or the end).
15748     IncIt = SameTypeIt;
15749   }
15750   return Changed;
15751 }
15752 
15753 /// Compare two cmp instructions. If IsCompatibility is true, function returns
15754 /// true if 2 cmps have same/swapped predicates and mos compatible corresponding
15755 /// operands. If IsCompatibility is false, function implements strict weak
15756 /// ordering relation between two cmp instructions, returning true if the first
15757 /// instruction is "less" than the second, i.e. its predicate is less than the
15758 /// predicate of the second or the operands IDs are less than the operands IDs
15759 /// of the second cmp instruction.
15760 template <bool IsCompatibility>
15761 static bool compareCmp(Value *V, Value *V2, TargetLibraryInfo &TLI,
15762                        const DominatorTree &DT) {
15763   assert(isValidElementType(V->getType()) &&
15764          isValidElementType(V2->getType()) &&
15765          "Expected valid element types only.");
15766   if (V == V2)
15767     return IsCompatibility;
15768   auto *CI1 = cast<CmpInst>(V);
15769   auto *CI2 = cast<CmpInst>(V2);
15770   if (CI1->getOperand(0)->getType()->getTypeID() <
15771       CI2->getOperand(0)->getType()->getTypeID())
15772     return !IsCompatibility;
15773   if (CI1->getOperand(0)->getType()->getTypeID() >
15774       CI2->getOperand(0)->getType()->getTypeID())
15775     return false;
15776   CmpInst::Predicate Pred1 = CI1->getPredicate();
15777   CmpInst::Predicate Pred2 = CI2->getPredicate();
15778   CmpInst::Predicate SwapPred1 = CmpInst::getSwappedPredicate(Pred1);
15779   CmpInst::Predicate SwapPred2 = CmpInst::getSwappedPredicate(Pred2);
15780   CmpInst::Predicate BasePred1 = std::min(Pred1, SwapPred1);
15781   CmpInst::Predicate BasePred2 = std::min(Pred2, SwapPred2);
15782   if (BasePred1 < BasePred2)
15783     return !IsCompatibility;
15784   if (BasePred1 > BasePred2)
15785     return false;
15786   // Compare operands.
15787   bool CI1Preds = Pred1 == BasePred1;
15788   bool CI2Preds = Pred2 == BasePred1;
15789   for (int I = 0, E = CI1->getNumOperands(); I < E; ++I) {
15790     auto *Op1 = CI1->getOperand(CI1Preds ? I : E - I - 1);
15791     auto *Op2 = CI2->getOperand(CI2Preds ? I : E - I - 1);
15792     if (Op1 == Op2)
15793       continue;
15794     if (Op1->getValueID() < Op2->getValueID())
15795       return !IsCompatibility;
15796     if (Op1->getValueID() > Op2->getValueID())
15797       return false;
15798     if (auto *I1 = dyn_cast<Instruction>(Op1))
15799       if (auto *I2 = dyn_cast<Instruction>(Op2)) {
15800         if (IsCompatibility) {
15801           if (I1->getParent() != I2->getParent())
15802             return false;
15803         } else {
15804           // Try to compare nodes with same parent.
15805           DomTreeNodeBase<BasicBlock> *NodeI1 = DT.getNode(I1->getParent());
15806           DomTreeNodeBase<BasicBlock> *NodeI2 = DT.getNode(I2->getParent());
15807           if (!NodeI1)
15808             return NodeI2 != nullptr;
15809           if (!NodeI2)
15810             return false;
15811           assert((NodeI1 == NodeI2) ==
15812                      (NodeI1->getDFSNumIn() == NodeI2->getDFSNumIn()) &&
15813                  "Different nodes should have different DFS numbers");
15814           if (NodeI1 != NodeI2)
15815             return NodeI1->getDFSNumIn() < NodeI2->getDFSNumIn();
15816         }
15817         InstructionsState S = getSameOpcode({I1, I2}, TLI);
15818         if (S.getOpcode() && (IsCompatibility || !S.isAltShuffle()))
15819           continue;
15820         if (IsCompatibility)
15821           return false;
15822         if (I1->getOpcode() != I2->getOpcode())
15823           return I1->getOpcode() < I2->getOpcode();
15824       }
15825   }
15826   return IsCompatibility;
15827 }
15828 
15829 template <typename ItT>
15830 bool SLPVectorizerPass::vectorizeCmpInsts(iterator_range<ItT> CmpInsts,
15831                                           BasicBlock *BB, BoUpSLP &R) {
15832   bool Changed = false;
15833   // Try to find reductions first.
15834   for (CmpInst *I : CmpInsts) {
15835     if (R.isDeleted(I))
15836       continue;
15837     for (Value *Op : I->operands())
15838       if (auto *RootOp = dyn_cast<Instruction>(Op))
15839         Changed |= vectorizeRootInstruction(nullptr, RootOp, BB, R, TTI);
15840   }
15841   // Try to vectorize operands as vector bundles.
15842   for (CmpInst *I : CmpInsts) {
15843     if (R.isDeleted(I))
15844       continue;
15845     Changed |= tryToVectorize(I, R);
15846   }
15847   // Try to vectorize list of compares.
15848   // Sort by type, compare predicate, etc.
15849   auto CompareSorter = [&](Value *V, Value *V2) {
15850     if (V == V2)
15851       return false;
15852     return compareCmp<false>(V, V2, *TLI, *DT);
15853   };
15854 
15855   auto AreCompatibleCompares = [&](Value *V1, Value *V2) {
15856     if (V1 == V2)
15857       return true;
15858     return compareCmp<true>(V1, V2, *TLI, *DT);
15859   };
15860 
15861   SmallVector<Value *> Vals;
15862   for (Instruction *V : CmpInsts)
15863     if (!R.isDeleted(V) && isValidElementType(V->getType()))
15864       Vals.push_back(V);
15865   if (Vals.size() <= 1)
15866     return Changed;
15867   Changed |= tryToVectorizeSequence<Value>(
15868       Vals, CompareSorter, AreCompatibleCompares,
15869       [this, &R](ArrayRef<Value *> Candidates, bool MaxVFOnly) {
15870         // Exclude possible reductions from other blocks.
15871         bool ArePossiblyReducedInOtherBlock = any_of(Candidates, [](Value *V) {
15872           return any_of(V->users(), [V](User *U) {
15873             auto *Select = dyn_cast<SelectInst>(U);
15874             return Select &&
15875                    Select->getParent() != cast<Instruction>(V)->getParent();
15876           });
15877         });
15878         if (ArePossiblyReducedInOtherBlock)
15879           return false;
15880         return tryToVectorizeList(Candidates, R, MaxVFOnly);
15881       },
15882       /*MaxVFOnly=*/true, R);
15883   return Changed;
15884 }
15885 
15886 bool SLPVectorizerPass::vectorizeInserts(InstSetVector &Instructions,
15887                                          BasicBlock *BB, BoUpSLP &R) {
15888   assert(all_of(Instructions,
15889                 [](auto *I) {
15890                   return isa<InsertElementInst, InsertValueInst>(I);
15891                 }) &&
15892          "This function only accepts Insert instructions");
15893   bool OpsChanged = false;
15894   SmallVector<WeakTrackingVH> PostponedInsts;
15895   // pass1 - try to vectorize reductions only
15896   for (auto *I : reverse(Instructions)) {
15897     if (R.isDeleted(I))
15898       continue;
15899     OpsChanged |= vectorizeHorReduction(nullptr, I, BB, R, TTI, PostponedInsts);
15900   }
15901   // pass2 - try to match and vectorize a buildvector sequence.
15902   for (auto *I : reverse(Instructions)) {
15903     if (R.isDeleted(I) || isa<CmpInst>(I))
15904       continue;
15905     if (auto *LastInsertValue = dyn_cast<InsertValueInst>(I)) {
15906       OpsChanged |= vectorizeInsertValueInst(LastInsertValue, BB, R);
15907     } else if (auto *LastInsertElem = dyn_cast<InsertElementInst>(I)) {
15908       OpsChanged |= vectorizeInsertElementInst(LastInsertElem, BB, R);
15909     }
15910   }
15911   // Now try to vectorize postponed instructions.
15912   OpsChanged |= tryToVectorize(PostponedInsts, R);
15913 
15914   Instructions.clear();
15915   return OpsChanged;
15916 }
15917 
15918 bool SLPVectorizerPass::vectorizeChainsInBlock(BasicBlock *BB, BoUpSLP &R) {
15919   bool Changed = false;
15920   SmallVector<Value *, 4> Incoming;
15921   SmallPtrSet<Value *, 16> VisitedInstrs;
15922   // Maps phi nodes to the non-phi nodes found in the use tree for each phi
15923   // node. Allows better to identify the chains that can be vectorized in the
15924   // better way.
15925   DenseMap<Value *, SmallVector<Value *, 4>> PHIToOpcodes;
15926   auto PHICompare = [this, &PHIToOpcodes](Value *V1, Value *V2) {
15927     assert(isValidElementType(V1->getType()) &&
15928            isValidElementType(V2->getType()) &&
15929            "Expected vectorizable types only.");
15930     // It is fine to compare type IDs here, since we expect only vectorizable
15931     // types, like ints, floats and pointers, we don't care about other type.
15932     if (V1->getType()->getTypeID() < V2->getType()->getTypeID())
15933       return true;
15934     if (V1->getType()->getTypeID() > V2->getType()->getTypeID())
15935       return false;
15936     ArrayRef<Value *> Opcodes1 = PHIToOpcodes[V1];
15937     ArrayRef<Value *> Opcodes2 = PHIToOpcodes[V2];
15938     if (Opcodes1.size() < Opcodes2.size())
15939       return true;
15940     if (Opcodes1.size() > Opcodes2.size())
15941       return false;
15942     for (int I = 0, E = Opcodes1.size(); I < E; ++I) {
15943       // Undefs are compatible with any other value.
15944       if (isa<UndefValue>(Opcodes1[I]) || isa<UndefValue>(Opcodes2[I])) {
15945         if (isa<Instruction>(Opcodes1[I]))
15946           return true;
15947         if (isa<Instruction>(Opcodes2[I]))
15948           return false;
15949         if (isa<Constant>(Opcodes1[I]) && !isa<UndefValue>(Opcodes1[I]))
15950           return true;
15951         if (isa<Constant>(Opcodes2[I]) && !isa<UndefValue>(Opcodes2[I]))
15952           return false;
15953         if (isa<UndefValue>(Opcodes1[I]) && isa<UndefValue>(Opcodes2[I]))
15954           continue;
15955         return isa<UndefValue>(Opcodes2[I]);
15956       }
15957       if (auto *I1 = dyn_cast<Instruction>(Opcodes1[I]))
15958         if (auto *I2 = dyn_cast<Instruction>(Opcodes2[I])) {
15959           DomTreeNodeBase<BasicBlock> *NodeI1 = DT->getNode(I1->getParent());
15960           DomTreeNodeBase<BasicBlock> *NodeI2 = DT->getNode(I2->getParent());
15961           if (!NodeI1)
15962             return NodeI2 != nullptr;
15963           if (!NodeI2)
15964             return false;
15965           assert((NodeI1 == NodeI2) ==
15966                      (NodeI1->getDFSNumIn() == NodeI2->getDFSNumIn()) &&
15967                  "Different nodes should have different DFS numbers");
15968           if (NodeI1 != NodeI2)
15969             return NodeI1->getDFSNumIn() < NodeI2->getDFSNumIn();
15970           InstructionsState S = getSameOpcode({I1, I2}, *TLI);
15971           if (S.getOpcode() && !S.isAltShuffle())
15972             continue;
15973           return I1->getOpcode() < I2->getOpcode();
15974         }
15975       if (isa<Constant>(Opcodes1[I]) && isa<Constant>(Opcodes2[I]))
15976         return Opcodes1[I]->getValueID() < Opcodes2[I]->getValueID();
15977       if (isa<Instruction>(Opcodes1[I]))
15978         return true;
15979       if (isa<Instruction>(Opcodes2[I]))
15980         return false;
15981       if (isa<Constant>(Opcodes1[I]))
15982         return true;
15983       if (isa<Constant>(Opcodes2[I]))
15984         return false;
15985       if (Opcodes1[I]->getValueID() < Opcodes2[I]->getValueID())
15986         return true;
15987       if (Opcodes1[I]->getValueID() > Opcodes2[I]->getValueID())
15988         return false;
15989     }
15990     return false;
15991   };
15992   auto AreCompatiblePHIs = [&PHIToOpcodes, this](Value *V1, Value *V2) {
15993     if (V1 == V2)
15994       return true;
15995     if (V1->getType() != V2->getType())
15996       return false;
15997     ArrayRef<Value *> Opcodes1 = PHIToOpcodes[V1];
15998     ArrayRef<Value *> Opcodes2 = PHIToOpcodes[V2];
15999     if (Opcodes1.size() != Opcodes2.size())
16000       return false;
16001     for (int I = 0, E = Opcodes1.size(); I < E; ++I) {
16002       // Undefs are compatible with any other value.
16003       if (isa<UndefValue>(Opcodes1[I]) || isa<UndefValue>(Opcodes2[I]))
16004         continue;
16005       if (auto *I1 = dyn_cast<Instruction>(Opcodes1[I]))
16006         if (auto *I2 = dyn_cast<Instruction>(Opcodes2[I])) {
16007           if (I1->getParent() != I2->getParent())
16008             return false;
16009           InstructionsState S = getSameOpcode({I1, I2}, *TLI);
16010           if (S.getOpcode())
16011             continue;
16012           return false;
16013         }
16014       if (isa<Constant>(Opcodes1[I]) && isa<Constant>(Opcodes2[I]))
16015         continue;
16016       if (Opcodes1[I]->getValueID() != Opcodes2[I]->getValueID())
16017         return false;
16018     }
16019     return true;
16020   };
16021 
16022   bool HaveVectorizedPhiNodes = false;
16023   do {
16024     // Collect the incoming values from the PHIs.
16025     Incoming.clear();
16026     for (Instruction &I : *BB) {
16027       PHINode *P = dyn_cast<PHINode>(&I);
16028       if (!P)
16029         break;
16030 
16031       // No need to analyze deleted, vectorized and non-vectorizable
16032       // instructions.
16033       if (!VisitedInstrs.count(P) && !R.isDeleted(P) &&
16034           isValidElementType(P->getType()))
16035         Incoming.push_back(P);
16036     }
16037 
16038     if (Incoming.size() <= 1)
16039       break;
16040 
16041     // Find the corresponding non-phi nodes for better matching when trying to
16042     // build the tree.
16043     for (Value *V : Incoming) {
16044       SmallVectorImpl<Value *> &Opcodes =
16045           PHIToOpcodes.try_emplace(V).first->getSecond();
16046       if (!Opcodes.empty())
16047         continue;
16048       SmallVector<Value *, 4> Nodes(1, V);
16049       SmallPtrSet<Value *, 4> Visited;
16050       while (!Nodes.empty()) {
16051         auto *PHI = cast<PHINode>(Nodes.pop_back_val());
16052         if (!Visited.insert(PHI).second)
16053           continue;
16054         for (Value *V : PHI->incoming_values()) {
16055           if (auto *PHI1 = dyn_cast<PHINode>((V))) {
16056             Nodes.push_back(PHI1);
16057             continue;
16058           }
16059           Opcodes.emplace_back(V);
16060         }
16061       }
16062     }
16063 
16064     HaveVectorizedPhiNodes = tryToVectorizeSequence<Value>(
16065         Incoming, PHICompare, AreCompatiblePHIs,
16066         [this, &R](ArrayRef<Value *> Candidates, bool MaxVFOnly) {
16067           return tryToVectorizeList(Candidates, R, MaxVFOnly);
16068         },
16069         /*MaxVFOnly=*/true, R);
16070     Changed |= HaveVectorizedPhiNodes;
16071     VisitedInstrs.insert(Incoming.begin(), Incoming.end());
16072   } while (HaveVectorizedPhiNodes);
16073 
16074   VisitedInstrs.clear();
16075 
16076   InstSetVector PostProcessInserts;
16077   SmallSetVector<CmpInst *, 8> PostProcessCmps;
16078   // Vectorizes Inserts in `PostProcessInserts` and if `VecctorizeCmps` is true
16079   // also vectorizes `PostProcessCmps`.
16080   auto VectorizeInsertsAndCmps = [&](bool VectorizeCmps) {
16081     bool Changed = vectorizeInserts(PostProcessInserts, BB, R);
16082     if (VectorizeCmps) {
16083       Changed |= vectorizeCmpInsts(reverse(PostProcessCmps), BB, R);
16084       PostProcessCmps.clear();
16085     }
16086     PostProcessInserts.clear();
16087     return Changed;
16088   };
16089   // Returns true if `I` is in `PostProcessInserts` or `PostProcessCmps`.
16090   auto IsInPostProcessInstrs = [&](Instruction *I) {
16091     if (auto *Cmp = dyn_cast<CmpInst>(I))
16092       return PostProcessCmps.contains(Cmp);
16093     return isa<InsertElementInst, InsertValueInst>(I) &&
16094            PostProcessInserts.contains(I);
16095   };
16096   // Returns true if `I` is an instruction without users, like terminator, or
16097   // function call with ignored return value, store. Ignore unused instructions
16098   // (basing on instruction type, except for CallInst and InvokeInst).
16099   auto HasNoUsers = [](Instruction *I) {
16100     return I->use_empty() &&
16101            (I->getType()->isVoidTy() || isa<CallInst, InvokeInst>(I));
16102   };
16103   for (BasicBlock::iterator It = BB->begin(), E = BB->end(); It != E; ++It) {
16104     // Skip instructions with scalable type. The num of elements is unknown at
16105     // compile-time for scalable type.
16106     if (isa<ScalableVectorType>(It->getType()))
16107       continue;
16108 
16109     // Skip instructions marked for the deletion.
16110     if (R.isDeleted(&*It))
16111       continue;
16112     // We may go through BB multiple times so skip the one we have checked.
16113     if (!VisitedInstrs.insert(&*It).second) {
16114       if (HasNoUsers(&*It) &&
16115           VectorizeInsertsAndCmps(/*VectorizeCmps=*/It->isTerminator())) {
16116         // We would like to start over since some instructions are deleted
16117         // and the iterator may become invalid value.
16118         Changed = true;
16119         It = BB->begin();
16120         E = BB->end();
16121       }
16122       continue;
16123     }
16124 
16125     if (isa<DbgInfoIntrinsic>(It))
16126       continue;
16127 
16128     // Try to vectorize reductions that use PHINodes.
16129     if (PHINode *P = dyn_cast<PHINode>(It)) {
16130       // Check that the PHI is a reduction PHI.
16131       if (P->getNumIncomingValues() == 2) {
16132         // Try to match and vectorize a horizontal reduction.
16133         Instruction *Root = getReductionInstr(DT, P, BB, LI);
16134         if (Root && vectorizeRootInstruction(P, Root, BB, R, TTI)) {
16135           Changed = true;
16136           It = BB->begin();
16137           E = BB->end();
16138           continue;
16139         }
16140       }
16141       // Try to vectorize the incoming values of the PHI, to catch reductions
16142       // that feed into PHIs.
16143       for (unsigned I = 0, E = P->getNumIncomingValues(); I != E; I++) {
16144         // Skip if the incoming block is the current BB for now. Also, bypass
16145         // unreachable IR for efficiency and to avoid crashing.
16146         // TODO: Collect the skipped incoming values and try to vectorize them
16147         // after processing BB.
16148         if (BB == P->getIncomingBlock(I) ||
16149             !DT->isReachableFromEntry(P->getIncomingBlock(I)))
16150           continue;
16151 
16152         // Postponed instructions should not be vectorized here, delay their
16153         // vectorization.
16154         if (auto *PI = dyn_cast<Instruction>(P->getIncomingValue(I));
16155             PI && !IsInPostProcessInstrs(PI))
16156           Changed |= vectorizeRootInstruction(nullptr, PI,
16157                                               P->getIncomingBlock(I), R, TTI);
16158       }
16159       continue;
16160     }
16161 
16162     if (HasNoUsers(&*It)) {
16163       bool OpsChanged = false;
16164       auto *SI = dyn_cast<StoreInst>(It);
16165       bool TryToVectorizeRoot = ShouldStartVectorizeHorAtStore || !SI;
16166       if (SI) {
16167         auto *I = Stores.find(getUnderlyingObject(SI->getPointerOperand()));
16168         // Try to vectorize chain in store, if this is the only store to the
16169         // address in the block.
16170         // TODO: This is just a temporarily solution to save compile time. Need
16171         // to investigate if we can safely turn on slp-vectorize-hor-store
16172         // instead to allow lookup for reduction chains in all non-vectorized
16173         // stores (need to check side effects and compile time).
16174         TryToVectorizeRoot |= (I == Stores.end() || I->second.size() == 1) &&
16175                               SI->getValueOperand()->hasOneUse();
16176       }
16177       if (TryToVectorizeRoot) {
16178         for (auto *V : It->operand_values()) {
16179           // Postponed instructions should not be vectorized here, delay their
16180           // vectorization.
16181           if (auto *VI = dyn_cast<Instruction>(V);
16182               VI && !IsInPostProcessInstrs(VI))
16183             // Try to match and vectorize a horizontal reduction.
16184             OpsChanged |= vectorizeRootInstruction(nullptr, VI, BB, R, TTI);
16185         }
16186       }
16187       // Start vectorization of post-process list of instructions from the
16188       // top-tree instructions to try to vectorize as many instructions as
16189       // possible.
16190       OpsChanged |=
16191           VectorizeInsertsAndCmps(/*VectorizeCmps=*/It->isTerminator());
16192       if (OpsChanged) {
16193         // We would like to start over since some instructions are deleted
16194         // and the iterator may become invalid value.
16195         Changed = true;
16196         It = BB->begin();
16197         E = BB->end();
16198         continue;
16199       }
16200     }
16201 
16202     if (isa<InsertElementInst, InsertValueInst>(It))
16203       PostProcessInserts.insert(&*It);
16204     else if (isa<CmpInst>(It))
16205       PostProcessCmps.insert(cast<CmpInst>(&*It));
16206   }
16207 
16208   return Changed;
16209 }
16210 
16211 bool SLPVectorizerPass::vectorizeGEPIndices(BasicBlock *BB, BoUpSLP &R) {
16212   auto Changed = false;
16213   for (auto &Entry : GEPs) {
16214     // If the getelementptr list has fewer than two elements, there's nothing
16215     // to do.
16216     if (Entry.second.size() < 2)
16217       continue;
16218 
16219     LLVM_DEBUG(dbgs() << "SLP: Analyzing a getelementptr list of length "
16220                       << Entry.second.size() << ".\n");
16221 
16222     // Process the GEP list in chunks suitable for the target's supported
16223     // vector size. If a vector register can't hold 1 element, we are done. We
16224     // are trying to vectorize the index computations, so the maximum number of
16225     // elements is based on the size of the index expression, rather than the
16226     // size of the GEP itself (the target's pointer size).
16227     unsigned MaxVecRegSize = R.getMaxVecRegSize();
16228     unsigned EltSize = R.getVectorElementSize(*Entry.second[0]->idx_begin());
16229     if (MaxVecRegSize < EltSize)
16230       continue;
16231 
16232     unsigned MaxElts = MaxVecRegSize / EltSize;
16233     for (unsigned BI = 0, BE = Entry.second.size(); BI < BE; BI += MaxElts) {
16234       auto Len = std::min<unsigned>(BE - BI, MaxElts);
16235       ArrayRef<GetElementPtrInst *> GEPList(&Entry.second[BI], Len);
16236 
16237       // Initialize a set a candidate getelementptrs. Note that we use a
16238       // SetVector here to preserve program order. If the index computations
16239       // are vectorizable and begin with loads, we want to minimize the chance
16240       // of having to reorder them later.
16241       SetVector<Value *> Candidates(GEPList.begin(), GEPList.end());
16242 
16243       // Some of the candidates may have already been vectorized after we
16244       // initially collected them or their index is optimized to constant value.
16245       // If so, they are marked as deleted, so remove them from the set of
16246       // candidates.
16247       Candidates.remove_if([&R](Value *I) {
16248         return R.isDeleted(cast<Instruction>(I)) ||
16249                isa<Constant>(cast<GetElementPtrInst>(I)->idx_begin()->get());
16250       });
16251 
16252       // Remove from the set of candidates all pairs of getelementptrs with
16253       // constant differences. Such getelementptrs are likely not good
16254       // candidates for vectorization in a bottom-up phase since one can be
16255       // computed from the other. We also ensure all candidate getelementptr
16256       // indices are unique.
16257       for (int I = 0, E = GEPList.size(); I < E && Candidates.size() > 1; ++I) {
16258         auto *GEPI = GEPList[I];
16259         if (!Candidates.count(GEPI))
16260           continue;
16261         auto *SCEVI = SE->getSCEV(GEPList[I]);
16262         for (int J = I + 1; J < E && Candidates.size() > 1; ++J) {
16263           auto *GEPJ = GEPList[J];
16264           auto *SCEVJ = SE->getSCEV(GEPList[J]);
16265           if (isa<SCEVConstant>(SE->getMinusSCEV(SCEVI, SCEVJ))) {
16266             Candidates.remove(GEPI);
16267             Candidates.remove(GEPJ);
16268           } else if (GEPI->idx_begin()->get() == GEPJ->idx_begin()->get()) {
16269             Candidates.remove(GEPJ);
16270           }
16271         }
16272       }
16273 
16274       // We break out of the above computation as soon as we know there are
16275       // fewer than two candidates remaining.
16276       if (Candidates.size() < 2)
16277         continue;
16278 
16279       // Add the single, non-constant index of each candidate to the bundle. We
16280       // ensured the indices met these constraints when we originally collected
16281       // the getelementptrs.
16282       SmallVector<Value *, 16> Bundle(Candidates.size());
16283       auto BundleIndex = 0u;
16284       for (auto *V : Candidates) {
16285         auto *GEP = cast<GetElementPtrInst>(V);
16286         auto *GEPIdx = GEP->idx_begin()->get();
16287         assert(GEP->getNumIndices() == 1 && !isa<Constant>(GEPIdx));
16288         Bundle[BundleIndex++] = GEPIdx;
16289       }
16290 
16291       // Try and vectorize the indices. We are currently only interested in
16292       // gather-like cases of the form:
16293       //
16294       // ... = g[a[0] - b[0]] + g[a[1] - b[1]] + ...
16295       //
16296       // where the loads of "a", the loads of "b", and the subtractions can be
16297       // performed in parallel. It's likely that detecting this pattern in a
16298       // bottom-up phase will be simpler and less costly than building a
16299       // full-blown top-down phase beginning at the consecutive loads.
16300       Changed |= tryToVectorizeList(Bundle, R);
16301     }
16302   }
16303   return Changed;
16304 }
16305 
16306 bool SLPVectorizerPass::vectorizeStoreChains(BoUpSLP &R) {
16307   bool Changed = false;
16308   // Sort by type, base pointers and values operand. Value operands must be
16309   // compatible (have the same opcode, same parent), otherwise it is
16310   // definitely not profitable to try to vectorize them.
16311   auto &&StoreSorter = [this](StoreInst *V, StoreInst *V2) {
16312     if (V->getValueOperand()->getType()->getTypeID() <
16313         V2->getValueOperand()->getType()->getTypeID())
16314       return true;
16315     if (V->getValueOperand()->getType()->getTypeID() >
16316         V2->getValueOperand()->getType()->getTypeID())
16317       return false;
16318     if (V->getPointerOperandType()->getTypeID() <
16319         V2->getPointerOperandType()->getTypeID())
16320       return true;
16321     if (V->getPointerOperandType()->getTypeID() >
16322         V2->getPointerOperandType()->getTypeID())
16323       return false;
16324     // UndefValues are compatible with all other values.
16325     if (isa<UndefValue>(V->getValueOperand()) ||
16326         isa<UndefValue>(V2->getValueOperand()))
16327       return false;
16328     if (auto *I1 = dyn_cast<Instruction>(V->getValueOperand()))
16329       if (auto *I2 = dyn_cast<Instruction>(V2->getValueOperand())) {
16330         DomTreeNodeBase<llvm::BasicBlock> *NodeI1 =
16331             DT->getNode(I1->getParent());
16332         DomTreeNodeBase<llvm::BasicBlock> *NodeI2 =
16333             DT->getNode(I2->getParent());
16334         assert(NodeI1 && "Should only process reachable instructions");
16335         assert(NodeI2 && "Should only process reachable instructions");
16336         assert((NodeI1 == NodeI2) ==
16337                    (NodeI1->getDFSNumIn() == NodeI2->getDFSNumIn()) &&
16338                "Different nodes should have different DFS numbers");
16339         if (NodeI1 != NodeI2)
16340           return NodeI1->getDFSNumIn() < NodeI2->getDFSNumIn();
16341         InstructionsState S = getSameOpcode({I1, I2}, *TLI);
16342         if (S.getOpcode())
16343           return false;
16344         return I1->getOpcode() < I2->getOpcode();
16345       }
16346     if (isa<Constant>(V->getValueOperand()) &&
16347         isa<Constant>(V2->getValueOperand()))
16348       return false;
16349     return V->getValueOperand()->getValueID() <
16350            V2->getValueOperand()->getValueID();
16351   };
16352 
16353   auto &&AreCompatibleStores = [this](StoreInst *V1, StoreInst *V2) {
16354     if (V1 == V2)
16355       return true;
16356     if (V1->getValueOperand()->getType() != V2->getValueOperand()->getType())
16357       return false;
16358     if (V1->getPointerOperandType() != V2->getPointerOperandType())
16359       return false;
16360     // Undefs are compatible with any other value.
16361     if (isa<UndefValue>(V1->getValueOperand()) ||
16362         isa<UndefValue>(V2->getValueOperand()))
16363       return true;
16364     if (auto *I1 = dyn_cast<Instruction>(V1->getValueOperand()))
16365       if (auto *I2 = dyn_cast<Instruction>(V2->getValueOperand())) {
16366         if (I1->getParent() != I2->getParent())
16367           return false;
16368         InstructionsState S = getSameOpcode({I1, I2}, *TLI);
16369         return S.getOpcode() > 0;
16370       }
16371     if (isa<Constant>(V1->getValueOperand()) &&
16372         isa<Constant>(V2->getValueOperand()))
16373       return true;
16374     return V1->getValueOperand()->getValueID() ==
16375            V2->getValueOperand()->getValueID();
16376   };
16377 
16378   // Attempt to sort and vectorize each of the store-groups.
16379   for (auto &Pair : Stores) {
16380     if (Pair.second.size() < 2)
16381       continue;
16382 
16383     LLVM_DEBUG(dbgs() << "SLP: Analyzing a store chain of length "
16384                       << Pair.second.size() << ".\n");
16385 
16386     if (!isValidElementType(Pair.second.front()->getValueOperand()->getType()))
16387       continue;
16388 
16389     // Reverse stores to do bottom-to-top analysis. This is important if the
16390     // values are stores to the same addresses several times, in this case need
16391     // to follow the stores order (reversed to meet the memory dependecies).
16392     SmallVector<StoreInst *> ReversedStores(Pair.second.rbegin(),
16393                                             Pair.second.rend());
16394     Changed |= tryToVectorizeSequence<StoreInst>(
16395         ReversedStores, StoreSorter, AreCompatibleStores,
16396         [this, &R](ArrayRef<StoreInst *> Candidates, bool) {
16397           return vectorizeStores(Candidates, R);
16398         },
16399         /*MaxVFOnly=*/false, R);
16400   }
16401   return Changed;
16402 }
16403