1 //===-- AArch64TargetTransformInfo.cpp - AArch64 specific TTI -------------===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 
9 #include "AArch64TargetTransformInfo.h"
10 #include "AArch64ExpandImm.h"
11 #include "MCTargetDesc/AArch64AddressingModes.h"
12 #include "llvm/Analysis/IVDescriptors.h"
13 #include "llvm/Analysis/LoopInfo.h"
14 #include "llvm/Analysis/TargetTransformInfo.h"
15 #include "llvm/CodeGen/BasicTTIImpl.h"
16 #include "llvm/CodeGen/CostTable.h"
17 #include "llvm/CodeGen/TargetLowering.h"
18 #include "llvm/IR/Intrinsics.h"
19 #include "llvm/IR/IntrinsicInst.h"
20 #include "llvm/IR/IntrinsicsAArch64.h"
21 #include "llvm/IR/PatternMatch.h"
22 #include "llvm/Support/Debug.h"
23 #include "llvm/Transforms/InstCombine/InstCombiner.h"
24 #include <algorithm>
25 using namespace llvm;
26 using namespace llvm::PatternMatch;
27 
28 #define DEBUG_TYPE "aarch64tti"
29 
30 static cl::opt<bool> EnableFalkorHWPFUnrollFix("enable-falkor-hwpf-unroll-fix",
31                                                cl::init(true), cl::Hidden);
32 
33 bool AArch64TTIImpl::areInlineCompatible(const Function *Caller,
34                                          const Function *Callee) const {
35   const TargetMachine &TM = getTLI()->getTargetMachine();
36 
37   const FeatureBitset &CallerBits =
38       TM.getSubtargetImpl(*Caller)->getFeatureBits();
39   const FeatureBitset &CalleeBits =
40       TM.getSubtargetImpl(*Callee)->getFeatureBits();
41 
42   // Inline a callee if its target-features are a subset of the callers
43   // target-features.
44   return (CallerBits & CalleeBits) == CalleeBits;
45 }
46 
47 /// Calculate the cost of materializing a 64-bit value. This helper
48 /// method might only calculate a fraction of a larger immediate. Therefore it
49 /// is valid to return a cost of ZERO.
50 InstructionCost AArch64TTIImpl::getIntImmCost(int64_t Val) {
51   // Check if the immediate can be encoded within an instruction.
52   if (Val == 0 || AArch64_AM::isLogicalImmediate(Val, 64))
53     return 0;
54 
55   if (Val < 0)
56     Val = ~Val;
57 
58   // Calculate how many moves we will need to materialize this constant.
59   SmallVector<AArch64_IMM::ImmInsnModel, 4> Insn;
60   AArch64_IMM::expandMOVImm(Val, 64, Insn);
61   return Insn.size();
62 }
63 
64 /// Calculate the cost of materializing the given constant.
65 InstructionCost AArch64TTIImpl::getIntImmCost(const APInt &Imm, Type *Ty,
66                                               TTI::TargetCostKind CostKind) {
67   assert(Ty->isIntegerTy());
68 
69   unsigned BitSize = Ty->getPrimitiveSizeInBits();
70   if (BitSize == 0)
71     return ~0U;
72 
73   // Sign-extend all constants to a multiple of 64-bit.
74   APInt ImmVal = Imm;
75   if (BitSize & 0x3f)
76     ImmVal = Imm.sext((BitSize + 63) & ~0x3fU);
77 
78   // Split the constant into 64-bit chunks and calculate the cost for each
79   // chunk.
80   InstructionCost Cost = 0;
81   for (unsigned ShiftVal = 0; ShiftVal < BitSize; ShiftVal += 64) {
82     APInt Tmp = ImmVal.ashr(ShiftVal).sextOrTrunc(64);
83     int64_t Val = Tmp.getSExtValue();
84     Cost += getIntImmCost(Val);
85   }
86   // We need at least one instruction to materialze the constant.
87   return std::max<InstructionCost>(1, Cost);
88 }
89 
90 InstructionCost AArch64TTIImpl::getIntImmCostInst(unsigned Opcode, unsigned Idx,
91                                                   const APInt &Imm, Type *Ty,
92                                                   TTI::TargetCostKind CostKind,
93                                                   Instruction *Inst) {
94   assert(Ty->isIntegerTy());
95 
96   unsigned BitSize = Ty->getPrimitiveSizeInBits();
97   // There is no cost model for constants with a bit size of 0. Return TCC_Free
98   // here, so that constant hoisting will ignore this constant.
99   if (BitSize == 0)
100     return TTI::TCC_Free;
101 
102   unsigned ImmIdx = ~0U;
103   switch (Opcode) {
104   default:
105     return TTI::TCC_Free;
106   case Instruction::GetElementPtr:
107     // Always hoist the base address of a GetElementPtr.
108     if (Idx == 0)
109       return 2 * TTI::TCC_Basic;
110     return TTI::TCC_Free;
111   case Instruction::Store:
112     ImmIdx = 0;
113     break;
114   case Instruction::Add:
115   case Instruction::Sub:
116   case Instruction::Mul:
117   case Instruction::UDiv:
118   case Instruction::SDiv:
119   case Instruction::URem:
120   case Instruction::SRem:
121   case Instruction::And:
122   case Instruction::Or:
123   case Instruction::Xor:
124   case Instruction::ICmp:
125     ImmIdx = 1;
126     break;
127   // Always return TCC_Free for the shift value of a shift instruction.
128   case Instruction::Shl:
129   case Instruction::LShr:
130   case Instruction::AShr:
131     if (Idx == 1)
132       return TTI::TCC_Free;
133     break;
134   case Instruction::Trunc:
135   case Instruction::ZExt:
136   case Instruction::SExt:
137   case Instruction::IntToPtr:
138   case Instruction::PtrToInt:
139   case Instruction::BitCast:
140   case Instruction::PHI:
141   case Instruction::Call:
142   case Instruction::Select:
143   case Instruction::Ret:
144   case Instruction::Load:
145     break;
146   }
147 
148   if (Idx == ImmIdx) {
149     int NumConstants = (BitSize + 63) / 64;
150     InstructionCost Cost = AArch64TTIImpl::getIntImmCost(Imm, Ty, CostKind);
151     return (Cost <= NumConstants * TTI::TCC_Basic)
152                ? static_cast<int>(TTI::TCC_Free)
153                : Cost;
154   }
155   return AArch64TTIImpl::getIntImmCost(Imm, Ty, CostKind);
156 }
157 
158 InstructionCost
159 AArch64TTIImpl::getIntImmCostIntrin(Intrinsic::ID IID, unsigned Idx,
160                                     const APInt &Imm, Type *Ty,
161                                     TTI::TargetCostKind CostKind) {
162   assert(Ty->isIntegerTy());
163 
164   unsigned BitSize = Ty->getPrimitiveSizeInBits();
165   // There is no cost model for constants with a bit size of 0. Return TCC_Free
166   // here, so that constant hoisting will ignore this constant.
167   if (BitSize == 0)
168     return TTI::TCC_Free;
169 
170   // Most (all?) AArch64 intrinsics do not support folding immediates into the
171   // selected instruction, so we compute the materialization cost for the
172   // immediate directly.
173   if (IID >= Intrinsic::aarch64_addg && IID <= Intrinsic::aarch64_udiv)
174     return AArch64TTIImpl::getIntImmCost(Imm, Ty, CostKind);
175 
176   switch (IID) {
177   default:
178     return TTI::TCC_Free;
179   case Intrinsic::sadd_with_overflow:
180   case Intrinsic::uadd_with_overflow:
181   case Intrinsic::ssub_with_overflow:
182   case Intrinsic::usub_with_overflow:
183   case Intrinsic::smul_with_overflow:
184   case Intrinsic::umul_with_overflow:
185     if (Idx == 1) {
186       int NumConstants = (BitSize + 63) / 64;
187       InstructionCost Cost = AArch64TTIImpl::getIntImmCost(Imm, Ty, CostKind);
188       return (Cost <= NumConstants * TTI::TCC_Basic)
189                  ? static_cast<int>(TTI::TCC_Free)
190                  : Cost;
191     }
192     break;
193   case Intrinsic::experimental_stackmap:
194     if ((Idx < 2) || (Imm.getBitWidth() <= 64 && isInt<64>(Imm.getSExtValue())))
195       return TTI::TCC_Free;
196     break;
197   case Intrinsic::experimental_patchpoint_void:
198   case Intrinsic::experimental_patchpoint_i64:
199     if ((Idx < 4) || (Imm.getBitWidth() <= 64 && isInt<64>(Imm.getSExtValue())))
200       return TTI::TCC_Free;
201     break;
202   case Intrinsic::experimental_gc_statepoint:
203     if ((Idx < 5) || (Imm.getBitWidth() <= 64 && isInt<64>(Imm.getSExtValue())))
204       return TTI::TCC_Free;
205     break;
206   }
207   return AArch64TTIImpl::getIntImmCost(Imm, Ty, CostKind);
208 }
209 
210 TargetTransformInfo::PopcntSupportKind
211 AArch64TTIImpl::getPopcntSupport(unsigned TyWidth) {
212   assert(isPowerOf2_32(TyWidth) && "Ty width must be power of 2");
213   if (TyWidth == 32 || TyWidth == 64)
214     return TTI::PSK_FastHardware;
215   // TODO: AArch64TargetLowering::LowerCTPOP() supports 128bit popcount.
216   return TTI::PSK_Software;
217 }
218 
219 InstructionCost
220 AArch64TTIImpl::getIntrinsicInstrCost(const IntrinsicCostAttributes &ICA,
221                                       TTI::TargetCostKind CostKind) {
222   auto *RetTy = ICA.getReturnType();
223   switch (ICA.getID()) {
224   case Intrinsic::umin:
225   case Intrinsic::umax:
226   case Intrinsic::smin:
227   case Intrinsic::smax: {
228     static const auto ValidMinMaxTys = {MVT::v8i8,  MVT::v16i8, MVT::v4i16,
229                                         MVT::v8i16, MVT::v2i32, MVT::v4i32};
230     auto LT = TLI->getTypeLegalizationCost(DL, RetTy);
231     // v2i64 types get converted to cmp+bif hence the cost of 2
232     if (LT.second == MVT::v2i64)
233       return LT.first * 2;
234     if (any_of(ValidMinMaxTys, [&LT](MVT M) { return M == LT.second; }))
235       return LT.first;
236     break;
237   }
238   case Intrinsic::sadd_sat:
239   case Intrinsic::ssub_sat:
240   case Intrinsic::uadd_sat:
241   case Intrinsic::usub_sat: {
242     static const auto ValidSatTys = {MVT::v8i8,  MVT::v16i8, MVT::v4i16,
243                                      MVT::v8i16, MVT::v2i32, MVT::v4i32,
244                                      MVT::v2i64};
245     auto LT = TLI->getTypeLegalizationCost(DL, RetTy);
246     // This is a base cost of 1 for the vadd, plus 3 extract shifts if we
247     // need to extend the type, as it uses shr(qadd(shl, shl)).
248     unsigned Instrs =
249         LT.second.getScalarSizeInBits() == RetTy->getScalarSizeInBits() ? 1 : 4;
250     if (any_of(ValidSatTys, [&LT](MVT M) { return M == LT.second; }))
251       return LT.first * Instrs;
252     break;
253   }
254   case Intrinsic::abs: {
255     static const auto ValidAbsTys = {MVT::v8i8,  MVT::v16i8, MVT::v4i16,
256                                      MVT::v8i16, MVT::v2i32, MVT::v4i32,
257                                      MVT::v2i64};
258     auto LT = TLI->getTypeLegalizationCost(DL, RetTy);
259     if (any_of(ValidAbsTys, [&LT](MVT M) { return M == LT.second; }))
260       return LT.first;
261     break;
262   }
263   case Intrinsic::experimental_stepvector: {
264     InstructionCost Cost = 1; // Cost of the `index' instruction
265     auto LT = TLI->getTypeLegalizationCost(DL, RetTy);
266     // Legalisation of illegal vectors involves an `index' instruction plus
267     // (LT.first - 1) vector adds.
268     if (LT.first > 1) {
269       Type *LegalVTy = EVT(LT.second).getTypeForEVT(RetTy->getContext());
270       InstructionCost AddCost =
271           getArithmeticInstrCost(Instruction::Add, LegalVTy, CostKind);
272       Cost += AddCost * (LT.first - 1);
273     }
274     return Cost;
275   }
276   case Intrinsic::bitreverse: {
277     static const CostTblEntry BitreverseTbl[] = {
278         {Intrinsic::bitreverse, MVT::i32, 1},
279         {Intrinsic::bitreverse, MVT::i64, 1},
280         {Intrinsic::bitreverse, MVT::v8i8, 1},
281         {Intrinsic::bitreverse, MVT::v16i8, 1},
282         {Intrinsic::bitreverse, MVT::v4i16, 2},
283         {Intrinsic::bitreverse, MVT::v8i16, 2},
284         {Intrinsic::bitreverse, MVT::v2i32, 2},
285         {Intrinsic::bitreverse, MVT::v4i32, 2},
286         {Intrinsic::bitreverse, MVT::v1i64, 2},
287         {Intrinsic::bitreverse, MVT::v2i64, 2},
288     };
289     const auto LegalisationCost = TLI->getTypeLegalizationCost(DL, RetTy);
290     const auto *Entry =
291         CostTableLookup(BitreverseTbl, ICA.getID(), LegalisationCost.second);
292     if (Entry) {
293       // Cost Model is using the legal type(i32) that i8 and i16 will be
294       // converted to +1 so that we match the actual lowering cost
295       if (TLI->getValueType(DL, RetTy, true) == MVT::i8 ||
296           TLI->getValueType(DL, RetTy, true) == MVT::i16)
297         return LegalisationCost.first * Entry->Cost + 1;
298 
299       return LegalisationCost.first * Entry->Cost;
300     }
301     break;
302   }
303   case Intrinsic::ctpop: {
304     static const CostTblEntry CtpopCostTbl[] = {
305         {ISD::CTPOP, MVT::v2i64, 4},
306         {ISD::CTPOP, MVT::v4i32, 3},
307         {ISD::CTPOP, MVT::v8i16, 2},
308         {ISD::CTPOP, MVT::v16i8, 1},
309         {ISD::CTPOP, MVT::i64,   4},
310         {ISD::CTPOP, MVT::v2i32, 3},
311         {ISD::CTPOP, MVT::v4i16, 2},
312         {ISD::CTPOP, MVT::v8i8,  1},
313         {ISD::CTPOP, MVT::i32,   5},
314     };
315     auto LT = TLI->getTypeLegalizationCost(DL, RetTy);
316     MVT MTy = LT.second;
317     if (const auto *Entry = CostTableLookup(CtpopCostTbl, ISD::CTPOP, MTy)) {
318       // Extra cost of +1 when illegal vector types are legalized by promoting
319       // the integer type.
320       int ExtraCost = MTy.isVector() && MTy.getScalarSizeInBits() !=
321                                             RetTy->getScalarSizeInBits()
322                           ? 1
323                           : 0;
324       return LT.first * Entry->Cost + ExtraCost;
325     }
326     break;
327   }
328   default:
329     break;
330   }
331   return BaseT::getIntrinsicInstrCost(ICA, CostKind);
332 }
333 
334 /// The function will remove redundant reinterprets casting in the presence
335 /// of the control flow
336 static Optional<Instruction *> processPhiNode(InstCombiner &IC,
337                                               IntrinsicInst &II) {
338   SmallVector<Instruction *, 32> Worklist;
339   auto RequiredType = II.getType();
340 
341   auto *PN = dyn_cast<PHINode>(II.getArgOperand(0));
342   assert(PN && "Expected Phi Node!");
343 
344   // Don't create a new Phi unless we can remove the old one.
345   if (!PN->hasOneUse())
346     return None;
347 
348   for (Value *IncValPhi : PN->incoming_values()) {
349     auto *Reinterpret = dyn_cast<IntrinsicInst>(IncValPhi);
350     if (!Reinterpret ||
351         Reinterpret->getIntrinsicID() !=
352             Intrinsic::aarch64_sve_convert_to_svbool ||
353         RequiredType != Reinterpret->getArgOperand(0)->getType())
354       return None;
355   }
356 
357   // Create the new Phi
358   LLVMContext &Ctx = PN->getContext();
359   IRBuilder<> Builder(Ctx);
360   Builder.SetInsertPoint(PN);
361   PHINode *NPN = Builder.CreatePHI(RequiredType, PN->getNumIncomingValues());
362   Worklist.push_back(PN);
363 
364   for (unsigned I = 0; I < PN->getNumIncomingValues(); I++) {
365     auto *Reinterpret = cast<Instruction>(PN->getIncomingValue(I));
366     NPN->addIncoming(Reinterpret->getOperand(0), PN->getIncomingBlock(I));
367     Worklist.push_back(Reinterpret);
368   }
369 
370   // Cleanup Phi Node and reinterprets
371   return IC.replaceInstUsesWith(II, NPN);
372 }
373 
374 static Optional<Instruction *> instCombineConvertFromSVBool(InstCombiner &IC,
375                                                             IntrinsicInst &II) {
376   // If the reinterpret instruction operand is a PHI Node
377   if (isa<PHINode>(II.getArgOperand(0)))
378     return processPhiNode(IC, II);
379 
380   SmallVector<Instruction *, 32> CandidatesForRemoval;
381   Value *Cursor = II.getOperand(0), *EarliestReplacement = nullptr;
382 
383   const auto *IVTy = cast<VectorType>(II.getType());
384 
385   // Walk the chain of conversions.
386   while (Cursor) {
387     // If the type of the cursor has fewer lanes than the final result, zeroing
388     // must take place, which breaks the equivalence chain.
389     const auto *CursorVTy = cast<VectorType>(Cursor->getType());
390     if (CursorVTy->getElementCount().getKnownMinValue() <
391         IVTy->getElementCount().getKnownMinValue())
392       break;
393 
394     // If the cursor has the same type as I, it is a viable replacement.
395     if (Cursor->getType() == IVTy)
396       EarliestReplacement = Cursor;
397 
398     auto *IntrinsicCursor = dyn_cast<IntrinsicInst>(Cursor);
399 
400     // If this is not an SVE conversion intrinsic, this is the end of the chain.
401     if (!IntrinsicCursor || !(IntrinsicCursor->getIntrinsicID() ==
402                                   Intrinsic::aarch64_sve_convert_to_svbool ||
403                               IntrinsicCursor->getIntrinsicID() ==
404                                   Intrinsic::aarch64_sve_convert_from_svbool))
405       break;
406 
407     CandidatesForRemoval.insert(CandidatesForRemoval.begin(), IntrinsicCursor);
408     Cursor = IntrinsicCursor->getOperand(0);
409   }
410 
411   // If no viable replacement in the conversion chain was found, there is
412   // nothing to do.
413   if (!EarliestReplacement)
414     return None;
415 
416   return IC.replaceInstUsesWith(II, EarliestReplacement);
417 }
418 
419 static Optional<Instruction *> instCombineSVEDup(InstCombiner &IC,
420                                                  IntrinsicInst &II) {
421   IntrinsicInst *Pg = dyn_cast<IntrinsicInst>(II.getArgOperand(1));
422   if (!Pg)
423     return None;
424 
425   if (Pg->getIntrinsicID() != Intrinsic::aarch64_sve_ptrue)
426     return None;
427 
428   const auto PTruePattern =
429       cast<ConstantInt>(Pg->getOperand(0))->getZExtValue();
430   if (PTruePattern != AArch64SVEPredPattern::vl1)
431     return None;
432 
433   // The intrinsic is inserting into lane zero so use an insert instead.
434   auto *IdxTy = Type::getInt64Ty(II.getContext());
435   auto *Insert = InsertElementInst::Create(
436       II.getArgOperand(0), II.getArgOperand(2), ConstantInt::get(IdxTy, 0));
437   Insert->insertBefore(&II);
438   Insert->takeName(&II);
439 
440   return IC.replaceInstUsesWith(II, Insert);
441 }
442 
443 static Optional<Instruction *> instCombineSVEDupX(InstCombiner &IC,
444                                                   IntrinsicInst &II) {
445   // Replace DupX with a regular IR splat.
446   IRBuilder<> Builder(II.getContext());
447   Builder.SetInsertPoint(&II);
448   auto *RetTy = cast<ScalableVectorType>(II.getType());
449   Value *Splat =
450       Builder.CreateVectorSplat(RetTy->getElementCount(), II.getArgOperand(0));
451   Splat->takeName(&II);
452   return IC.replaceInstUsesWith(II, Splat);
453 }
454 
455 static Optional<Instruction *> instCombineSVECmpNE(InstCombiner &IC,
456                                                    IntrinsicInst &II) {
457   LLVMContext &Ctx = II.getContext();
458   IRBuilder<> Builder(Ctx);
459   Builder.SetInsertPoint(&II);
460 
461   // Check that the predicate is all active
462   auto *Pg = dyn_cast<IntrinsicInst>(II.getArgOperand(0));
463   if (!Pg || Pg->getIntrinsicID() != Intrinsic::aarch64_sve_ptrue)
464     return None;
465 
466   const auto PTruePattern =
467       cast<ConstantInt>(Pg->getOperand(0))->getZExtValue();
468   if (PTruePattern != AArch64SVEPredPattern::all)
469     return None;
470 
471   // Check that we have a compare of zero..
472   auto *SplatValue =
473       dyn_cast_or_null<ConstantInt>(getSplatValue(II.getArgOperand(2)));
474   if (!SplatValue || !SplatValue->isZero())
475     return None;
476 
477   // ..against a dupq
478   auto *DupQLane = dyn_cast<IntrinsicInst>(II.getArgOperand(1));
479   if (!DupQLane ||
480       DupQLane->getIntrinsicID() != Intrinsic::aarch64_sve_dupq_lane)
481     return None;
482 
483   // Where the dupq is a lane 0 replicate of a vector insert
484   if (!cast<ConstantInt>(DupQLane->getArgOperand(1))->isZero())
485     return None;
486 
487   auto *VecIns = dyn_cast<IntrinsicInst>(DupQLane->getArgOperand(0));
488   if (!VecIns ||
489       VecIns->getIntrinsicID() != Intrinsic::experimental_vector_insert)
490     return None;
491 
492   // Where the vector insert is a fixed constant vector insert into undef at
493   // index zero
494   if (!isa<UndefValue>(VecIns->getArgOperand(0)))
495     return None;
496 
497   if (!cast<ConstantInt>(VecIns->getArgOperand(2))->isZero())
498     return None;
499 
500   auto *ConstVec = dyn_cast<Constant>(VecIns->getArgOperand(1));
501   if (!ConstVec)
502     return None;
503 
504   auto *VecTy = dyn_cast<FixedVectorType>(ConstVec->getType());
505   auto *OutTy = dyn_cast<ScalableVectorType>(II.getType());
506   if (!VecTy || !OutTy || VecTy->getNumElements() != OutTy->getMinNumElements())
507     return None;
508 
509   unsigned NumElts = VecTy->getNumElements();
510   unsigned PredicateBits = 0;
511 
512   // Expand intrinsic operands to a 16-bit byte level predicate
513   for (unsigned I = 0; I < NumElts; ++I) {
514     auto *Arg = dyn_cast<ConstantInt>(ConstVec->getAggregateElement(I));
515     if (!Arg)
516       return None;
517     if (!Arg->isZero())
518       PredicateBits |= 1 << (I * (16 / NumElts));
519   }
520 
521   // If all bits are zero bail early with an empty predicate
522   if (PredicateBits == 0) {
523     auto *PFalse = Constant::getNullValue(II.getType());
524     PFalse->takeName(&II);
525     return IC.replaceInstUsesWith(II, PFalse);
526   }
527 
528   // Calculate largest predicate type used (where byte predicate is largest)
529   unsigned Mask = 8;
530   for (unsigned I = 0; I < 16; ++I)
531     if ((PredicateBits & (1 << I)) != 0)
532       Mask |= (I % 8);
533 
534   unsigned PredSize = Mask & -Mask;
535   auto *PredType = ScalableVectorType::get(
536       Type::getInt1Ty(Ctx), AArch64::SVEBitsPerBlock / (PredSize * 8));
537 
538   // Ensure all relevant bits are set
539   for (unsigned I = 0; I < 16; I += PredSize)
540     if ((PredicateBits & (1 << I)) == 0)
541       return None;
542 
543   auto *PTruePat =
544       ConstantInt::get(Type::getInt32Ty(Ctx), AArch64SVEPredPattern::all);
545   auto *PTrue = Builder.CreateIntrinsic(Intrinsic::aarch64_sve_ptrue,
546                                         {PredType}, {PTruePat});
547   auto *ConvertToSVBool = Builder.CreateIntrinsic(
548       Intrinsic::aarch64_sve_convert_to_svbool, {PredType}, {PTrue});
549   auto *ConvertFromSVBool =
550       Builder.CreateIntrinsic(Intrinsic::aarch64_sve_convert_from_svbool,
551                               {II.getType()}, {ConvertToSVBool});
552 
553   ConvertFromSVBool->takeName(&II);
554   return IC.replaceInstUsesWith(II, ConvertFromSVBool);
555 }
556 
557 static Optional<Instruction *> instCombineSVELast(InstCombiner &IC,
558                                                   IntrinsicInst &II) {
559   IRBuilder<> Builder(II.getContext());
560   Builder.SetInsertPoint(&II);
561   Value *Pg = II.getArgOperand(0);
562   Value *Vec = II.getArgOperand(1);
563   auto IntrinsicID = II.getIntrinsicID();
564   bool IsAfter = IntrinsicID == Intrinsic::aarch64_sve_lasta;
565 
566   // lastX(splat(X)) --> X
567   if (auto *SplatVal = getSplatValue(Vec))
568     return IC.replaceInstUsesWith(II, SplatVal);
569 
570   // If x and/or y is a splat value then:
571   // lastX (binop (x, y)) --> binop(lastX(x), lastX(y))
572   Value *LHS, *RHS;
573   if (match(Vec, m_OneUse(m_BinOp(m_Value(LHS), m_Value(RHS))))) {
574     if (isSplatValue(LHS) || isSplatValue(RHS)) {
575       auto *OldBinOp = cast<BinaryOperator>(Vec);
576       auto OpC = OldBinOp->getOpcode();
577       auto *NewLHS =
578           Builder.CreateIntrinsic(IntrinsicID, {Vec->getType()}, {Pg, LHS});
579       auto *NewRHS =
580           Builder.CreateIntrinsic(IntrinsicID, {Vec->getType()}, {Pg, RHS});
581       auto *NewBinOp = BinaryOperator::CreateWithCopiedFlags(
582           OpC, NewLHS, NewRHS, OldBinOp, OldBinOp->getName(), &II);
583       return IC.replaceInstUsesWith(II, NewBinOp);
584     }
585   }
586 
587   auto *C = dyn_cast<Constant>(Pg);
588   if (IsAfter && C && C->isNullValue()) {
589     // The intrinsic is extracting lane 0 so use an extract instead.
590     auto *IdxTy = Type::getInt64Ty(II.getContext());
591     auto *Extract = ExtractElementInst::Create(Vec, ConstantInt::get(IdxTy, 0));
592     Extract->insertBefore(&II);
593     Extract->takeName(&II);
594     return IC.replaceInstUsesWith(II, Extract);
595   }
596 
597   auto *IntrPG = dyn_cast<IntrinsicInst>(Pg);
598   if (!IntrPG)
599     return None;
600 
601   if (IntrPG->getIntrinsicID() != Intrinsic::aarch64_sve_ptrue)
602     return None;
603 
604   const auto PTruePattern =
605       cast<ConstantInt>(IntrPG->getOperand(0))->getZExtValue();
606 
607   // Can the intrinsic's predicate be converted to a known constant index?
608   unsigned MinNumElts = getNumElementsFromSVEPredPattern(PTruePattern);
609   if (!MinNumElts)
610     return None;
611 
612   unsigned Idx = MinNumElts - 1;
613   // Increment the index if extracting the element after the last active
614   // predicate element.
615   if (IsAfter)
616     ++Idx;
617 
618   // Ignore extracts whose index is larger than the known minimum vector
619   // length. NOTE: This is an artificial constraint where we prefer to
620   // maintain what the user asked for until an alternative is proven faster.
621   auto *PgVTy = cast<ScalableVectorType>(Pg->getType());
622   if (Idx >= PgVTy->getMinNumElements())
623     return None;
624 
625   // The intrinsic is extracting a fixed lane so use an extract instead.
626   auto *IdxTy = Type::getInt64Ty(II.getContext());
627   auto *Extract = ExtractElementInst::Create(Vec, ConstantInt::get(IdxTy, Idx));
628   Extract->insertBefore(&II);
629   Extract->takeName(&II);
630   return IC.replaceInstUsesWith(II, Extract);
631 }
632 
633 static Optional<Instruction *> instCombineRDFFR(InstCombiner &IC,
634                                                 IntrinsicInst &II) {
635   LLVMContext &Ctx = II.getContext();
636   IRBuilder<> Builder(Ctx);
637   Builder.SetInsertPoint(&II);
638   // Replace rdffr with predicated rdffr.z intrinsic, so that optimizePTestInstr
639   // can work with RDFFR_PP for ptest elimination.
640   auto *AllPat =
641       ConstantInt::get(Type::getInt32Ty(Ctx), AArch64SVEPredPattern::all);
642   auto *PTrue = Builder.CreateIntrinsic(Intrinsic::aarch64_sve_ptrue,
643                                         {II.getType()}, {AllPat});
644   auto *RDFFR =
645       Builder.CreateIntrinsic(Intrinsic::aarch64_sve_rdffr_z, {}, {PTrue});
646   RDFFR->takeName(&II);
647   return IC.replaceInstUsesWith(II, RDFFR);
648 }
649 
650 static Optional<Instruction *>
651 instCombineSVECntElts(InstCombiner &IC, IntrinsicInst &II, unsigned NumElts) {
652   const auto Pattern = cast<ConstantInt>(II.getArgOperand(0))->getZExtValue();
653 
654   if (Pattern == AArch64SVEPredPattern::all) {
655     LLVMContext &Ctx = II.getContext();
656     IRBuilder<> Builder(Ctx);
657     Builder.SetInsertPoint(&II);
658 
659     Constant *StepVal = ConstantInt::get(II.getType(), NumElts);
660     auto *VScale = Builder.CreateVScale(StepVal);
661     VScale->takeName(&II);
662     return IC.replaceInstUsesWith(II, VScale);
663   }
664 
665   unsigned MinNumElts = getNumElementsFromSVEPredPattern(Pattern);
666 
667   return MinNumElts && NumElts >= MinNumElts
668              ? Optional<Instruction *>(IC.replaceInstUsesWith(
669                    II, ConstantInt::get(II.getType(), MinNumElts)))
670              : None;
671 }
672 
673 static Optional<Instruction *> instCombineSVEPTest(InstCombiner &IC,
674                                                    IntrinsicInst &II) {
675   IntrinsicInst *Op1 = dyn_cast<IntrinsicInst>(II.getArgOperand(0));
676   IntrinsicInst *Op2 = dyn_cast<IntrinsicInst>(II.getArgOperand(1));
677 
678   if (Op1 && Op2 &&
679       Op1->getIntrinsicID() == Intrinsic::aarch64_sve_convert_to_svbool &&
680       Op2->getIntrinsicID() == Intrinsic::aarch64_sve_convert_to_svbool &&
681       Op1->getArgOperand(0)->getType() == Op2->getArgOperand(0)->getType()) {
682 
683     IRBuilder<> Builder(II.getContext());
684     Builder.SetInsertPoint(&II);
685 
686     Value *Ops[] = {Op1->getArgOperand(0), Op2->getArgOperand(0)};
687     Type *Tys[] = {Op1->getArgOperand(0)->getType()};
688 
689     auto *PTest = Builder.CreateIntrinsic(II.getIntrinsicID(), Tys, Ops);
690 
691     PTest->takeName(&II);
692     return IC.replaceInstUsesWith(II, PTest);
693   }
694 
695   return None;
696 }
697 
698 static Optional<Instruction *> instCombineSVEVectorFMLA(InstCombiner &IC,
699                                                         IntrinsicInst &II) {
700   // fold (fadd p a (fmul p b c)) -> (fma p a b c)
701   Value *P = II.getOperand(0);
702   Value *A = II.getOperand(1);
703   auto FMul = II.getOperand(2);
704   Value *B, *C;
705   if (!match(FMul, m_Intrinsic<Intrinsic::aarch64_sve_fmul>(
706                        m_Specific(P), m_Value(B), m_Value(C))))
707     return None;
708 
709   if (!FMul->hasOneUse())
710     return None;
711 
712   llvm::FastMathFlags FAddFlags = II.getFastMathFlags();
713   // Stop the combine when the flags on the inputs differ in case dropping flags
714   // would lead to us missing out on more beneficial optimizations.
715   if (FAddFlags != cast<CallInst>(FMul)->getFastMathFlags())
716     return None;
717   if (!FAddFlags.allowContract())
718     return None;
719 
720   IRBuilder<> Builder(II.getContext());
721   Builder.SetInsertPoint(&II);
722   auto FMLA = Builder.CreateIntrinsic(Intrinsic::aarch64_sve_fmla,
723                                       {II.getType()}, {P, A, B, C}, &II);
724   FMLA->setFastMathFlags(FAddFlags);
725   return IC.replaceInstUsesWith(II, FMLA);
726 }
727 
728 static Optional<Instruction *>
729 instCombineSVELD1(InstCombiner &IC, IntrinsicInst &II, const DataLayout &DL) {
730   IRBuilder<> Builder(II.getContext());
731   Builder.SetInsertPoint(&II);
732 
733   Value *Pred = II.getOperand(0);
734   Value *PtrOp = II.getOperand(1);
735   Type *VecTy = II.getType();
736   Value *VecPtr = Builder.CreateBitCast(PtrOp, VecTy->getPointerTo());
737 
738   if (match(Pred, m_Intrinsic<Intrinsic::aarch64_sve_ptrue>(
739                       m_ConstantInt<AArch64SVEPredPattern::all>()))) {
740     LoadInst *Load = Builder.CreateLoad(VecTy, VecPtr);
741     return IC.replaceInstUsesWith(II, Load);
742   }
743 
744   CallInst *MaskedLoad =
745       Builder.CreateMaskedLoad(VecTy, VecPtr, PtrOp->getPointerAlignment(DL),
746                                Pred, ConstantAggregateZero::get(VecTy));
747   return IC.replaceInstUsesWith(II, MaskedLoad);
748 }
749 
750 static Optional<Instruction *>
751 instCombineSVEST1(InstCombiner &IC, IntrinsicInst &II, const DataLayout &DL) {
752   IRBuilder<> Builder(II.getContext());
753   Builder.SetInsertPoint(&II);
754 
755   Value *VecOp = II.getOperand(0);
756   Value *Pred = II.getOperand(1);
757   Value *PtrOp = II.getOperand(2);
758   Value *VecPtr =
759       Builder.CreateBitCast(PtrOp, VecOp->getType()->getPointerTo());
760 
761   if (match(Pred, m_Intrinsic<Intrinsic::aarch64_sve_ptrue>(
762                       m_ConstantInt<AArch64SVEPredPattern::all>()))) {
763     Builder.CreateStore(VecOp, VecPtr);
764     return IC.eraseInstFromFunction(II);
765   }
766 
767   Builder.CreateMaskedStore(VecOp, VecPtr, PtrOp->getPointerAlignment(DL),
768                             Pred);
769   return IC.eraseInstFromFunction(II);
770 }
771 
772 static Instruction::BinaryOps intrinsicIDToBinOpCode(unsigned Intrinsic) {
773   switch (Intrinsic) {
774   case Intrinsic::aarch64_sve_fmul:
775     return Instruction::BinaryOps::FMul;
776   case Intrinsic::aarch64_sve_fadd:
777     return Instruction::BinaryOps::FAdd;
778   case Intrinsic::aarch64_sve_fsub:
779     return Instruction::BinaryOps::FSub;
780   default:
781     return Instruction::BinaryOpsEnd;
782   }
783 }
784 
785 static Optional<Instruction *> instCombineSVEVectorBinOp(InstCombiner &IC,
786                                                          IntrinsicInst &II) {
787   auto *OpPredicate = II.getOperand(0);
788   auto BinOpCode = intrinsicIDToBinOpCode(II.getIntrinsicID());
789   if (BinOpCode == Instruction::BinaryOpsEnd ||
790       !match(OpPredicate, m_Intrinsic<Intrinsic::aarch64_sve_ptrue>(
791                               m_ConstantInt<AArch64SVEPredPattern::all>())))
792     return None;
793   IRBuilder<> Builder(II.getContext());
794   Builder.SetInsertPoint(&II);
795   Builder.setFastMathFlags(II.getFastMathFlags());
796   auto BinOp =
797       Builder.CreateBinOp(BinOpCode, II.getOperand(1), II.getOperand(2));
798   return IC.replaceInstUsesWith(II, BinOp);
799 }
800 
801 static Optional<Instruction *> instCombineSVEVectorFAdd(InstCombiner &IC,
802                                                         IntrinsicInst &II) {
803   if (auto FMLA = instCombineSVEVectorFMLA(IC, II))
804     return FMLA;
805   return instCombineSVEVectorBinOp(IC, II);
806 }
807 
808 static Optional<Instruction *> instCombineSVEVectorMul(InstCombiner &IC,
809                                                        IntrinsicInst &II) {
810   auto *OpPredicate = II.getOperand(0);
811   auto *OpMultiplicand = II.getOperand(1);
812   auto *OpMultiplier = II.getOperand(2);
813 
814   IRBuilder<> Builder(II.getContext());
815   Builder.SetInsertPoint(&II);
816 
817   // Return true if a given instruction is a unit splat value, false otherwise.
818   auto IsUnitSplat = [](auto *I) {
819     auto *SplatValue = getSplatValue(I);
820     if (!SplatValue)
821       return false;
822     return match(SplatValue, m_FPOne()) || match(SplatValue, m_One());
823   };
824 
825   // Return true if a given instruction is an aarch64_sve_dup intrinsic call
826   // with a unit splat value, false otherwise.
827   auto IsUnitDup = [](auto *I) {
828     auto *IntrI = dyn_cast<IntrinsicInst>(I);
829     if (!IntrI || IntrI->getIntrinsicID() != Intrinsic::aarch64_sve_dup)
830       return false;
831 
832     auto *SplatValue = IntrI->getOperand(2);
833     return match(SplatValue, m_FPOne()) || match(SplatValue, m_One());
834   };
835 
836   // The OpMultiplier variable should always point to the dup (if any), so
837   // swap if necessary.
838   if (IsUnitDup(OpMultiplicand) || IsUnitSplat(OpMultiplicand))
839     std::swap(OpMultiplier, OpMultiplicand);
840 
841   if (IsUnitSplat(OpMultiplier)) {
842     // [f]mul pg (dupx 1) %n => %n
843     OpMultiplicand->takeName(&II);
844     return IC.replaceInstUsesWith(II, OpMultiplicand);
845   } else if (IsUnitDup(OpMultiplier)) {
846     // [f]mul pg (dup pg 1) %n => %n
847     auto *DupInst = cast<IntrinsicInst>(OpMultiplier);
848     auto *DupPg = DupInst->getOperand(1);
849     // TODO: this is naive. The optimization is still valid if DupPg
850     // 'encompasses' OpPredicate, not only if they're the same predicate.
851     if (OpPredicate == DupPg) {
852       OpMultiplicand->takeName(&II);
853       return IC.replaceInstUsesWith(II, OpMultiplicand);
854     }
855   }
856 
857   return instCombineSVEVectorBinOp(IC, II);
858 }
859 
860 static Optional<Instruction *> instCombineSVEUnpack(InstCombiner &IC,
861                                                     IntrinsicInst &II) {
862   IRBuilder<> Builder(II.getContext());
863   Builder.SetInsertPoint(&II);
864   Value *UnpackArg = II.getArgOperand(0);
865   auto *RetTy = cast<ScalableVectorType>(II.getType());
866   bool IsSigned = II.getIntrinsicID() == Intrinsic::aarch64_sve_sunpkhi ||
867                   II.getIntrinsicID() == Intrinsic::aarch64_sve_sunpklo;
868 
869   // Hi = uunpkhi(splat(X)) --> Hi = splat(extend(X))
870   // Lo = uunpklo(splat(X)) --> Lo = splat(extend(X))
871   if (auto *ScalarArg = getSplatValue(UnpackArg)) {
872     ScalarArg =
873         Builder.CreateIntCast(ScalarArg, RetTy->getScalarType(), IsSigned);
874     Value *NewVal =
875         Builder.CreateVectorSplat(RetTy->getElementCount(), ScalarArg);
876     NewVal->takeName(&II);
877     return IC.replaceInstUsesWith(II, NewVal);
878   }
879 
880   return None;
881 }
882 static Optional<Instruction *> instCombineSVETBL(InstCombiner &IC,
883                                                  IntrinsicInst &II) {
884   auto *OpVal = II.getOperand(0);
885   auto *OpIndices = II.getOperand(1);
886   VectorType *VTy = cast<VectorType>(II.getType());
887 
888   // Check whether OpIndices is a constant splat value < minimal element count
889   // of result.
890   auto *SplatValue = dyn_cast_or_null<ConstantInt>(getSplatValue(OpIndices));
891   if (!SplatValue ||
892       SplatValue->getValue().uge(VTy->getElementCount().getKnownMinValue()))
893     return None;
894 
895   // Convert sve_tbl(OpVal sve_dup_x(SplatValue)) to
896   // splat_vector(extractelement(OpVal, SplatValue)) for further optimization.
897   IRBuilder<> Builder(II.getContext());
898   Builder.SetInsertPoint(&II);
899   auto *Extract = Builder.CreateExtractElement(OpVal, SplatValue);
900   auto *VectorSplat =
901       Builder.CreateVectorSplat(VTy->getElementCount(), Extract);
902 
903   VectorSplat->takeName(&II);
904   return IC.replaceInstUsesWith(II, VectorSplat);
905 }
906 
907 static Optional<Instruction *> instCombineSVETupleGet(InstCombiner &IC,
908                                                       IntrinsicInst &II) {
909   // Try to remove sequences of tuple get/set.
910   Value *SetTuple, *SetIndex, *SetValue;
911   auto *GetTuple = II.getArgOperand(0);
912   auto *GetIndex = II.getArgOperand(1);
913   // Check that we have tuple_get(GetTuple, GetIndex) where GetTuple is a
914   // call to tuple_set i.e. tuple_set(SetTuple, SetIndex, SetValue).
915   // Make sure that the types of the current intrinsic and SetValue match
916   // in order to safely remove the sequence.
917   if (!match(GetTuple,
918              m_Intrinsic<Intrinsic::aarch64_sve_tuple_set>(
919                  m_Value(SetTuple), m_Value(SetIndex), m_Value(SetValue))) ||
920       SetValue->getType() != II.getType())
921     return None;
922   // Case where we get the same index right after setting it.
923   // tuple_get(tuple_set(SetTuple, SetIndex, SetValue), GetIndex) --> SetValue
924   if (GetIndex == SetIndex)
925     return IC.replaceInstUsesWith(II, SetValue);
926   // If we are getting a different index than what was set in the tuple_set
927   // intrinsic. We can just set the input tuple to the one up in the chain.
928   // tuple_get(tuple_set(SetTuple, SetIndex, SetValue), GetIndex)
929   // --> tuple_get(SetTuple, GetIndex)
930   return IC.replaceOperand(II, 0, SetTuple);
931 }
932 
933 static Optional<Instruction *> instCombineSVEZip(InstCombiner &IC,
934                                                  IntrinsicInst &II) {
935   // zip1(uzp1(A, B), uzp2(A, B)) --> A
936   // zip2(uzp1(A, B), uzp2(A, B)) --> B
937   Value *A, *B;
938   if (match(II.getArgOperand(0),
939             m_Intrinsic<Intrinsic::aarch64_sve_uzp1>(m_Value(A), m_Value(B))) &&
940       match(II.getArgOperand(1), m_Intrinsic<Intrinsic::aarch64_sve_uzp2>(
941                                      m_Specific(A), m_Specific(B))))
942     return IC.replaceInstUsesWith(
943         II, (II.getIntrinsicID() == Intrinsic::aarch64_sve_zip1 ? A : B));
944 
945   return None;
946 }
947 
948 static Optional<Instruction *> instCombineLD1GatherIndex(InstCombiner &IC,
949                                                          IntrinsicInst &II) {
950   Value *Mask = II.getOperand(0);
951   Value *BasePtr = II.getOperand(1);
952   Value *Index = II.getOperand(2);
953   Type *Ty = II.getType();
954   Type *BasePtrTy = BasePtr->getType();
955   Value *PassThru = ConstantAggregateZero::get(Ty);
956 
957   // Contiguous gather => masked load.
958   // (sve.ld1.gather.index Mask BasePtr (sve.index IndexBase 1))
959   // => (masked.load (gep BasePtr IndexBase) Align Mask zeroinitializer)
960   Value *IndexBase;
961   if (match(Index, m_Intrinsic<Intrinsic::aarch64_sve_index>(
962                        m_Value(IndexBase), m_SpecificInt(1)))) {
963     IRBuilder<> Builder(II.getContext());
964     Builder.SetInsertPoint(&II);
965 
966     Align Alignment =
967         BasePtr->getPointerAlignment(II.getModule()->getDataLayout());
968 
969     Type *VecPtrTy = PointerType::getUnqual(Ty);
970     Value *Ptr = Builder.CreateGEP(BasePtrTy->getPointerElementType(), BasePtr,
971                                    IndexBase);
972     Ptr = Builder.CreateBitCast(Ptr, VecPtrTy);
973     CallInst *MaskedLoad =
974         Builder.CreateMaskedLoad(Ty, Ptr, Alignment, Mask, PassThru);
975     MaskedLoad->takeName(&II);
976     return IC.replaceInstUsesWith(II, MaskedLoad);
977   }
978 
979   return None;
980 }
981 
982 static Optional<Instruction *> instCombineST1ScatterIndex(InstCombiner &IC,
983                                                           IntrinsicInst &II) {
984   Value *Val = II.getOperand(0);
985   Value *Mask = II.getOperand(1);
986   Value *BasePtr = II.getOperand(2);
987   Value *Index = II.getOperand(3);
988   Type *Ty = Val->getType();
989   Type *BasePtrTy = BasePtr->getType();
990 
991   // Contiguous scatter => masked store.
992   // (sve.ld1.scatter.index Value Mask BasePtr (sve.index IndexBase 1))
993   // => (masked.store Value (gep BasePtr IndexBase) Align Mask)
994   Value *IndexBase;
995   if (match(Index, m_Intrinsic<Intrinsic::aarch64_sve_index>(
996                        m_Value(IndexBase), m_SpecificInt(1)))) {
997     IRBuilder<> Builder(II.getContext());
998     Builder.SetInsertPoint(&II);
999 
1000     Align Alignment =
1001         BasePtr->getPointerAlignment(II.getModule()->getDataLayout());
1002 
1003     Value *Ptr = Builder.CreateGEP(BasePtrTy->getPointerElementType(), BasePtr,
1004                                    IndexBase);
1005     Type *VecPtrTy = PointerType::getUnqual(Ty);
1006     Ptr = Builder.CreateBitCast(Ptr, VecPtrTy);
1007 
1008     (void)Builder.CreateMaskedStore(Val, Ptr, Alignment, Mask);
1009 
1010     return IC.eraseInstFromFunction(II);
1011   }
1012 
1013   return None;
1014 }
1015 
1016 Optional<Instruction *>
1017 AArch64TTIImpl::instCombineIntrinsic(InstCombiner &IC,
1018                                      IntrinsicInst &II) const {
1019   Intrinsic::ID IID = II.getIntrinsicID();
1020   switch (IID) {
1021   default:
1022     break;
1023   case Intrinsic::aarch64_sve_convert_from_svbool:
1024     return instCombineConvertFromSVBool(IC, II);
1025   case Intrinsic::aarch64_sve_dup:
1026     return instCombineSVEDup(IC, II);
1027   case Intrinsic::aarch64_sve_dup_x:
1028     return instCombineSVEDupX(IC, II);
1029   case Intrinsic::aarch64_sve_cmpne:
1030   case Intrinsic::aarch64_sve_cmpne_wide:
1031     return instCombineSVECmpNE(IC, II);
1032   case Intrinsic::aarch64_sve_rdffr:
1033     return instCombineRDFFR(IC, II);
1034   case Intrinsic::aarch64_sve_lasta:
1035   case Intrinsic::aarch64_sve_lastb:
1036     return instCombineSVELast(IC, II);
1037   case Intrinsic::aarch64_sve_cntd:
1038     return instCombineSVECntElts(IC, II, 2);
1039   case Intrinsic::aarch64_sve_cntw:
1040     return instCombineSVECntElts(IC, II, 4);
1041   case Intrinsic::aarch64_sve_cnth:
1042     return instCombineSVECntElts(IC, II, 8);
1043   case Intrinsic::aarch64_sve_cntb:
1044     return instCombineSVECntElts(IC, II, 16);
1045   case Intrinsic::aarch64_sve_ptest_any:
1046   case Intrinsic::aarch64_sve_ptest_first:
1047   case Intrinsic::aarch64_sve_ptest_last:
1048     return instCombineSVEPTest(IC, II);
1049   case Intrinsic::aarch64_sve_mul:
1050   case Intrinsic::aarch64_sve_fmul:
1051     return instCombineSVEVectorMul(IC, II);
1052   case Intrinsic::aarch64_sve_fadd:
1053     return instCombineSVEVectorFAdd(IC, II);
1054   case Intrinsic::aarch64_sve_fsub:
1055     return instCombineSVEVectorBinOp(IC, II);
1056   case Intrinsic::aarch64_sve_tbl:
1057     return instCombineSVETBL(IC, II);
1058   case Intrinsic::aarch64_sve_uunpkhi:
1059   case Intrinsic::aarch64_sve_uunpklo:
1060   case Intrinsic::aarch64_sve_sunpkhi:
1061   case Intrinsic::aarch64_sve_sunpklo:
1062     return instCombineSVEUnpack(IC, II);
1063   case Intrinsic::aarch64_sve_tuple_get:
1064     return instCombineSVETupleGet(IC, II);
1065   case Intrinsic::aarch64_sve_zip1:
1066   case Intrinsic::aarch64_sve_zip2:
1067     return instCombineSVEZip(IC, II);
1068   case Intrinsic::aarch64_sve_ld1_gather_index:
1069     return instCombineLD1GatherIndex(IC, II);
1070   case Intrinsic::aarch64_sve_st1_scatter_index:
1071     return instCombineST1ScatterIndex(IC, II);
1072   case Intrinsic::aarch64_sve_ld1:
1073     return instCombineSVELD1(IC, II, DL);
1074   case Intrinsic::aarch64_sve_st1:
1075     return instCombineSVEST1(IC, II, DL);
1076   }
1077 
1078   return None;
1079 }
1080 
1081 bool AArch64TTIImpl::isWideningInstruction(Type *DstTy, unsigned Opcode,
1082                                            ArrayRef<const Value *> Args) {
1083 
1084   // A helper that returns a vector type from the given type. The number of
1085   // elements in type Ty determine the vector width.
1086   auto toVectorTy = [&](Type *ArgTy) {
1087     return VectorType::get(ArgTy->getScalarType(),
1088                            cast<VectorType>(DstTy)->getElementCount());
1089   };
1090 
1091   // Exit early if DstTy is not a vector type whose elements are at least
1092   // 16-bits wide.
1093   if (!DstTy->isVectorTy() || DstTy->getScalarSizeInBits() < 16)
1094     return false;
1095 
1096   // Determine if the operation has a widening variant. We consider both the
1097   // "long" (e.g., usubl) and "wide" (e.g., usubw) versions of the
1098   // instructions.
1099   //
1100   // TODO: Add additional widening operations (e.g., mul, shl, etc.) once we
1101   //       verify that their extending operands are eliminated during code
1102   //       generation.
1103   switch (Opcode) {
1104   case Instruction::Add: // UADDL(2), SADDL(2), UADDW(2), SADDW(2).
1105   case Instruction::Sub: // USUBL(2), SSUBL(2), USUBW(2), SSUBW(2).
1106     break;
1107   default:
1108     return false;
1109   }
1110 
1111   // To be a widening instruction (either the "wide" or "long" versions), the
1112   // second operand must be a sign- or zero extend having a single user. We
1113   // only consider extends having a single user because they may otherwise not
1114   // be eliminated.
1115   if (Args.size() != 2 ||
1116       (!isa<SExtInst>(Args[1]) && !isa<ZExtInst>(Args[1])) ||
1117       !Args[1]->hasOneUse())
1118     return false;
1119   auto *Extend = cast<CastInst>(Args[1]);
1120 
1121   // Legalize the destination type and ensure it can be used in a widening
1122   // operation.
1123   auto DstTyL = TLI->getTypeLegalizationCost(DL, DstTy);
1124   unsigned DstElTySize = DstTyL.second.getScalarSizeInBits();
1125   if (!DstTyL.second.isVector() || DstElTySize != DstTy->getScalarSizeInBits())
1126     return false;
1127 
1128   // Legalize the source type and ensure it can be used in a widening
1129   // operation.
1130   auto *SrcTy = toVectorTy(Extend->getSrcTy());
1131   auto SrcTyL = TLI->getTypeLegalizationCost(DL, SrcTy);
1132   unsigned SrcElTySize = SrcTyL.second.getScalarSizeInBits();
1133   if (!SrcTyL.second.isVector() || SrcElTySize != SrcTy->getScalarSizeInBits())
1134     return false;
1135 
1136   // Get the total number of vector elements in the legalized types.
1137   InstructionCost NumDstEls =
1138       DstTyL.first * DstTyL.second.getVectorMinNumElements();
1139   InstructionCost NumSrcEls =
1140       SrcTyL.first * SrcTyL.second.getVectorMinNumElements();
1141 
1142   // Return true if the legalized types have the same number of vector elements
1143   // and the destination element type size is twice that of the source type.
1144   return NumDstEls == NumSrcEls && 2 * SrcElTySize == DstElTySize;
1145 }
1146 
1147 InstructionCost AArch64TTIImpl::getCastInstrCost(unsigned Opcode, Type *Dst,
1148                                                  Type *Src,
1149                                                  TTI::CastContextHint CCH,
1150                                                  TTI::TargetCostKind CostKind,
1151                                                  const Instruction *I) {
1152   int ISD = TLI->InstructionOpcodeToISD(Opcode);
1153   assert(ISD && "Invalid opcode");
1154 
1155   // If the cast is observable, and it is used by a widening instruction (e.g.,
1156   // uaddl, saddw, etc.), it may be free.
1157   if (I && I->hasOneUse()) {
1158     auto *SingleUser = cast<Instruction>(*I->user_begin());
1159     SmallVector<const Value *, 4> Operands(SingleUser->operand_values());
1160     if (isWideningInstruction(Dst, SingleUser->getOpcode(), Operands)) {
1161       // If the cast is the second operand, it is free. We will generate either
1162       // a "wide" or "long" version of the widening instruction.
1163       if (I == SingleUser->getOperand(1))
1164         return 0;
1165       // If the cast is not the second operand, it will be free if it looks the
1166       // same as the second operand. In this case, we will generate a "long"
1167       // version of the widening instruction.
1168       if (auto *Cast = dyn_cast<CastInst>(SingleUser->getOperand(1)))
1169         if (I->getOpcode() == unsigned(Cast->getOpcode()) &&
1170             cast<CastInst>(I)->getSrcTy() == Cast->getSrcTy())
1171           return 0;
1172     }
1173   }
1174 
1175   // TODO: Allow non-throughput costs that aren't binary.
1176   auto AdjustCost = [&CostKind](InstructionCost Cost) -> InstructionCost {
1177     if (CostKind != TTI::TCK_RecipThroughput)
1178       return Cost == 0 ? 0 : 1;
1179     return Cost;
1180   };
1181 
1182   EVT SrcTy = TLI->getValueType(DL, Src);
1183   EVT DstTy = TLI->getValueType(DL, Dst);
1184 
1185   if (!SrcTy.isSimple() || !DstTy.isSimple())
1186     return AdjustCost(
1187         BaseT::getCastInstrCost(Opcode, Dst, Src, CCH, CostKind, I));
1188 
1189   static const TypeConversionCostTblEntry
1190   ConversionTbl[] = {
1191     { ISD::TRUNCATE, MVT::v4i16, MVT::v4i32,  1 },
1192     { ISD::TRUNCATE, MVT::v4i32, MVT::v4i64,  0 },
1193     { ISD::TRUNCATE, MVT::v8i8,  MVT::v8i32,  3 },
1194     { ISD::TRUNCATE, MVT::v16i8, MVT::v16i32, 6 },
1195 
1196     // Truncations on nxvmiN
1197     { ISD::TRUNCATE, MVT::nxv2i1, MVT::nxv2i16, 1 },
1198     { ISD::TRUNCATE, MVT::nxv2i1, MVT::nxv2i32, 1 },
1199     { ISD::TRUNCATE, MVT::nxv2i1, MVT::nxv2i64, 1 },
1200     { ISD::TRUNCATE, MVT::nxv4i1, MVT::nxv4i16, 1 },
1201     { ISD::TRUNCATE, MVT::nxv4i1, MVT::nxv4i32, 1 },
1202     { ISD::TRUNCATE, MVT::nxv4i1, MVT::nxv4i64, 2 },
1203     { ISD::TRUNCATE, MVT::nxv8i1, MVT::nxv8i16, 1 },
1204     { ISD::TRUNCATE, MVT::nxv8i1, MVT::nxv8i32, 3 },
1205     { ISD::TRUNCATE, MVT::nxv8i1, MVT::nxv8i64, 5 },
1206     { ISD::TRUNCATE, MVT::nxv16i1, MVT::nxv16i8, 1 },
1207     { ISD::TRUNCATE, MVT::nxv2i16, MVT::nxv2i32, 1 },
1208     { ISD::TRUNCATE, MVT::nxv2i32, MVT::nxv2i64, 1 },
1209     { ISD::TRUNCATE, MVT::nxv4i16, MVT::nxv4i32, 1 },
1210     { ISD::TRUNCATE, MVT::nxv4i32, MVT::nxv4i64, 2 },
1211     { ISD::TRUNCATE, MVT::nxv8i16, MVT::nxv8i32, 3 },
1212     { ISD::TRUNCATE, MVT::nxv8i32, MVT::nxv8i64, 6 },
1213 
1214     // The number of shll instructions for the extension.
1215     { ISD::SIGN_EXTEND, MVT::v4i64,  MVT::v4i16, 3 },
1216     { ISD::ZERO_EXTEND, MVT::v4i64,  MVT::v4i16, 3 },
1217     { ISD::SIGN_EXTEND, MVT::v4i64,  MVT::v4i32, 2 },
1218     { ISD::ZERO_EXTEND, MVT::v4i64,  MVT::v4i32, 2 },
1219     { ISD::SIGN_EXTEND, MVT::v8i32,  MVT::v8i8,  3 },
1220     { ISD::ZERO_EXTEND, MVT::v8i32,  MVT::v8i8,  3 },
1221     { ISD::SIGN_EXTEND, MVT::v8i32,  MVT::v8i16, 2 },
1222     { ISD::ZERO_EXTEND, MVT::v8i32,  MVT::v8i16, 2 },
1223     { ISD::SIGN_EXTEND, MVT::v8i64,  MVT::v8i8,  7 },
1224     { ISD::ZERO_EXTEND, MVT::v8i64,  MVT::v8i8,  7 },
1225     { ISD::SIGN_EXTEND, MVT::v8i64,  MVT::v8i16, 6 },
1226     { ISD::ZERO_EXTEND, MVT::v8i64,  MVT::v8i16, 6 },
1227     { ISD::SIGN_EXTEND, MVT::v16i16, MVT::v16i8, 2 },
1228     { ISD::ZERO_EXTEND, MVT::v16i16, MVT::v16i8, 2 },
1229     { ISD::SIGN_EXTEND, MVT::v16i32, MVT::v16i8, 6 },
1230     { ISD::ZERO_EXTEND, MVT::v16i32, MVT::v16i8, 6 },
1231 
1232     // LowerVectorINT_TO_FP:
1233     { ISD::SINT_TO_FP, MVT::v2f32, MVT::v2i32, 1 },
1234     { ISD::SINT_TO_FP, MVT::v4f32, MVT::v4i32, 1 },
1235     { ISD::SINT_TO_FP, MVT::v2f64, MVT::v2i64, 1 },
1236     { ISD::UINT_TO_FP, MVT::v2f32, MVT::v2i32, 1 },
1237     { ISD::UINT_TO_FP, MVT::v4f32, MVT::v4i32, 1 },
1238     { ISD::UINT_TO_FP, MVT::v2f64, MVT::v2i64, 1 },
1239 
1240     // Complex: to v2f32
1241     { ISD::SINT_TO_FP, MVT::v2f32, MVT::v2i8,  3 },
1242     { ISD::SINT_TO_FP, MVT::v2f32, MVT::v2i16, 3 },
1243     { ISD::SINT_TO_FP, MVT::v2f32, MVT::v2i64, 2 },
1244     { ISD::UINT_TO_FP, MVT::v2f32, MVT::v2i8,  3 },
1245     { ISD::UINT_TO_FP, MVT::v2f32, MVT::v2i16, 3 },
1246     { ISD::UINT_TO_FP, MVT::v2f32, MVT::v2i64, 2 },
1247 
1248     // Complex: to v4f32
1249     { ISD::SINT_TO_FP, MVT::v4f32, MVT::v4i8,  4 },
1250     { ISD::SINT_TO_FP, MVT::v4f32, MVT::v4i16, 2 },
1251     { ISD::UINT_TO_FP, MVT::v4f32, MVT::v4i8,  3 },
1252     { ISD::UINT_TO_FP, MVT::v4f32, MVT::v4i16, 2 },
1253 
1254     // Complex: to v8f32
1255     { ISD::SINT_TO_FP, MVT::v8f32, MVT::v8i8,  10 },
1256     { ISD::SINT_TO_FP, MVT::v8f32, MVT::v8i16, 4 },
1257     { ISD::UINT_TO_FP, MVT::v8f32, MVT::v8i8,  10 },
1258     { ISD::UINT_TO_FP, MVT::v8f32, MVT::v8i16, 4 },
1259 
1260     // Complex: to v16f32
1261     { ISD::SINT_TO_FP, MVT::v16f32, MVT::v16i8, 21 },
1262     { ISD::UINT_TO_FP, MVT::v16f32, MVT::v16i8, 21 },
1263 
1264     // Complex: to v2f64
1265     { ISD::SINT_TO_FP, MVT::v2f64, MVT::v2i8,  4 },
1266     { ISD::SINT_TO_FP, MVT::v2f64, MVT::v2i16, 4 },
1267     { ISD::SINT_TO_FP, MVT::v2f64, MVT::v2i32, 2 },
1268     { ISD::UINT_TO_FP, MVT::v2f64, MVT::v2i8,  4 },
1269     { ISD::UINT_TO_FP, MVT::v2f64, MVT::v2i16, 4 },
1270     { ISD::UINT_TO_FP, MVT::v2f64, MVT::v2i32, 2 },
1271 
1272 
1273     // LowerVectorFP_TO_INT
1274     { ISD::FP_TO_SINT, MVT::v2i32, MVT::v2f32, 1 },
1275     { ISD::FP_TO_SINT, MVT::v4i32, MVT::v4f32, 1 },
1276     { ISD::FP_TO_SINT, MVT::v2i64, MVT::v2f64, 1 },
1277     { ISD::FP_TO_UINT, MVT::v2i32, MVT::v2f32, 1 },
1278     { ISD::FP_TO_UINT, MVT::v4i32, MVT::v4f32, 1 },
1279     { ISD::FP_TO_UINT, MVT::v2i64, MVT::v2f64, 1 },
1280 
1281     // Complex, from v2f32: legal type is v2i32 (no cost) or v2i64 (1 ext).
1282     { ISD::FP_TO_SINT, MVT::v2i64, MVT::v2f32, 2 },
1283     { ISD::FP_TO_SINT, MVT::v2i16, MVT::v2f32, 1 },
1284     { ISD::FP_TO_SINT, MVT::v2i8,  MVT::v2f32, 1 },
1285     { ISD::FP_TO_UINT, MVT::v2i64, MVT::v2f32, 2 },
1286     { ISD::FP_TO_UINT, MVT::v2i16, MVT::v2f32, 1 },
1287     { ISD::FP_TO_UINT, MVT::v2i8,  MVT::v2f32, 1 },
1288 
1289     // Complex, from v4f32: legal type is v4i16, 1 narrowing => ~2
1290     { ISD::FP_TO_SINT, MVT::v4i16, MVT::v4f32, 2 },
1291     { ISD::FP_TO_SINT, MVT::v4i8,  MVT::v4f32, 2 },
1292     { ISD::FP_TO_UINT, MVT::v4i16, MVT::v4f32, 2 },
1293     { ISD::FP_TO_UINT, MVT::v4i8,  MVT::v4f32, 2 },
1294 
1295     // Complex, from nxv2f32.
1296     { ISD::FP_TO_SINT, MVT::nxv2i64, MVT::nxv2f32, 1 },
1297     { ISD::FP_TO_SINT, MVT::nxv2i32, MVT::nxv2f32, 1 },
1298     { ISD::FP_TO_SINT, MVT::nxv2i16, MVT::nxv2f32, 1 },
1299     { ISD::FP_TO_SINT, MVT::nxv2i8,  MVT::nxv2f32, 1 },
1300     { ISD::FP_TO_UINT, MVT::nxv2i64, MVT::nxv2f32, 1 },
1301     { ISD::FP_TO_UINT, MVT::nxv2i32, MVT::nxv2f32, 1 },
1302     { ISD::FP_TO_UINT, MVT::nxv2i16, MVT::nxv2f32, 1 },
1303     { ISD::FP_TO_UINT, MVT::nxv2i8,  MVT::nxv2f32, 1 },
1304 
1305     // Complex, from v2f64: legal type is v2i32, 1 narrowing => ~2.
1306     { ISD::FP_TO_SINT, MVT::v2i32, MVT::v2f64, 2 },
1307     { ISD::FP_TO_SINT, MVT::v2i16, MVT::v2f64, 2 },
1308     { ISD::FP_TO_SINT, MVT::v2i8,  MVT::v2f64, 2 },
1309     { ISD::FP_TO_UINT, MVT::v2i32, MVT::v2f64, 2 },
1310     { ISD::FP_TO_UINT, MVT::v2i16, MVT::v2f64, 2 },
1311     { ISD::FP_TO_UINT, MVT::v2i8,  MVT::v2f64, 2 },
1312 
1313     // Complex, from nxv2f64.
1314     { ISD::FP_TO_SINT, MVT::nxv2i64, MVT::nxv2f64, 1 },
1315     { ISD::FP_TO_SINT, MVT::nxv2i32, MVT::nxv2f64, 1 },
1316     { ISD::FP_TO_SINT, MVT::nxv2i16, MVT::nxv2f64, 1 },
1317     { ISD::FP_TO_SINT, MVT::nxv2i8,  MVT::nxv2f64, 1 },
1318     { ISD::FP_TO_UINT, MVT::nxv2i64, MVT::nxv2f64, 1 },
1319     { ISD::FP_TO_UINT, MVT::nxv2i32, MVT::nxv2f64, 1 },
1320     { ISD::FP_TO_UINT, MVT::nxv2i16, MVT::nxv2f64, 1 },
1321     { ISD::FP_TO_UINT, MVT::nxv2i8,  MVT::nxv2f64, 1 },
1322 
1323     // Complex, from nxv4f32.
1324     { ISD::FP_TO_SINT, MVT::nxv4i64, MVT::nxv4f32, 4 },
1325     { ISD::FP_TO_SINT, MVT::nxv4i32, MVT::nxv4f32, 1 },
1326     { ISD::FP_TO_SINT, MVT::nxv4i16, MVT::nxv4f32, 1 },
1327     { ISD::FP_TO_SINT, MVT::nxv4i8,  MVT::nxv4f32, 1 },
1328     { ISD::FP_TO_UINT, MVT::nxv4i64, MVT::nxv4f32, 4 },
1329     { ISD::FP_TO_UINT, MVT::nxv4i32, MVT::nxv4f32, 1 },
1330     { ISD::FP_TO_UINT, MVT::nxv4i16, MVT::nxv4f32, 1 },
1331     { ISD::FP_TO_UINT, MVT::nxv4i8,  MVT::nxv4f32, 1 },
1332 
1333     // Complex, from nxv8f64. Illegal -> illegal conversions not required.
1334     { ISD::FP_TO_SINT, MVT::nxv8i16, MVT::nxv8f64, 7 },
1335     { ISD::FP_TO_SINT, MVT::nxv8i8,  MVT::nxv8f64, 7 },
1336     { ISD::FP_TO_UINT, MVT::nxv8i16, MVT::nxv8f64, 7 },
1337     { ISD::FP_TO_UINT, MVT::nxv8i8,  MVT::nxv8f64, 7 },
1338 
1339     // Complex, from nxv4f64. Illegal -> illegal conversions not required.
1340     { ISD::FP_TO_SINT, MVT::nxv4i32, MVT::nxv4f64, 3 },
1341     { ISD::FP_TO_SINT, MVT::nxv4i16, MVT::nxv4f64, 3 },
1342     { ISD::FP_TO_SINT, MVT::nxv4i8,  MVT::nxv4f64, 3 },
1343     { ISD::FP_TO_UINT, MVT::nxv4i32, MVT::nxv4f64, 3 },
1344     { ISD::FP_TO_UINT, MVT::nxv4i16, MVT::nxv4f64, 3 },
1345     { ISD::FP_TO_UINT, MVT::nxv4i8,  MVT::nxv4f64, 3 },
1346 
1347     // Complex, from nxv8f32. Illegal -> illegal conversions not required.
1348     { ISD::FP_TO_SINT, MVT::nxv8i16, MVT::nxv8f32, 3 },
1349     { ISD::FP_TO_SINT, MVT::nxv8i8,  MVT::nxv8f32, 3 },
1350     { ISD::FP_TO_UINT, MVT::nxv8i16, MVT::nxv8f32, 3 },
1351     { ISD::FP_TO_UINT, MVT::nxv8i8,  MVT::nxv8f32, 3 },
1352 
1353     // Complex, from nxv8f16.
1354     { ISD::FP_TO_SINT, MVT::nxv8i64, MVT::nxv8f16, 10 },
1355     { ISD::FP_TO_SINT, MVT::nxv8i32, MVT::nxv8f16, 4 },
1356     { ISD::FP_TO_SINT, MVT::nxv8i16, MVT::nxv8f16, 1 },
1357     { ISD::FP_TO_SINT, MVT::nxv8i8,  MVT::nxv8f16, 1 },
1358     { ISD::FP_TO_UINT, MVT::nxv8i64, MVT::nxv8f16, 10 },
1359     { ISD::FP_TO_UINT, MVT::nxv8i32, MVT::nxv8f16, 4 },
1360     { ISD::FP_TO_UINT, MVT::nxv8i16, MVT::nxv8f16, 1 },
1361     { ISD::FP_TO_UINT, MVT::nxv8i8,  MVT::nxv8f16, 1 },
1362 
1363     // Complex, from nxv4f16.
1364     { ISD::FP_TO_SINT, MVT::nxv4i64, MVT::nxv4f16, 4 },
1365     { ISD::FP_TO_SINT, MVT::nxv4i32, MVT::nxv4f16, 1 },
1366     { ISD::FP_TO_SINT, MVT::nxv4i16, MVT::nxv4f16, 1 },
1367     { ISD::FP_TO_SINT, MVT::nxv4i8,  MVT::nxv4f16, 1 },
1368     { ISD::FP_TO_UINT, MVT::nxv4i64, MVT::nxv4f16, 4 },
1369     { ISD::FP_TO_UINT, MVT::nxv4i32, MVT::nxv4f16, 1 },
1370     { ISD::FP_TO_UINT, MVT::nxv4i16, MVT::nxv4f16, 1 },
1371     { ISD::FP_TO_UINT, MVT::nxv4i8,  MVT::nxv4f16, 1 },
1372 
1373     // Complex, from nxv2f16.
1374     { ISD::FP_TO_SINT, MVT::nxv2i64, MVT::nxv2f16, 1 },
1375     { ISD::FP_TO_SINT, MVT::nxv2i32, MVT::nxv2f16, 1 },
1376     { ISD::FP_TO_SINT, MVT::nxv2i16, MVT::nxv2f16, 1 },
1377     { ISD::FP_TO_SINT, MVT::nxv2i8,  MVT::nxv2f16, 1 },
1378     { ISD::FP_TO_UINT, MVT::nxv2i64, MVT::nxv2f16, 1 },
1379     { ISD::FP_TO_UINT, MVT::nxv2i32, MVT::nxv2f16, 1 },
1380     { ISD::FP_TO_UINT, MVT::nxv2i16, MVT::nxv2f16, 1 },
1381     { ISD::FP_TO_UINT, MVT::nxv2i8,  MVT::nxv2f16, 1 },
1382 
1383     // Truncate from nxvmf32 to nxvmf16.
1384     { ISD::FP_ROUND, MVT::nxv2f16, MVT::nxv2f32, 1 },
1385     { ISD::FP_ROUND, MVT::nxv4f16, MVT::nxv4f32, 1 },
1386     { ISD::FP_ROUND, MVT::nxv8f16, MVT::nxv8f32, 3 },
1387 
1388     // Truncate from nxvmf64 to nxvmf16.
1389     { ISD::FP_ROUND, MVT::nxv2f16, MVT::nxv2f64, 1 },
1390     { ISD::FP_ROUND, MVT::nxv4f16, MVT::nxv4f64, 3 },
1391     { ISD::FP_ROUND, MVT::nxv8f16, MVT::nxv8f64, 7 },
1392 
1393     // Truncate from nxvmf64 to nxvmf32.
1394     { ISD::FP_ROUND, MVT::nxv2f32, MVT::nxv2f64, 1 },
1395     { ISD::FP_ROUND, MVT::nxv4f32, MVT::nxv4f64, 3 },
1396     { ISD::FP_ROUND, MVT::nxv8f32, MVT::nxv8f64, 6 },
1397 
1398     // Extend from nxvmf16 to nxvmf32.
1399     { ISD::FP_EXTEND, MVT::nxv2f32, MVT::nxv2f16, 1},
1400     { ISD::FP_EXTEND, MVT::nxv4f32, MVT::nxv4f16, 1},
1401     { ISD::FP_EXTEND, MVT::nxv8f32, MVT::nxv8f16, 2},
1402 
1403     // Extend from nxvmf16 to nxvmf64.
1404     { ISD::FP_EXTEND, MVT::nxv2f64, MVT::nxv2f16, 1},
1405     { ISD::FP_EXTEND, MVT::nxv4f64, MVT::nxv4f16, 2},
1406     { ISD::FP_EXTEND, MVT::nxv8f64, MVT::nxv8f16, 4},
1407 
1408     // Extend from nxvmf32 to nxvmf64.
1409     { ISD::FP_EXTEND, MVT::nxv2f64, MVT::nxv2f32, 1},
1410     { ISD::FP_EXTEND, MVT::nxv4f64, MVT::nxv4f32, 2},
1411     { ISD::FP_EXTEND, MVT::nxv8f64, MVT::nxv8f32, 6},
1412 
1413   };
1414 
1415   if (const auto *Entry = ConvertCostTableLookup(ConversionTbl, ISD,
1416                                                  DstTy.getSimpleVT(),
1417                                                  SrcTy.getSimpleVT()))
1418     return AdjustCost(Entry->Cost);
1419 
1420   return AdjustCost(
1421       BaseT::getCastInstrCost(Opcode, Dst, Src, CCH, CostKind, I));
1422 }
1423 
1424 InstructionCost AArch64TTIImpl::getExtractWithExtendCost(unsigned Opcode,
1425                                                          Type *Dst,
1426                                                          VectorType *VecTy,
1427                                                          unsigned Index) {
1428 
1429   // Make sure we were given a valid extend opcode.
1430   assert((Opcode == Instruction::SExt || Opcode == Instruction::ZExt) &&
1431          "Invalid opcode");
1432 
1433   // We are extending an element we extract from a vector, so the source type
1434   // of the extend is the element type of the vector.
1435   auto *Src = VecTy->getElementType();
1436 
1437   // Sign- and zero-extends are for integer types only.
1438   assert(isa<IntegerType>(Dst) && isa<IntegerType>(Src) && "Invalid type");
1439 
1440   // Get the cost for the extract. We compute the cost (if any) for the extend
1441   // below.
1442   InstructionCost Cost =
1443       getVectorInstrCost(Instruction::ExtractElement, VecTy, Index);
1444 
1445   // Legalize the types.
1446   auto VecLT = TLI->getTypeLegalizationCost(DL, VecTy);
1447   auto DstVT = TLI->getValueType(DL, Dst);
1448   auto SrcVT = TLI->getValueType(DL, Src);
1449   TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
1450 
1451   // If the resulting type is still a vector and the destination type is legal,
1452   // we may get the extension for free. If not, get the default cost for the
1453   // extend.
1454   if (!VecLT.second.isVector() || !TLI->isTypeLegal(DstVT))
1455     return Cost + getCastInstrCost(Opcode, Dst, Src, TTI::CastContextHint::None,
1456                                    CostKind);
1457 
1458   // The destination type should be larger than the element type. If not, get
1459   // the default cost for the extend.
1460   if (DstVT.getFixedSizeInBits() < SrcVT.getFixedSizeInBits())
1461     return Cost + getCastInstrCost(Opcode, Dst, Src, TTI::CastContextHint::None,
1462                                    CostKind);
1463 
1464   switch (Opcode) {
1465   default:
1466     llvm_unreachable("Opcode should be either SExt or ZExt");
1467 
1468   // For sign-extends, we only need a smov, which performs the extension
1469   // automatically.
1470   case Instruction::SExt:
1471     return Cost;
1472 
1473   // For zero-extends, the extend is performed automatically by a umov unless
1474   // the destination type is i64 and the element type is i8 or i16.
1475   case Instruction::ZExt:
1476     if (DstVT.getSizeInBits() != 64u || SrcVT.getSizeInBits() == 32u)
1477       return Cost;
1478   }
1479 
1480   // If we are unable to perform the extend for free, get the default cost.
1481   return Cost + getCastInstrCost(Opcode, Dst, Src, TTI::CastContextHint::None,
1482                                  CostKind);
1483 }
1484 
1485 InstructionCost AArch64TTIImpl::getCFInstrCost(unsigned Opcode,
1486                                                TTI::TargetCostKind CostKind,
1487                                                const Instruction *I) {
1488   if (CostKind != TTI::TCK_RecipThroughput)
1489     return Opcode == Instruction::PHI ? 0 : 1;
1490   assert(CostKind == TTI::TCK_RecipThroughput && "unexpected CostKind");
1491   // Branches are assumed to be predicted.
1492   return 0;
1493 }
1494 
1495 InstructionCost AArch64TTIImpl::getVectorInstrCost(unsigned Opcode, Type *Val,
1496                                                    unsigned Index) {
1497   assert(Val->isVectorTy() && "This must be a vector type");
1498 
1499   if (Index != -1U) {
1500     // Legalize the type.
1501     std::pair<InstructionCost, MVT> LT = TLI->getTypeLegalizationCost(DL, Val);
1502 
1503     // This type is legalized to a scalar type.
1504     if (!LT.second.isVector())
1505       return 0;
1506 
1507     // The type may be split. Normalize the index to the new type.
1508     unsigned Width = LT.second.getVectorNumElements();
1509     Index = Index % Width;
1510 
1511     // The element at index zero is already inside the vector.
1512     if (Index == 0)
1513       return 0;
1514   }
1515 
1516   // All other insert/extracts cost this much.
1517   return ST->getVectorInsertExtractBaseCost();
1518 }
1519 
1520 InstructionCost AArch64TTIImpl::getArithmeticInstrCost(
1521     unsigned Opcode, Type *Ty, TTI::TargetCostKind CostKind,
1522     TTI::OperandValueKind Opd1Info, TTI::OperandValueKind Opd2Info,
1523     TTI::OperandValueProperties Opd1PropInfo,
1524     TTI::OperandValueProperties Opd2PropInfo, ArrayRef<const Value *> Args,
1525     const Instruction *CxtI) {
1526   // TODO: Handle more cost kinds.
1527   if (CostKind != TTI::TCK_RecipThroughput)
1528     return BaseT::getArithmeticInstrCost(Opcode, Ty, CostKind, Opd1Info,
1529                                          Opd2Info, Opd1PropInfo,
1530                                          Opd2PropInfo, Args, CxtI);
1531 
1532   // Legalize the type.
1533   std::pair<InstructionCost, MVT> LT = TLI->getTypeLegalizationCost(DL, Ty);
1534 
1535   // If the instruction is a widening instruction (e.g., uaddl, saddw, etc.),
1536   // add in the widening overhead specified by the sub-target. Since the
1537   // extends feeding widening instructions are performed automatically, they
1538   // aren't present in the generated code and have a zero cost. By adding a
1539   // widening overhead here, we attach the total cost of the combined operation
1540   // to the widening instruction.
1541   InstructionCost Cost = 0;
1542   if (isWideningInstruction(Ty, Opcode, Args))
1543     Cost += ST->getWideningBaseCost();
1544 
1545   int ISD = TLI->InstructionOpcodeToISD(Opcode);
1546 
1547   switch (ISD) {
1548   default:
1549     return Cost + BaseT::getArithmeticInstrCost(Opcode, Ty, CostKind, Opd1Info,
1550                                                 Opd2Info,
1551                                                 Opd1PropInfo, Opd2PropInfo);
1552   case ISD::SDIV:
1553     if (Opd2Info == TargetTransformInfo::OK_UniformConstantValue &&
1554         Opd2PropInfo == TargetTransformInfo::OP_PowerOf2) {
1555       // On AArch64, scalar signed division by constants power-of-two are
1556       // normally expanded to the sequence ADD + CMP + SELECT + SRA.
1557       // The OperandValue properties many not be same as that of previous
1558       // operation; conservatively assume OP_None.
1559       Cost += getArithmeticInstrCost(Instruction::Add, Ty, CostKind,
1560                                      Opd1Info, Opd2Info,
1561                                      TargetTransformInfo::OP_None,
1562                                      TargetTransformInfo::OP_None);
1563       Cost += getArithmeticInstrCost(Instruction::Sub, Ty, CostKind,
1564                                      Opd1Info, Opd2Info,
1565                                      TargetTransformInfo::OP_None,
1566                                      TargetTransformInfo::OP_None);
1567       Cost += getArithmeticInstrCost(Instruction::Select, Ty, CostKind,
1568                                      Opd1Info, Opd2Info,
1569                                      TargetTransformInfo::OP_None,
1570                                      TargetTransformInfo::OP_None);
1571       Cost += getArithmeticInstrCost(Instruction::AShr, Ty, CostKind,
1572                                      Opd1Info, Opd2Info,
1573                                      TargetTransformInfo::OP_None,
1574                                      TargetTransformInfo::OP_None);
1575       return Cost;
1576     }
1577     LLVM_FALLTHROUGH;
1578   case ISD::UDIV:
1579     if (Opd2Info == TargetTransformInfo::OK_UniformConstantValue) {
1580       auto VT = TLI->getValueType(DL, Ty);
1581       if (TLI->isOperationLegalOrCustom(ISD::MULHU, VT)) {
1582         // Vector signed division by constant are expanded to the
1583         // sequence MULHS + ADD/SUB + SRA + SRL + ADD, and unsigned division
1584         // to MULHS + SUB + SRL + ADD + SRL.
1585         InstructionCost MulCost = getArithmeticInstrCost(
1586             Instruction::Mul, Ty, CostKind, Opd1Info, Opd2Info,
1587             TargetTransformInfo::OP_None, TargetTransformInfo::OP_None);
1588         InstructionCost AddCost = getArithmeticInstrCost(
1589             Instruction::Add, Ty, CostKind, Opd1Info, Opd2Info,
1590             TargetTransformInfo::OP_None, TargetTransformInfo::OP_None);
1591         InstructionCost ShrCost = getArithmeticInstrCost(
1592             Instruction::AShr, Ty, CostKind, Opd1Info, Opd2Info,
1593             TargetTransformInfo::OP_None, TargetTransformInfo::OP_None);
1594         return MulCost * 2 + AddCost * 2 + ShrCost * 2 + 1;
1595       }
1596     }
1597 
1598     Cost += BaseT::getArithmeticInstrCost(Opcode, Ty, CostKind, Opd1Info,
1599                                           Opd2Info,
1600                                           Opd1PropInfo, Opd2PropInfo);
1601     if (Ty->isVectorTy()) {
1602       // On AArch64, vector divisions are not supported natively and are
1603       // expanded into scalar divisions of each pair of elements.
1604       Cost += getArithmeticInstrCost(Instruction::ExtractElement, Ty, CostKind,
1605                                      Opd1Info, Opd2Info, Opd1PropInfo,
1606                                      Opd2PropInfo);
1607       Cost += getArithmeticInstrCost(Instruction::InsertElement, Ty, CostKind,
1608                                      Opd1Info, Opd2Info, Opd1PropInfo,
1609                                      Opd2PropInfo);
1610       // TODO: if one of the arguments is scalar, then it's not necessary to
1611       // double the cost of handling the vector elements.
1612       Cost += Cost;
1613     }
1614     return Cost;
1615 
1616   case ISD::MUL:
1617     if (LT.second != MVT::v2i64)
1618       return (Cost + 1) * LT.first;
1619     // Since we do not have a MUL.2d instruction, a mul <2 x i64> is expensive
1620     // as elements are extracted from the vectors and the muls scalarized.
1621     // As getScalarizationOverhead is a bit too pessimistic, we estimate the
1622     // cost for a i64 vector directly here, which is:
1623     // - four i64 extracts,
1624     // - two i64 inserts, and
1625     // - two muls.
1626     // So, for a v2i64 with LT.First = 1 the cost is 8, and for a v4i64 with
1627     // LT.first = 2 the cost is 16.
1628     return LT.first * 8;
1629   case ISD::ADD:
1630   case ISD::XOR:
1631   case ISD::OR:
1632   case ISD::AND:
1633     // These nodes are marked as 'custom' for combining purposes only.
1634     // We know that they are legal. See LowerAdd in ISelLowering.
1635     return (Cost + 1) * LT.first;
1636 
1637   case ISD::FADD:
1638   case ISD::FSUB:
1639   case ISD::FMUL:
1640   case ISD::FDIV:
1641   case ISD::FNEG:
1642     // These nodes are marked as 'custom' just to lower them to SVE.
1643     // We know said lowering will incur no additional cost.
1644     if (!Ty->getScalarType()->isFP128Ty())
1645       return (Cost + 2) * LT.first;
1646 
1647     return Cost + BaseT::getArithmeticInstrCost(Opcode, Ty, CostKind, Opd1Info,
1648                                                 Opd2Info,
1649                                                 Opd1PropInfo, Opd2PropInfo);
1650   }
1651 }
1652 
1653 InstructionCost AArch64TTIImpl::getAddressComputationCost(Type *Ty,
1654                                                           ScalarEvolution *SE,
1655                                                           const SCEV *Ptr) {
1656   // Address computations in vectorized code with non-consecutive addresses will
1657   // likely result in more instructions compared to scalar code where the
1658   // computation can more often be merged into the index mode. The resulting
1659   // extra micro-ops can significantly decrease throughput.
1660   unsigned NumVectorInstToHideOverhead = 10;
1661   int MaxMergeDistance = 64;
1662 
1663   if (Ty->isVectorTy() && SE &&
1664       !BaseT::isConstantStridedAccessLessThan(SE, Ptr, MaxMergeDistance + 1))
1665     return NumVectorInstToHideOverhead;
1666 
1667   // In many cases the address computation is not merged into the instruction
1668   // addressing mode.
1669   return 1;
1670 }
1671 
1672 InstructionCost AArch64TTIImpl::getCmpSelInstrCost(unsigned Opcode, Type *ValTy,
1673                                                    Type *CondTy,
1674                                                    CmpInst::Predicate VecPred,
1675                                                    TTI::TargetCostKind CostKind,
1676                                                    const Instruction *I) {
1677   // TODO: Handle other cost kinds.
1678   if (CostKind != TTI::TCK_RecipThroughput)
1679     return BaseT::getCmpSelInstrCost(Opcode, ValTy, CondTy, VecPred, CostKind,
1680                                      I);
1681 
1682   int ISD = TLI->InstructionOpcodeToISD(Opcode);
1683   // We don't lower some vector selects well that are wider than the register
1684   // width.
1685   if (isa<FixedVectorType>(ValTy) && ISD == ISD::SELECT) {
1686     // We would need this many instructions to hide the scalarization happening.
1687     const int AmortizationCost = 20;
1688 
1689     // If VecPred is not set, check if we can get a predicate from the context
1690     // instruction, if its type matches the requested ValTy.
1691     if (VecPred == CmpInst::BAD_ICMP_PREDICATE && I && I->getType() == ValTy) {
1692       CmpInst::Predicate CurrentPred;
1693       if (match(I, m_Select(m_Cmp(CurrentPred, m_Value(), m_Value()), m_Value(),
1694                             m_Value())))
1695         VecPred = CurrentPred;
1696     }
1697     // Check if we have a compare/select chain that can be lowered using CMxx &
1698     // BFI pair.
1699     if (CmpInst::isIntPredicate(VecPred)) {
1700       static const auto ValidMinMaxTys = {MVT::v8i8,  MVT::v16i8, MVT::v4i16,
1701                                           MVT::v8i16, MVT::v2i32, MVT::v4i32,
1702                                           MVT::v2i64};
1703       auto LT = TLI->getTypeLegalizationCost(DL, ValTy);
1704       if (any_of(ValidMinMaxTys, [&LT](MVT M) { return M == LT.second; }))
1705         return LT.first;
1706     }
1707 
1708     static const TypeConversionCostTblEntry
1709     VectorSelectTbl[] = {
1710       { ISD::SELECT, MVT::v16i1, MVT::v16i16, 16 },
1711       { ISD::SELECT, MVT::v8i1, MVT::v8i32, 8 },
1712       { ISD::SELECT, MVT::v16i1, MVT::v16i32, 16 },
1713       { ISD::SELECT, MVT::v4i1, MVT::v4i64, 4 * AmortizationCost },
1714       { ISD::SELECT, MVT::v8i1, MVT::v8i64, 8 * AmortizationCost },
1715       { ISD::SELECT, MVT::v16i1, MVT::v16i64, 16 * AmortizationCost }
1716     };
1717 
1718     EVT SelCondTy = TLI->getValueType(DL, CondTy);
1719     EVT SelValTy = TLI->getValueType(DL, ValTy);
1720     if (SelCondTy.isSimple() && SelValTy.isSimple()) {
1721       if (const auto *Entry = ConvertCostTableLookup(VectorSelectTbl, ISD,
1722                                                      SelCondTy.getSimpleVT(),
1723                                                      SelValTy.getSimpleVT()))
1724         return Entry->Cost;
1725     }
1726   }
1727   // The base case handles scalable vectors fine for now, since it treats the
1728   // cost as 1 * legalization cost.
1729   return BaseT::getCmpSelInstrCost(Opcode, ValTy, CondTy, VecPred, CostKind, I);
1730 }
1731 
1732 AArch64TTIImpl::TTI::MemCmpExpansionOptions
1733 AArch64TTIImpl::enableMemCmpExpansion(bool OptSize, bool IsZeroCmp) const {
1734   TTI::MemCmpExpansionOptions Options;
1735   if (ST->requiresStrictAlign()) {
1736     // TODO: Add cost modeling for strict align. Misaligned loads expand to
1737     // a bunch of instructions when strict align is enabled.
1738     return Options;
1739   }
1740   Options.AllowOverlappingLoads = true;
1741   Options.MaxNumLoads = TLI->getMaxExpandSizeMemcmp(OptSize);
1742   Options.NumLoadsPerBlock = Options.MaxNumLoads;
1743   // TODO: Though vector loads usually perform well on AArch64, in some targets
1744   // they may wake up the FP unit, which raises the power consumption.  Perhaps
1745   // they could be used with no holds barred (-O3).
1746   Options.LoadSizes = {8, 4, 2, 1};
1747   return Options;
1748 }
1749 
1750 InstructionCost
1751 AArch64TTIImpl::getMaskedMemoryOpCost(unsigned Opcode, Type *Src,
1752                                       Align Alignment, unsigned AddressSpace,
1753                                       TTI::TargetCostKind CostKind) {
1754   if (!isa<ScalableVectorType>(Src))
1755     return BaseT::getMaskedMemoryOpCost(Opcode, Src, Alignment, AddressSpace,
1756                                         CostKind);
1757   auto LT = TLI->getTypeLegalizationCost(DL, Src);
1758   if (!LT.first.isValid())
1759     return InstructionCost::getInvalid();
1760 
1761   // The code-generator is currently not able to handle scalable vectors
1762   // of <vscale x 1 x eltty> yet, so return an invalid cost to avoid selecting
1763   // it. This change will be removed when code-generation for these types is
1764   // sufficiently reliable.
1765   if (cast<VectorType>(Src)->getElementCount() == ElementCount::getScalable(1))
1766     return InstructionCost::getInvalid();
1767 
1768   return LT.first * 2;
1769 }
1770 
1771 InstructionCost AArch64TTIImpl::getGatherScatterOpCost(
1772     unsigned Opcode, Type *DataTy, const Value *Ptr, bool VariableMask,
1773     Align Alignment, TTI::TargetCostKind CostKind, const Instruction *I) {
1774   if (useNeonVector(DataTy))
1775     return BaseT::getGatherScatterOpCost(Opcode, DataTy, Ptr, VariableMask,
1776                                          Alignment, CostKind, I);
1777   auto *VT = cast<VectorType>(DataTy);
1778   auto LT = TLI->getTypeLegalizationCost(DL, DataTy);
1779   if (!LT.first.isValid())
1780     return InstructionCost::getInvalid();
1781 
1782   // The code-generator is currently not able to handle scalable vectors
1783   // of <vscale x 1 x eltty> yet, so return an invalid cost to avoid selecting
1784   // it. This change will be removed when code-generation for these types is
1785   // sufficiently reliable.
1786   if (cast<VectorType>(DataTy)->getElementCount() ==
1787       ElementCount::getScalable(1))
1788     return InstructionCost::getInvalid();
1789 
1790   ElementCount LegalVF = LT.second.getVectorElementCount();
1791   InstructionCost MemOpCost =
1792       getMemoryOpCost(Opcode, VT->getElementType(), Alignment, 0, CostKind, I);
1793   return LT.first * MemOpCost * getMaxNumElements(LegalVF);
1794 }
1795 
1796 bool AArch64TTIImpl::useNeonVector(const Type *Ty) const {
1797   return isa<FixedVectorType>(Ty) && !ST->useSVEForFixedLengthVectors();
1798 }
1799 
1800 InstructionCost AArch64TTIImpl::getMemoryOpCost(unsigned Opcode, Type *Ty,
1801                                                 MaybeAlign Alignment,
1802                                                 unsigned AddressSpace,
1803                                                 TTI::TargetCostKind CostKind,
1804                                                 const Instruction *I) {
1805   EVT VT = TLI->getValueType(DL, Ty, true);
1806   // Type legalization can't handle structs
1807   if (VT == MVT::Other)
1808     return BaseT::getMemoryOpCost(Opcode, Ty, Alignment, AddressSpace,
1809                                   CostKind);
1810 
1811   auto LT = TLI->getTypeLegalizationCost(DL, Ty);
1812   if (!LT.first.isValid())
1813     return InstructionCost::getInvalid();
1814 
1815   // The code-generator is currently not able to handle scalable vectors
1816   // of <vscale x 1 x eltty> yet, so return an invalid cost to avoid selecting
1817   // it. This change will be removed when code-generation for these types is
1818   // sufficiently reliable.
1819   if (auto *VTy = dyn_cast<ScalableVectorType>(Ty))
1820     if (VTy->getElementCount() == ElementCount::getScalable(1))
1821       return InstructionCost::getInvalid();
1822 
1823   // TODO: consider latency as well for TCK_SizeAndLatency.
1824   if (CostKind == TTI::TCK_CodeSize || CostKind == TTI::TCK_SizeAndLatency)
1825     return LT.first;
1826 
1827   if (CostKind != TTI::TCK_RecipThroughput)
1828     return 1;
1829 
1830   if (ST->isMisaligned128StoreSlow() && Opcode == Instruction::Store &&
1831       LT.second.is128BitVector() && (!Alignment || *Alignment < Align(16))) {
1832     // Unaligned stores are extremely inefficient. We don't split all
1833     // unaligned 128-bit stores because the negative impact that has shown in
1834     // practice on inlined block copy code.
1835     // We make such stores expensive so that we will only vectorize if there
1836     // are 6 other instructions getting vectorized.
1837     const int AmortizationCost = 6;
1838 
1839     return LT.first * 2 * AmortizationCost;
1840   }
1841 
1842   // Check truncating stores and extending loads.
1843   if (useNeonVector(Ty) &&
1844       Ty->getScalarSizeInBits() != LT.second.getScalarSizeInBits()) {
1845     // v4i8 types are lowered to scalar a load/store and sshll/xtn.
1846     if (VT == MVT::v4i8)
1847       return 2;
1848     // Otherwise we need to scalarize.
1849     return cast<FixedVectorType>(Ty)->getNumElements() * 2;
1850   }
1851 
1852   return LT.first;
1853 }
1854 
1855 InstructionCost AArch64TTIImpl::getInterleavedMemoryOpCost(
1856     unsigned Opcode, Type *VecTy, unsigned Factor, ArrayRef<unsigned> Indices,
1857     Align Alignment, unsigned AddressSpace, TTI::TargetCostKind CostKind,
1858     bool UseMaskForCond, bool UseMaskForGaps) {
1859   assert(Factor >= 2 && "Invalid interleave factor");
1860   auto *VecVTy = cast<FixedVectorType>(VecTy);
1861 
1862   if (!UseMaskForCond && !UseMaskForGaps &&
1863       Factor <= TLI->getMaxSupportedInterleaveFactor()) {
1864     unsigned NumElts = VecVTy->getNumElements();
1865     auto *SubVecTy =
1866         FixedVectorType::get(VecTy->getScalarType(), NumElts / Factor);
1867 
1868     // ldN/stN only support legal vector types of size 64 or 128 in bits.
1869     // Accesses having vector types that are a multiple of 128 bits can be
1870     // matched to more than one ldN/stN instruction.
1871     bool UseScalable;
1872     if (NumElts % Factor == 0 &&
1873         TLI->isLegalInterleavedAccessType(SubVecTy, DL, UseScalable))
1874       return Factor * TLI->getNumInterleavedAccesses(SubVecTy, DL, UseScalable);
1875   }
1876 
1877   return BaseT::getInterleavedMemoryOpCost(Opcode, VecTy, Factor, Indices,
1878                                            Alignment, AddressSpace, CostKind,
1879                                            UseMaskForCond, UseMaskForGaps);
1880 }
1881 
1882 InstructionCost
1883 AArch64TTIImpl::getCostOfKeepingLiveOverCall(ArrayRef<Type *> Tys) {
1884   InstructionCost Cost = 0;
1885   TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
1886   for (auto *I : Tys) {
1887     if (!I->isVectorTy())
1888       continue;
1889     if (I->getScalarSizeInBits() * cast<FixedVectorType>(I)->getNumElements() ==
1890         128)
1891       Cost += getMemoryOpCost(Instruction::Store, I, Align(128), 0, CostKind) +
1892               getMemoryOpCost(Instruction::Load, I, Align(128), 0, CostKind);
1893   }
1894   return Cost;
1895 }
1896 
1897 unsigned AArch64TTIImpl::getMaxInterleaveFactor(unsigned VF) {
1898   return ST->getMaxInterleaveFactor();
1899 }
1900 
1901 // For Falkor, we want to avoid having too many strided loads in a loop since
1902 // that can exhaust the HW prefetcher resources.  We adjust the unroller
1903 // MaxCount preference below to attempt to ensure unrolling doesn't create too
1904 // many strided loads.
1905 static void
1906 getFalkorUnrollingPreferences(Loop *L, ScalarEvolution &SE,
1907                               TargetTransformInfo::UnrollingPreferences &UP) {
1908   enum { MaxStridedLoads = 7 };
1909   auto countStridedLoads = [](Loop *L, ScalarEvolution &SE) {
1910     int StridedLoads = 0;
1911     // FIXME? We could make this more precise by looking at the CFG and
1912     // e.g. not counting loads in each side of an if-then-else diamond.
1913     for (const auto BB : L->blocks()) {
1914       for (auto &I : *BB) {
1915         LoadInst *LMemI = dyn_cast<LoadInst>(&I);
1916         if (!LMemI)
1917           continue;
1918 
1919         Value *PtrValue = LMemI->getPointerOperand();
1920         if (L->isLoopInvariant(PtrValue))
1921           continue;
1922 
1923         const SCEV *LSCEV = SE.getSCEV(PtrValue);
1924         const SCEVAddRecExpr *LSCEVAddRec = dyn_cast<SCEVAddRecExpr>(LSCEV);
1925         if (!LSCEVAddRec || !LSCEVAddRec->isAffine())
1926           continue;
1927 
1928         // FIXME? We could take pairing of unrolled load copies into account
1929         // by looking at the AddRec, but we would probably have to limit this
1930         // to loops with no stores or other memory optimization barriers.
1931         ++StridedLoads;
1932         // We've seen enough strided loads that seeing more won't make a
1933         // difference.
1934         if (StridedLoads > MaxStridedLoads / 2)
1935           return StridedLoads;
1936       }
1937     }
1938     return StridedLoads;
1939   };
1940 
1941   int StridedLoads = countStridedLoads(L, SE);
1942   LLVM_DEBUG(dbgs() << "falkor-hwpf: detected " << StridedLoads
1943                     << " strided loads\n");
1944   // Pick the largest power of 2 unroll count that won't result in too many
1945   // strided loads.
1946   if (StridedLoads) {
1947     UP.MaxCount = 1 << Log2_32(MaxStridedLoads / StridedLoads);
1948     LLVM_DEBUG(dbgs() << "falkor-hwpf: setting unroll MaxCount to "
1949                       << UP.MaxCount << '\n');
1950   }
1951 }
1952 
1953 void AArch64TTIImpl::getUnrollingPreferences(Loop *L, ScalarEvolution &SE,
1954                                              TTI::UnrollingPreferences &UP,
1955                                              OptimizationRemarkEmitter *ORE) {
1956   // Enable partial unrolling and runtime unrolling.
1957   BaseT::getUnrollingPreferences(L, SE, UP, ORE);
1958 
1959   UP.UpperBound = true;
1960 
1961   // For inner loop, it is more likely to be a hot one, and the runtime check
1962   // can be promoted out from LICM pass, so the overhead is less, let's try
1963   // a larger threshold to unroll more loops.
1964   if (L->getLoopDepth() > 1)
1965     UP.PartialThreshold *= 2;
1966 
1967   // Disable partial & runtime unrolling on -Os.
1968   UP.PartialOptSizeThreshold = 0;
1969 
1970   if (ST->getProcFamily() == AArch64Subtarget::Falkor &&
1971       EnableFalkorHWPFUnrollFix)
1972     getFalkorUnrollingPreferences(L, SE, UP);
1973 
1974   // Scan the loop: don't unroll loops with calls as this could prevent
1975   // inlining. Don't unroll vector loops either, as they don't benefit much from
1976   // unrolling.
1977   for (auto *BB : L->getBlocks()) {
1978     for (auto &I : *BB) {
1979       // Don't unroll vectorised loop.
1980       if (I.getType()->isVectorTy())
1981         return;
1982 
1983       if (isa<CallInst>(I) || isa<InvokeInst>(I)) {
1984         if (const Function *F = cast<CallBase>(I).getCalledFunction()) {
1985           if (!isLoweredToCall(F))
1986             continue;
1987         }
1988         return;
1989       }
1990     }
1991   }
1992 
1993   // Enable runtime unrolling for in-order models
1994   // If mcpu is omitted, getProcFamily() returns AArch64Subtarget::Others, so by
1995   // checking for that case, we can ensure that the default behaviour is
1996   // unchanged
1997   if (ST->getProcFamily() != AArch64Subtarget::Others &&
1998       !ST->getSchedModel().isOutOfOrder()) {
1999     UP.Runtime = true;
2000     UP.Partial = true;
2001     UP.UnrollRemainder = true;
2002     UP.DefaultUnrollRuntimeCount = 4;
2003 
2004     UP.UnrollAndJam = true;
2005     UP.UnrollAndJamInnerLoopThreshold = 60;
2006   }
2007 }
2008 
2009 void AArch64TTIImpl::getPeelingPreferences(Loop *L, ScalarEvolution &SE,
2010                                            TTI::PeelingPreferences &PP) {
2011   BaseT::getPeelingPreferences(L, SE, PP);
2012 }
2013 
2014 Value *AArch64TTIImpl::getOrCreateResultFromMemIntrinsic(IntrinsicInst *Inst,
2015                                                          Type *ExpectedType) {
2016   switch (Inst->getIntrinsicID()) {
2017   default:
2018     return nullptr;
2019   case Intrinsic::aarch64_neon_st2:
2020   case Intrinsic::aarch64_neon_st3:
2021   case Intrinsic::aarch64_neon_st4: {
2022     // Create a struct type
2023     StructType *ST = dyn_cast<StructType>(ExpectedType);
2024     if (!ST)
2025       return nullptr;
2026     unsigned NumElts = Inst->arg_size() - 1;
2027     if (ST->getNumElements() != NumElts)
2028       return nullptr;
2029     for (unsigned i = 0, e = NumElts; i != e; ++i) {
2030       if (Inst->getArgOperand(i)->getType() != ST->getElementType(i))
2031         return nullptr;
2032     }
2033     Value *Res = UndefValue::get(ExpectedType);
2034     IRBuilder<> Builder(Inst);
2035     for (unsigned i = 0, e = NumElts; i != e; ++i) {
2036       Value *L = Inst->getArgOperand(i);
2037       Res = Builder.CreateInsertValue(Res, L, i);
2038     }
2039     return Res;
2040   }
2041   case Intrinsic::aarch64_neon_ld2:
2042   case Intrinsic::aarch64_neon_ld3:
2043   case Intrinsic::aarch64_neon_ld4:
2044     if (Inst->getType() == ExpectedType)
2045       return Inst;
2046     return nullptr;
2047   }
2048 }
2049 
2050 bool AArch64TTIImpl::getTgtMemIntrinsic(IntrinsicInst *Inst,
2051                                         MemIntrinsicInfo &Info) {
2052   switch (Inst->getIntrinsicID()) {
2053   default:
2054     break;
2055   case Intrinsic::aarch64_neon_ld2:
2056   case Intrinsic::aarch64_neon_ld3:
2057   case Intrinsic::aarch64_neon_ld4:
2058     Info.ReadMem = true;
2059     Info.WriteMem = false;
2060     Info.PtrVal = Inst->getArgOperand(0);
2061     break;
2062   case Intrinsic::aarch64_neon_st2:
2063   case Intrinsic::aarch64_neon_st3:
2064   case Intrinsic::aarch64_neon_st4:
2065     Info.ReadMem = false;
2066     Info.WriteMem = true;
2067     Info.PtrVal = Inst->getArgOperand(Inst->arg_size() - 1);
2068     break;
2069   }
2070 
2071   switch (Inst->getIntrinsicID()) {
2072   default:
2073     return false;
2074   case Intrinsic::aarch64_neon_ld2:
2075   case Intrinsic::aarch64_neon_st2:
2076     Info.MatchingId = VECTOR_LDST_TWO_ELEMENTS;
2077     break;
2078   case Intrinsic::aarch64_neon_ld3:
2079   case Intrinsic::aarch64_neon_st3:
2080     Info.MatchingId = VECTOR_LDST_THREE_ELEMENTS;
2081     break;
2082   case Intrinsic::aarch64_neon_ld4:
2083   case Intrinsic::aarch64_neon_st4:
2084     Info.MatchingId = VECTOR_LDST_FOUR_ELEMENTS;
2085     break;
2086   }
2087   return true;
2088 }
2089 
2090 /// See if \p I should be considered for address type promotion. We check if \p
2091 /// I is a sext with right type and used in memory accesses. If it used in a
2092 /// "complex" getelementptr, we allow it to be promoted without finding other
2093 /// sext instructions that sign extended the same initial value. A getelementptr
2094 /// is considered as "complex" if it has more than 2 operands.
2095 bool AArch64TTIImpl::shouldConsiderAddressTypePromotion(
2096     const Instruction &I, bool &AllowPromotionWithoutCommonHeader) {
2097   bool Considerable = false;
2098   AllowPromotionWithoutCommonHeader = false;
2099   if (!isa<SExtInst>(&I))
2100     return false;
2101   Type *ConsideredSExtType =
2102       Type::getInt64Ty(I.getParent()->getParent()->getContext());
2103   if (I.getType() != ConsideredSExtType)
2104     return false;
2105   // See if the sext is the one with the right type and used in at least one
2106   // GetElementPtrInst.
2107   for (const User *U : I.users()) {
2108     if (const GetElementPtrInst *GEPInst = dyn_cast<GetElementPtrInst>(U)) {
2109       Considerable = true;
2110       // A getelementptr is considered as "complex" if it has more than 2
2111       // operands. We will promote a SExt used in such complex GEP as we
2112       // expect some computation to be merged if they are done on 64 bits.
2113       if (GEPInst->getNumOperands() > 2) {
2114         AllowPromotionWithoutCommonHeader = true;
2115         break;
2116       }
2117     }
2118   }
2119   return Considerable;
2120 }
2121 
2122 bool AArch64TTIImpl::isLegalToVectorizeReduction(
2123     const RecurrenceDescriptor &RdxDesc, ElementCount VF) const {
2124   if (!VF.isScalable())
2125     return true;
2126 
2127   Type *Ty = RdxDesc.getRecurrenceType();
2128   if (Ty->isBFloatTy() || !isElementTypeLegalForScalableVector(Ty))
2129     return false;
2130 
2131   switch (RdxDesc.getRecurrenceKind()) {
2132   case RecurKind::Add:
2133   case RecurKind::FAdd:
2134   case RecurKind::And:
2135   case RecurKind::Or:
2136   case RecurKind::Xor:
2137   case RecurKind::SMin:
2138   case RecurKind::SMax:
2139   case RecurKind::UMin:
2140   case RecurKind::UMax:
2141   case RecurKind::FMin:
2142   case RecurKind::FMax:
2143   case RecurKind::SelectICmp:
2144   case RecurKind::SelectFCmp:
2145   case RecurKind::FMulAdd:
2146     return true;
2147   default:
2148     return false;
2149   }
2150 }
2151 
2152 InstructionCost
2153 AArch64TTIImpl::getMinMaxReductionCost(VectorType *Ty, VectorType *CondTy,
2154                                        bool IsUnsigned,
2155                                        TTI::TargetCostKind CostKind) {
2156   std::pair<InstructionCost, MVT> LT = TLI->getTypeLegalizationCost(DL, Ty);
2157 
2158   if (LT.second.getScalarType() == MVT::f16 && !ST->hasFullFP16())
2159     return BaseT::getMinMaxReductionCost(Ty, CondTy, IsUnsigned, CostKind);
2160 
2161   assert((isa<ScalableVectorType>(Ty) == isa<ScalableVectorType>(CondTy)) &&
2162          "Both vector needs to be equally scalable");
2163 
2164   InstructionCost LegalizationCost = 0;
2165   if (LT.first > 1) {
2166     Type *LegalVTy = EVT(LT.second).getTypeForEVT(Ty->getContext());
2167     unsigned MinMaxOpcode =
2168         Ty->isFPOrFPVectorTy()
2169             ? Intrinsic::maxnum
2170             : (IsUnsigned ? Intrinsic::umin : Intrinsic::smin);
2171     IntrinsicCostAttributes Attrs(MinMaxOpcode, LegalVTy, {LegalVTy, LegalVTy});
2172     LegalizationCost = getIntrinsicInstrCost(Attrs, CostKind) * (LT.first - 1);
2173   }
2174 
2175   return LegalizationCost + /*Cost of horizontal reduction*/ 2;
2176 }
2177 
2178 InstructionCost AArch64TTIImpl::getArithmeticReductionCostSVE(
2179     unsigned Opcode, VectorType *ValTy, TTI::TargetCostKind CostKind) {
2180   std::pair<InstructionCost, MVT> LT = TLI->getTypeLegalizationCost(DL, ValTy);
2181   InstructionCost LegalizationCost = 0;
2182   if (LT.first > 1) {
2183     Type *LegalVTy = EVT(LT.second).getTypeForEVT(ValTy->getContext());
2184     LegalizationCost = getArithmeticInstrCost(Opcode, LegalVTy, CostKind);
2185     LegalizationCost *= LT.first - 1;
2186   }
2187 
2188   int ISD = TLI->InstructionOpcodeToISD(Opcode);
2189   assert(ISD && "Invalid opcode");
2190   // Add the final reduction cost for the legal horizontal reduction
2191   switch (ISD) {
2192   case ISD::ADD:
2193   case ISD::AND:
2194   case ISD::OR:
2195   case ISD::XOR:
2196   case ISD::FADD:
2197     return LegalizationCost + 2;
2198   default:
2199     return InstructionCost::getInvalid();
2200   }
2201 }
2202 
2203 InstructionCost
2204 AArch64TTIImpl::getArithmeticReductionCost(unsigned Opcode, VectorType *ValTy,
2205                                            Optional<FastMathFlags> FMF,
2206                                            TTI::TargetCostKind CostKind) {
2207   if (TTI::requiresOrderedReduction(FMF)) {
2208     if (auto *FixedVTy = dyn_cast<FixedVectorType>(ValTy)) {
2209       InstructionCost BaseCost =
2210           BaseT::getArithmeticReductionCost(Opcode, ValTy, FMF, CostKind);
2211       // Add on extra cost to reflect the extra overhead on some CPUs. We still
2212       // end up vectorizing for more computationally intensive loops.
2213       return BaseCost + FixedVTy->getNumElements();
2214     }
2215 
2216     if (Opcode != Instruction::FAdd)
2217       return InstructionCost::getInvalid();
2218 
2219     auto *VTy = cast<ScalableVectorType>(ValTy);
2220     InstructionCost Cost =
2221         getArithmeticInstrCost(Opcode, VTy->getScalarType(), CostKind);
2222     Cost *= getMaxNumElements(VTy->getElementCount());
2223     return Cost;
2224   }
2225 
2226   if (isa<ScalableVectorType>(ValTy))
2227     return getArithmeticReductionCostSVE(Opcode, ValTy, CostKind);
2228 
2229   std::pair<InstructionCost, MVT> LT = TLI->getTypeLegalizationCost(DL, ValTy);
2230   MVT MTy = LT.second;
2231   int ISD = TLI->InstructionOpcodeToISD(Opcode);
2232   assert(ISD && "Invalid opcode");
2233 
2234   // Horizontal adds can use the 'addv' instruction. We model the cost of these
2235   // instructions as twice a normal vector add, plus 1 for each legalization
2236   // step (LT.first). This is the only arithmetic vector reduction operation for
2237   // which we have an instruction.
2238   // OR, XOR and AND costs should match the codegen from:
2239   // OR: llvm/test/CodeGen/AArch64/reduce-or.ll
2240   // XOR: llvm/test/CodeGen/AArch64/reduce-xor.ll
2241   // AND: llvm/test/CodeGen/AArch64/reduce-and.ll
2242   static const CostTblEntry CostTblNoPairwise[]{
2243       {ISD::ADD, MVT::v8i8,   2},
2244       {ISD::ADD, MVT::v16i8,  2},
2245       {ISD::ADD, MVT::v4i16,  2},
2246       {ISD::ADD, MVT::v8i16,  2},
2247       {ISD::ADD, MVT::v4i32,  2},
2248       {ISD::OR,  MVT::v8i8,  15},
2249       {ISD::OR,  MVT::v16i8, 17},
2250       {ISD::OR,  MVT::v4i16,  7},
2251       {ISD::OR,  MVT::v8i16,  9},
2252       {ISD::OR,  MVT::v2i32,  3},
2253       {ISD::OR,  MVT::v4i32,  5},
2254       {ISD::OR,  MVT::v2i64,  3},
2255       {ISD::XOR, MVT::v8i8,  15},
2256       {ISD::XOR, MVT::v16i8, 17},
2257       {ISD::XOR, MVT::v4i16,  7},
2258       {ISD::XOR, MVT::v8i16,  9},
2259       {ISD::XOR, MVT::v2i32,  3},
2260       {ISD::XOR, MVT::v4i32,  5},
2261       {ISD::XOR, MVT::v2i64,  3},
2262       {ISD::AND, MVT::v8i8,  15},
2263       {ISD::AND, MVT::v16i8, 17},
2264       {ISD::AND, MVT::v4i16,  7},
2265       {ISD::AND, MVT::v8i16,  9},
2266       {ISD::AND, MVT::v2i32,  3},
2267       {ISD::AND, MVT::v4i32,  5},
2268       {ISD::AND, MVT::v2i64,  3},
2269   };
2270   switch (ISD) {
2271   default:
2272     break;
2273   case ISD::ADD:
2274     if (const auto *Entry = CostTableLookup(CostTblNoPairwise, ISD, MTy))
2275       return (LT.first - 1) + Entry->Cost;
2276     break;
2277   case ISD::XOR:
2278   case ISD::AND:
2279   case ISD::OR:
2280     const auto *Entry = CostTableLookup(CostTblNoPairwise, ISD, MTy);
2281     if (!Entry)
2282       break;
2283     auto *ValVTy = cast<FixedVectorType>(ValTy);
2284     if (!ValVTy->getElementType()->isIntegerTy(1) &&
2285         MTy.getVectorNumElements() <= ValVTy->getNumElements() &&
2286         isPowerOf2_32(ValVTy->getNumElements())) {
2287       InstructionCost ExtraCost = 0;
2288       if (LT.first != 1) {
2289         // Type needs to be split, so there is an extra cost of LT.first - 1
2290         // arithmetic ops.
2291         auto *Ty = FixedVectorType::get(ValTy->getElementType(),
2292                                         MTy.getVectorNumElements());
2293         ExtraCost = getArithmeticInstrCost(Opcode, Ty, CostKind);
2294         ExtraCost *= LT.first - 1;
2295       }
2296       return Entry->Cost + ExtraCost;
2297     }
2298     break;
2299   }
2300   return BaseT::getArithmeticReductionCost(Opcode, ValTy, FMF, CostKind);
2301 }
2302 
2303 InstructionCost AArch64TTIImpl::getSpliceCost(VectorType *Tp, int Index) {
2304   static const CostTblEntry ShuffleTbl[] = {
2305       { TTI::SK_Splice, MVT::nxv16i8,  1 },
2306       { TTI::SK_Splice, MVT::nxv8i16,  1 },
2307       { TTI::SK_Splice, MVT::nxv4i32,  1 },
2308       { TTI::SK_Splice, MVT::nxv2i64,  1 },
2309       { TTI::SK_Splice, MVT::nxv2f16,  1 },
2310       { TTI::SK_Splice, MVT::nxv4f16,  1 },
2311       { TTI::SK_Splice, MVT::nxv8f16,  1 },
2312       { TTI::SK_Splice, MVT::nxv2bf16, 1 },
2313       { TTI::SK_Splice, MVT::nxv4bf16, 1 },
2314       { TTI::SK_Splice, MVT::nxv8bf16, 1 },
2315       { TTI::SK_Splice, MVT::nxv2f32,  1 },
2316       { TTI::SK_Splice, MVT::nxv4f32,  1 },
2317       { TTI::SK_Splice, MVT::nxv2f64,  1 },
2318   };
2319 
2320   std::pair<InstructionCost, MVT> LT = TLI->getTypeLegalizationCost(DL, Tp);
2321   Type *LegalVTy = EVT(LT.second).getTypeForEVT(Tp->getContext());
2322   TTI::TargetCostKind CostKind = TTI::TCK_RecipThroughput;
2323   EVT PromotedVT = LT.second.getScalarType() == MVT::i1
2324                        ? TLI->getPromotedVTForPredicate(EVT(LT.second))
2325                        : LT.second;
2326   Type *PromotedVTy = EVT(PromotedVT).getTypeForEVT(Tp->getContext());
2327   InstructionCost LegalizationCost = 0;
2328   if (Index < 0) {
2329     LegalizationCost =
2330         getCmpSelInstrCost(Instruction::ICmp, PromotedVTy, PromotedVTy,
2331                            CmpInst::BAD_ICMP_PREDICATE, CostKind) +
2332         getCmpSelInstrCost(Instruction::Select, PromotedVTy, LegalVTy,
2333                            CmpInst::BAD_ICMP_PREDICATE, CostKind);
2334   }
2335 
2336   // Predicated splice are promoted when lowering. See AArch64ISelLowering.cpp
2337   // Cost performed on a promoted type.
2338   if (LT.second.getScalarType() == MVT::i1) {
2339     LegalizationCost +=
2340         getCastInstrCost(Instruction::ZExt, PromotedVTy, LegalVTy,
2341                          TTI::CastContextHint::None, CostKind) +
2342         getCastInstrCost(Instruction::Trunc, LegalVTy, PromotedVTy,
2343                          TTI::CastContextHint::None, CostKind);
2344   }
2345   const auto *Entry =
2346       CostTableLookup(ShuffleTbl, TTI::SK_Splice, PromotedVT.getSimpleVT());
2347   assert(Entry && "Illegal Type for Splice");
2348   LegalizationCost += Entry->Cost;
2349   return LegalizationCost * LT.first;
2350 }
2351 
2352 InstructionCost AArch64TTIImpl::getShuffleCost(TTI::ShuffleKind Kind,
2353                                                VectorType *Tp,
2354                                                ArrayRef<int> Mask, int Index,
2355                                                VectorType *SubTp) {
2356   Kind = improveShuffleKindFromMask(Kind, Mask);
2357   if (Kind == TTI::SK_Broadcast || Kind == TTI::SK_Transpose ||
2358       Kind == TTI::SK_Select || Kind == TTI::SK_PermuteSingleSrc ||
2359       Kind == TTI::SK_Reverse) {
2360     static const CostTblEntry ShuffleTbl[] = {
2361       // Broadcast shuffle kinds can be performed with 'dup'.
2362       { TTI::SK_Broadcast, MVT::v8i8,  1 },
2363       { TTI::SK_Broadcast, MVT::v16i8, 1 },
2364       { TTI::SK_Broadcast, MVT::v4i16, 1 },
2365       { TTI::SK_Broadcast, MVT::v8i16, 1 },
2366       { TTI::SK_Broadcast, MVT::v2i32, 1 },
2367       { TTI::SK_Broadcast, MVT::v4i32, 1 },
2368       { TTI::SK_Broadcast, MVT::v2i64, 1 },
2369       { TTI::SK_Broadcast, MVT::v2f32, 1 },
2370       { TTI::SK_Broadcast, MVT::v4f32, 1 },
2371       { TTI::SK_Broadcast, MVT::v2f64, 1 },
2372       // Transpose shuffle kinds can be performed with 'trn1/trn2' and
2373       // 'zip1/zip2' instructions.
2374       { TTI::SK_Transpose, MVT::v8i8,  1 },
2375       { TTI::SK_Transpose, MVT::v16i8, 1 },
2376       { TTI::SK_Transpose, MVT::v4i16, 1 },
2377       { TTI::SK_Transpose, MVT::v8i16, 1 },
2378       { TTI::SK_Transpose, MVT::v2i32, 1 },
2379       { TTI::SK_Transpose, MVT::v4i32, 1 },
2380       { TTI::SK_Transpose, MVT::v2i64, 1 },
2381       { TTI::SK_Transpose, MVT::v2f32, 1 },
2382       { TTI::SK_Transpose, MVT::v4f32, 1 },
2383       { TTI::SK_Transpose, MVT::v2f64, 1 },
2384       // Select shuffle kinds.
2385       // TODO: handle vXi8/vXi16.
2386       { TTI::SK_Select, MVT::v2i32, 1 }, // mov.
2387       { TTI::SK_Select, MVT::v4i32, 2 }, // rev+trn (or similar).
2388       { TTI::SK_Select, MVT::v2i64, 1 }, // mov.
2389       { TTI::SK_Select, MVT::v2f32, 1 }, // mov.
2390       { TTI::SK_Select, MVT::v4f32, 2 }, // rev+trn (or similar).
2391       { TTI::SK_Select, MVT::v2f64, 1 }, // mov.
2392       // PermuteSingleSrc shuffle kinds.
2393       { TTI::SK_PermuteSingleSrc, MVT::v2i32, 1 }, // mov.
2394       { TTI::SK_PermuteSingleSrc, MVT::v4i32, 3 }, // perfectshuffle worst case.
2395       { TTI::SK_PermuteSingleSrc, MVT::v2i64, 1 }, // mov.
2396       { TTI::SK_PermuteSingleSrc, MVT::v2f32, 1 }, // mov.
2397       { TTI::SK_PermuteSingleSrc, MVT::v4f32, 3 }, // perfectshuffle worst case.
2398       { TTI::SK_PermuteSingleSrc, MVT::v2f64, 1 }, // mov.
2399       { TTI::SK_PermuteSingleSrc, MVT::v4i16, 3 }, // perfectshuffle worst case.
2400       { TTI::SK_PermuteSingleSrc, MVT::v4f16, 3 }, // perfectshuffle worst case.
2401       { TTI::SK_PermuteSingleSrc, MVT::v4bf16, 3 }, // perfectshuffle worst case.
2402       { TTI::SK_PermuteSingleSrc, MVT::v8i16, 8 }, // constpool + load + tbl
2403       { TTI::SK_PermuteSingleSrc, MVT::v8f16, 8 }, // constpool + load + tbl
2404       { TTI::SK_PermuteSingleSrc, MVT::v8bf16, 8 }, // constpool + load + tbl
2405       { TTI::SK_PermuteSingleSrc, MVT::v8i8, 8 }, // constpool + load + tbl
2406       { TTI::SK_PermuteSingleSrc, MVT::v16i8, 8 }, // constpool + load + tbl
2407       // Reverse can be lowered with `rev`.
2408       { TTI::SK_Reverse, MVT::v2i32, 1 }, // mov.
2409       { TTI::SK_Reverse, MVT::v4i32, 2 }, // REV64; EXT
2410       { TTI::SK_Reverse, MVT::v2i64, 1 }, // mov.
2411       { TTI::SK_Reverse, MVT::v2f32, 1 }, // mov.
2412       { TTI::SK_Reverse, MVT::v4f32, 2 }, // REV64; EXT
2413       { TTI::SK_Reverse, MVT::v2f64, 1 }, // mov.
2414       // Broadcast shuffle kinds for scalable vectors
2415       { TTI::SK_Broadcast, MVT::nxv16i8,  1 },
2416       { TTI::SK_Broadcast, MVT::nxv8i16,  1 },
2417       { TTI::SK_Broadcast, MVT::nxv4i32,  1 },
2418       { TTI::SK_Broadcast, MVT::nxv2i64,  1 },
2419       { TTI::SK_Broadcast, MVT::nxv2f16,  1 },
2420       { TTI::SK_Broadcast, MVT::nxv4f16,  1 },
2421       { TTI::SK_Broadcast, MVT::nxv8f16,  1 },
2422       { TTI::SK_Broadcast, MVT::nxv2bf16, 1 },
2423       { TTI::SK_Broadcast, MVT::nxv4bf16, 1 },
2424       { TTI::SK_Broadcast, MVT::nxv8bf16, 1 },
2425       { TTI::SK_Broadcast, MVT::nxv2f32,  1 },
2426       { TTI::SK_Broadcast, MVT::nxv4f32,  1 },
2427       { TTI::SK_Broadcast, MVT::nxv2f64,  1 },
2428       { TTI::SK_Broadcast, MVT::nxv16i1,  1 },
2429       { TTI::SK_Broadcast, MVT::nxv8i1,   1 },
2430       { TTI::SK_Broadcast, MVT::nxv4i1,   1 },
2431       { TTI::SK_Broadcast, MVT::nxv2i1,   1 },
2432       // Handle the cases for vector.reverse with scalable vectors
2433       { TTI::SK_Reverse, MVT::nxv16i8,  1 },
2434       { TTI::SK_Reverse, MVT::nxv8i16,  1 },
2435       { TTI::SK_Reverse, MVT::nxv4i32,  1 },
2436       { TTI::SK_Reverse, MVT::nxv2i64,  1 },
2437       { TTI::SK_Reverse, MVT::nxv2f16,  1 },
2438       { TTI::SK_Reverse, MVT::nxv4f16,  1 },
2439       { TTI::SK_Reverse, MVT::nxv8f16,  1 },
2440       { TTI::SK_Reverse, MVT::nxv2bf16, 1 },
2441       { TTI::SK_Reverse, MVT::nxv4bf16, 1 },
2442       { TTI::SK_Reverse, MVT::nxv8bf16, 1 },
2443       { TTI::SK_Reverse, MVT::nxv2f32,  1 },
2444       { TTI::SK_Reverse, MVT::nxv4f32,  1 },
2445       { TTI::SK_Reverse, MVT::nxv2f64,  1 },
2446       { TTI::SK_Reverse, MVT::nxv16i1,  1 },
2447       { TTI::SK_Reverse, MVT::nxv8i1,   1 },
2448       { TTI::SK_Reverse, MVT::nxv4i1,   1 },
2449       { TTI::SK_Reverse, MVT::nxv2i1,   1 },
2450     };
2451     std::pair<InstructionCost, MVT> LT = TLI->getTypeLegalizationCost(DL, Tp);
2452     if (const auto *Entry = CostTableLookup(ShuffleTbl, Kind, LT.second))
2453       return LT.first * Entry->Cost;
2454   }
2455   if (Kind == TTI::SK_Splice && isa<ScalableVectorType>(Tp))
2456     return getSpliceCost(Tp, Index);
2457   return BaseT::getShuffleCost(Kind, Tp, Mask, Index, SubTp);
2458 }
2459