1 //===- InstCombineCalls.cpp -----------------------------------------------===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 //
9 // This file implements the visitCall, visitInvoke, and visitCallBr functions.
10 //
11 //===----------------------------------------------------------------------===//
12 
13 #include "InstCombineInternal.h"
14 #include "llvm/ADT/APFloat.h"
15 #include "llvm/ADT/APInt.h"
16 #include "llvm/ADT/APSInt.h"
17 #include "llvm/ADT/ArrayRef.h"
18 #include "llvm/ADT/FloatingPointMode.h"
19 #include "llvm/ADT/None.h"
20 #include "llvm/ADT/Optional.h"
21 #include "llvm/ADT/STLExtras.h"
22 #include "llvm/ADT/SmallVector.h"
23 #include "llvm/ADT/Statistic.h"
24 #include "llvm/ADT/Twine.h"
25 #include "llvm/Analysis/AliasAnalysis.h"
26 #include "llvm/Analysis/AssumeBundleQueries.h"
27 #include "llvm/Analysis/AssumptionCache.h"
28 #include "llvm/Analysis/InstructionSimplify.h"
29 #include "llvm/Analysis/Loads.h"
30 #include "llvm/Analysis/MemoryBuiltins.h"
31 #include "llvm/Analysis/TargetTransformInfo.h"
32 #include "llvm/Analysis/ValueTracking.h"
33 #include "llvm/Analysis/VectorUtils.h"
34 #include "llvm/IR/Attributes.h"
35 #include "llvm/IR/BasicBlock.h"
36 #include "llvm/IR/Constant.h"
37 #include "llvm/IR/Constants.h"
38 #include "llvm/IR/DataLayout.h"
39 #include "llvm/IR/DerivedTypes.h"
40 #include "llvm/IR/Function.h"
41 #include "llvm/IR/GlobalVariable.h"
42 #include "llvm/IR/InstrTypes.h"
43 #include "llvm/IR/Instruction.h"
44 #include "llvm/IR/Instructions.h"
45 #include "llvm/IR/IntrinsicInst.h"
46 #include "llvm/IR/Intrinsics.h"
47 #include "llvm/IR/IntrinsicsAArch64.h"
48 #include "llvm/IR/IntrinsicsAMDGPU.h"
49 #include "llvm/IR/IntrinsicsARM.h"
50 #include "llvm/IR/IntrinsicsHexagon.h"
51 #include "llvm/IR/LLVMContext.h"
52 #include "llvm/IR/Metadata.h"
53 #include "llvm/IR/PatternMatch.h"
54 #include "llvm/IR/Statepoint.h"
55 #include "llvm/IR/Type.h"
56 #include "llvm/IR/User.h"
57 #include "llvm/IR/Value.h"
58 #include "llvm/IR/ValueHandle.h"
59 #include "llvm/Support/AtomicOrdering.h"
60 #include "llvm/Support/Casting.h"
61 #include "llvm/Support/CommandLine.h"
62 #include "llvm/Support/Compiler.h"
63 #include "llvm/Support/Debug.h"
64 #include "llvm/Support/ErrorHandling.h"
65 #include "llvm/Support/KnownBits.h"
66 #include "llvm/Support/MathExtras.h"
67 #include "llvm/Support/raw_ostream.h"
68 #include "llvm/Transforms/InstCombine/InstCombineWorklist.h"
69 #include "llvm/Transforms/InstCombine/InstCombiner.h"
70 #include "llvm/Transforms/Utils/Local.h"
71 #include "llvm/Transforms/Utils/SimplifyLibCalls.h"
72 #include <algorithm>
73 #include <cassert>
74 #include <cstdint>
75 #include <cstring>
76 #include <utility>
77 #include <vector>
78 
79 using namespace llvm;
80 using namespace PatternMatch;
81 
82 #define DEBUG_TYPE "instcombine"
83 
84 STATISTIC(NumSimplified, "Number of library calls simplified");
85 
86 static cl::opt<unsigned> GuardWideningWindow(
87     "instcombine-guard-widening-window",
88     cl::init(3),
89     cl::desc("How wide an instruction window to bypass looking for "
90              "another guard"));
91 
92 /// Return the specified type promoted as it would be to pass though a va_arg
93 /// area.
94 static Type *getPromotedType(Type *Ty) {
95   if (IntegerType* ITy = dyn_cast<IntegerType>(Ty)) {
96     if (ITy->getBitWidth() < 32)
97       return Type::getInt32Ty(Ty->getContext());
98   }
99   return Ty;
100 }
101 
102 Instruction *InstCombinerImpl::SimplifyAnyMemTransfer(AnyMemTransferInst *MI) {
103   Align DstAlign = getKnownAlignment(MI->getRawDest(), DL, MI, &AC, &DT);
104   MaybeAlign CopyDstAlign = MI->getDestAlign();
105   if (!CopyDstAlign || *CopyDstAlign < DstAlign) {
106     MI->setDestAlignment(DstAlign);
107     return MI;
108   }
109 
110   Align SrcAlign = getKnownAlignment(MI->getRawSource(), DL, MI, &AC, &DT);
111   MaybeAlign CopySrcAlign = MI->getSourceAlign();
112   if (!CopySrcAlign || *CopySrcAlign < SrcAlign) {
113     MI->setSourceAlignment(SrcAlign);
114     return MI;
115   }
116 
117   // If we have a store to a location which is known constant, we can conclude
118   // that the store must be storing the constant value (else the memory
119   // wouldn't be constant), and this must be a noop.
120   if (AA->pointsToConstantMemory(MI->getDest())) {
121     // Set the size of the copy to 0, it will be deleted on the next iteration.
122     MI->setLength(Constant::getNullValue(MI->getLength()->getType()));
123     return MI;
124   }
125 
126   // If MemCpyInst length is 1/2/4/8 bytes then replace memcpy with
127   // load/store.
128   ConstantInt *MemOpLength = dyn_cast<ConstantInt>(MI->getLength());
129   if (!MemOpLength) return nullptr;
130 
131   // Source and destination pointer types are always "i8*" for intrinsic.  See
132   // if the size is something we can handle with a single primitive load/store.
133   // A single load+store correctly handles overlapping memory in the memmove
134   // case.
135   uint64_t Size = MemOpLength->getLimitedValue();
136   assert(Size && "0-sized memory transferring should be removed already.");
137 
138   if (Size > 8 || (Size&(Size-1)))
139     return nullptr;  // If not 1/2/4/8 bytes, exit.
140 
141   // If it is an atomic and alignment is less than the size then we will
142   // introduce the unaligned memory access which will be later transformed
143   // into libcall in CodeGen. This is not evident performance gain so disable
144   // it now.
145   if (isa<AtomicMemTransferInst>(MI))
146     if (*CopyDstAlign < Size || *CopySrcAlign < Size)
147       return nullptr;
148 
149   // Use an integer load+store unless we can find something better.
150   unsigned SrcAddrSp =
151     cast<PointerType>(MI->getArgOperand(1)->getType())->getAddressSpace();
152   unsigned DstAddrSp =
153     cast<PointerType>(MI->getArgOperand(0)->getType())->getAddressSpace();
154 
155   IntegerType* IntType = IntegerType::get(MI->getContext(), Size<<3);
156   Type *NewSrcPtrTy = PointerType::get(IntType, SrcAddrSp);
157   Type *NewDstPtrTy = PointerType::get(IntType, DstAddrSp);
158 
159   // If the memcpy has metadata describing the members, see if we can get the
160   // TBAA tag describing our copy.
161   MDNode *CopyMD = nullptr;
162   if (MDNode *M = MI->getMetadata(LLVMContext::MD_tbaa)) {
163     CopyMD = M;
164   } else if (MDNode *M = MI->getMetadata(LLVMContext::MD_tbaa_struct)) {
165     if (M->getNumOperands() == 3 && M->getOperand(0) &&
166         mdconst::hasa<ConstantInt>(M->getOperand(0)) &&
167         mdconst::extract<ConstantInt>(M->getOperand(0))->isZero() &&
168         M->getOperand(1) &&
169         mdconst::hasa<ConstantInt>(M->getOperand(1)) &&
170         mdconst::extract<ConstantInt>(M->getOperand(1))->getValue() ==
171         Size &&
172         M->getOperand(2) && isa<MDNode>(M->getOperand(2)))
173       CopyMD = cast<MDNode>(M->getOperand(2));
174   }
175 
176   Value *Src = Builder.CreateBitCast(MI->getArgOperand(1), NewSrcPtrTy);
177   Value *Dest = Builder.CreateBitCast(MI->getArgOperand(0), NewDstPtrTy);
178   LoadInst *L = Builder.CreateLoad(IntType, Src);
179   // Alignment from the mem intrinsic will be better, so use it.
180   L->setAlignment(*CopySrcAlign);
181   if (CopyMD)
182     L->setMetadata(LLVMContext::MD_tbaa, CopyMD);
183   MDNode *LoopMemParallelMD =
184     MI->getMetadata(LLVMContext::MD_mem_parallel_loop_access);
185   if (LoopMemParallelMD)
186     L->setMetadata(LLVMContext::MD_mem_parallel_loop_access, LoopMemParallelMD);
187   MDNode *AccessGroupMD = MI->getMetadata(LLVMContext::MD_access_group);
188   if (AccessGroupMD)
189     L->setMetadata(LLVMContext::MD_access_group, AccessGroupMD);
190 
191   StoreInst *S = Builder.CreateStore(L, Dest);
192   // Alignment from the mem intrinsic will be better, so use it.
193   S->setAlignment(*CopyDstAlign);
194   if (CopyMD)
195     S->setMetadata(LLVMContext::MD_tbaa, CopyMD);
196   if (LoopMemParallelMD)
197     S->setMetadata(LLVMContext::MD_mem_parallel_loop_access, LoopMemParallelMD);
198   if (AccessGroupMD)
199     S->setMetadata(LLVMContext::MD_access_group, AccessGroupMD);
200 
201   if (auto *MT = dyn_cast<MemTransferInst>(MI)) {
202     // non-atomics can be volatile
203     L->setVolatile(MT->isVolatile());
204     S->setVolatile(MT->isVolatile());
205   }
206   if (isa<AtomicMemTransferInst>(MI)) {
207     // atomics have to be unordered
208     L->setOrdering(AtomicOrdering::Unordered);
209     S->setOrdering(AtomicOrdering::Unordered);
210   }
211 
212   // Set the size of the copy to 0, it will be deleted on the next iteration.
213   MI->setLength(Constant::getNullValue(MemOpLength->getType()));
214   return MI;
215 }
216 
217 Instruction *InstCombinerImpl::SimplifyAnyMemSet(AnyMemSetInst *MI) {
218   const Align KnownAlignment =
219       getKnownAlignment(MI->getDest(), DL, MI, &AC, &DT);
220   MaybeAlign MemSetAlign = MI->getDestAlign();
221   if (!MemSetAlign || *MemSetAlign < KnownAlignment) {
222     MI->setDestAlignment(KnownAlignment);
223     return MI;
224   }
225 
226   // If we have a store to a location which is known constant, we can conclude
227   // that the store must be storing the constant value (else the memory
228   // wouldn't be constant), and this must be a noop.
229   if (AA->pointsToConstantMemory(MI->getDest())) {
230     // Set the size of the copy to 0, it will be deleted on the next iteration.
231     MI->setLength(Constant::getNullValue(MI->getLength()->getType()));
232     return MI;
233   }
234 
235   // Extract the length and alignment and fill if they are constant.
236   ConstantInt *LenC = dyn_cast<ConstantInt>(MI->getLength());
237   ConstantInt *FillC = dyn_cast<ConstantInt>(MI->getValue());
238   if (!LenC || !FillC || !FillC->getType()->isIntegerTy(8))
239     return nullptr;
240   const uint64_t Len = LenC->getLimitedValue();
241   assert(Len && "0-sized memory setting should be removed already.");
242   const Align Alignment = assumeAligned(MI->getDestAlignment());
243 
244   // If it is an atomic and alignment is less than the size then we will
245   // introduce the unaligned memory access which will be later transformed
246   // into libcall in CodeGen. This is not evident performance gain so disable
247   // it now.
248   if (isa<AtomicMemSetInst>(MI))
249     if (Alignment < Len)
250       return nullptr;
251 
252   // memset(s,c,n) -> store s, c (for n=1,2,4,8)
253   if (Len <= 8 && isPowerOf2_32((uint32_t)Len)) {
254     Type *ITy = IntegerType::get(MI->getContext(), Len*8);  // n=1 -> i8.
255 
256     Value *Dest = MI->getDest();
257     unsigned DstAddrSp = cast<PointerType>(Dest->getType())->getAddressSpace();
258     Type *NewDstPtrTy = PointerType::get(ITy, DstAddrSp);
259     Dest = Builder.CreateBitCast(Dest, NewDstPtrTy);
260 
261     // Extract the fill value and store.
262     uint64_t Fill = FillC->getZExtValue()*0x0101010101010101ULL;
263     StoreInst *S = Builder.CreateStore(ConstantInt::get(ITy, Fill), Dest,
264                                        MI->isVolatile());
265     S->setAlignment(Alignment);
266     if (isa<AtomicMemSetInst>(MI))
267       S->setOrdering(AtomicOrdering::Unordered);
268 
269     // Set the size of the copy to 0, it will be deleted on the next iteration.
270     MI->setLength(Constant::getNullValue(LenC->getType()));
271     return MI;
272   }
273 
274   return nullptr;
275 }
276 
277 // TODO, Obvious Missing Transforms:
278 // * Narrow width by halfs excluding zero/undef lanes
279 Value *InstCombinerImpl::simplifyMaskedLoad(IntrinsicInst &II) {
280   Value *LoadPtr = II.getArgOperand(0);
281   const Align Alignment =
282       cast<ConstantInt>(II.getArgOperand(1))->getAlignValue();
283 
284   // If the mask is all ones or undefs, this is a plain vector load of the 1st
285   // argument.
286   if (maskIsAllOneOrUndef(II.getArgOperand(2)))
287     return Builder.CreateAlignedLoad(II.getType(), LoadPtr, Alignment,
288                                      "unmaskedload");
289 
290   // If we can unconditionally load from this address, replace with a
291   // load/select idiom. TODO: use DT for context sensitive query
292   if (isDereferenceableAndAlignedPointer(LoadPtr, II.getType(), Alignment,
293                                          II.getModule()->getDataLayout(), &II,
294                                          nullptr)) {
295     Value *LI = Builder.CreateAlignedLoad(II.getType(), LoadPtr, Alignment,
296                                          "unmaskedload");
297     return Builder.CreateSelect(II.getArgOperand(2), LI, II.getArgOperand(3));
298   }
299 
300   return nullptr;
301 }
302 
303 // TODO, Obvious Missing Transforms:
304 // * Single constant active lane -> store
305 // * Narrow width by halfs excluding zero/undef lanes
306 Instruction *InstCombinerImpl::simplifyMaskedStore(IntrinsicInst &II) {
307   auto *ConstMask = dyn_cast<Constant>(II.getArgOperand(3));
308   if (!ConstMask)
309     return nullptr;
310 
311   // If the mask is all zeros, this instruction does nothing.
312   if (ConstMask->isNullValue())
313     return eraseInstFromFunction(II);
314 
315   // If the mask is all ones, this is a plain vector store of the 1st argument.
316   if (ConstMask->isAllOnesValue()) {
317     Value *StorePtr = II.getArgOperand(1);
318     Align Alignment = cast<ConstantInt>(II.getArgOperand(2))->getAlignValue();
319     return new StoreInst(II.getArgOperand(0), StorePtr, false, Alignment);
320   }
321 
322   // Use masked off lanes to simplify operands via SimplifyDemandedVectorElts
323   APInt DemandedElts = possiblyDemandedEltsInMask(ConstMask);
324   APInt UndefElts(DemandedElts.getBitWidth(), 0);
325   if (Value *V = SimplifyDemandedVectorElts(II.getOperand(0),
326                                             DemandedElts, UndefElts))
327     return replaceOperand(II, 0, V);
328 
329   return nullptr;
330 }
331 
332 // TODO, Obvious Missing Transforms:
333 // * Single constant active lane load -> load
334 // * Dereferenceable address & few lanes -> scalarize speculative load/selects
335 // * Adjacent vector addresses -> masked.load
336 // * Narrow width by halfs excluding zero/undef lanes
337 // * Vector splat address w/known mask -> scalar load
338 // * Vector incrementing address -> vector masked load
339 Instruction *InstCombinerImpl::simplifyMaskedGather(IntrinsicInst &II) {
340   return nullptr;
341 }
342 
343 // TODO, Obvious Missing Transforms:
344 // * Single constant active lane -> store
345 // * Adjacent vector addresses -> masked.store
346 // * Narrow store width by halfs excluding zero/undef lanes
347 // * Vector splat address w/known mask -> scalar store
348 // * Vector incrementing address -> vector masked store
349 Instruction *InstCombinerImpl::simplifyMaskedScatter(IntrinsicInst &II) {
350   auto *ConstMask = dyn_cast<Constant>(II.getArgOperand(3));
351   if (!ConstMask)
352     return nullptr;
353 
354   // If the mask is all zeros, a scatter does nothing.
355   if (ConstMask->isNullValue())
356     return eraseInstFromFunction(II);
357 
358   // Use masked off lanes to simplify operands via SimplifyDemandedVectorElts
359   APInt DemandedElts = possiblyDemandedEltsInMask(ConstMask);
360   APInt UndefElts(DemandedElts.getBitWidth(), 0);
361   if (Value *V = SimplifyDemandedVectorElts(II.getOperand(0),
362                                             DemandedElts, UndefElts))
363     return replaceOperand(II, 0, V);
364   if (Value *V = SimplifyDemandedVectorElts(II.getOperand(1),
365                                             DemandedElts, UndefElts))
366     return replaceOperand(II, 1, V);
367 
368   return nullptr;
369 }
370 
371 /// This function transforms launder.invariant.group and strip.invariant.group
372 /// like:
373 /// launder(launder(%x)) -> launder(%x)       (the result is not the argument)
374 /// launder(strip(%x)) -> launder(%x)
375 /// strip(strip(%x)) -> strip(%x)             (the result is not the argument)
376 /// strip(launder(%x)) -> strip(%x)
377 /// This is legal because it preserves the most recent information about
378 /// the presence or absence of invariant.group.
379 static Instruction *simplifyInvariantGroupIntrinsic(IntrinsicInst &II,
380                                                     InstCombinerImpl &IC) {
381   auto *Arg = II.getArgOperand(0);
382   auto *StrippedArg = Arg->stripPointerCasts();
383   auto *StrippedInvariantGroupsArg = Arg->stripPointerCastsAndInvariantGroups();
384   if (StrippedArg == StrippedInvariantGroupsArg)
385     return nullptr; // No launders/strips to remove.
386 
387   Value *Result = nullptr;
388 
389   if (II.getIntrinsicID() == Intrinsic::launder_invariant_group)
390     Result = IC.Builder.CreateLaunderInvariantGroup(StrippedInvariantGroupsArg);
391   else if (II.getIntrinsicID() == Intrinsic::strip_invariant_group)
392     Result = IC.Builder.CreateStripInvariantGroup(StrippedInvariantGroupsArg);
393   else
394     llvm_unreachable(
395         "simplifyInvariantGroupIntrinsic only handles launder and strip");
396   if (Result->getType()->getPointerAddressSpace() !=
397       II.getType()->getPointerAddressSpace())
398     Result = IC.Builder.CreateAddrSpaceCast(Result, II.getType());
399   if (Result->getType() != II.getType())
400     Result = IC.Builder.CreateBitCast(Result, II.getType());
401 
402   return cast<Instruction>(Result);
403 }
404 
405 static Instruction *foldCttzCtlz(IntrinsicInst &II, InstCombinerImpl &IC) {
406   assert((II.getIntrinsicID() == Intrinsic::cttz ||
407           II.getIntrinsicID() == Intrinsic::ctlz) &&
408          "Expected cttz or ctlz intrinsic");
409   bool IsTZ = II.getIntrinsicID() == Intrinsic::cttz;
410   Value *Op0 = II.getArgOperand(0);
411   Value *X;
412   // ctlz(bitreverse(x)) -> cttz(x)
413   // cttz(bitreverse(x)) -> ctlz(x)
414   if (match(Op0, m_BitReverse(m_Value(X)))) {
415     Intrinsic::ID ID = IsTZ ? Intrinsic::ctlz : Intrinsic::cttz;
416     Function *F = Intrinsic::getDeclaration(II.getModule(), ID, II.getType());
417     return CallInst::Create(F, {X, II.getArgOperand(1)});
418   }
419 
420   if (IsTZ) {
421     // cttz(-x) -> cttz(x)
422     if (match(Op0, m_Neg(m_Value(X))))
423       return IC.replaceOperand(II, 0, X);
424 
425     // cttz(abs(x)) -> cttz(x)
426     // cttz(nabs(x)) -> cttz(x)
427     Value *Y;
428     SelectPatternFlavor SPF = matchSelectPattern(Op0, X, Y).Flavor;
429     if (SPF == SPF_ABS || SPF == SPF_NABS)
430       return IC.replaceOperand(II, 0, X);
431   }
432 
433   KnownBits Known = IC.computeKnownBits(Op0, 0, &II);
434 
435   // Create a mask for bits above (ctlz) or below (cttz) the first known one.
436   unsigned PossibleZeros = IsTZ ? Known.countMaxTrailingZeros()
437                                 : Known.countMaxLeadingZeros();
438   unsigned DefiniteZeros = IsTZ ? Known.countMinTrailingZeros()
439                                 : Known.countMinLeadingZeros();
440 
441   // If all bits above (ctlz) or below (cttz) the first known one are known
442   // zero, this value is constant.
443   // FIXME: This should be in InstSimplify because we're replacing an
444   // instruction with a constant.
445   if (PossibleZeros == DefiniteZeros) {
446     auto *C = ConstantInt::get(Op0->getType(), DefiniteZeros);
447     return IC.replaceInstUsesWith(II, C);
448   }
449 
450   // If the input to cttz/ctlz is known to be non-zero,
451   // then change the 'ZeroIsUndef' parameter to 'true'
452   // because we know the zero behavior can't affect the result.
453   if (!Known.One.isNullValue() ||
454       isKnownNonZero(Op0, IC.getDataLayout(), 0, &IC.getAssumptionCache(), &II,
455                      &IC.getDominatorTree())) {
456     if (!match(II.getArgOperand(1), m_One()))
457       return IC.replaceOperand(II, 1, IC.Builder.getTrue());
458   }
459 
460   // Add range metadata since known bits can't completely reflect what we know.
461   // TODO: Handle splat vectors.
462   auto *IT = dyn_cast<IntegerType>(Op0->getType());
463   if (IT && IT->getBitWidth() != 1 && !II.getMetadata(LLVMContext::MD_range)) {
464     Metadata *LowAndHigh[] = {
465         ConstantAsMetadata::get(ConstantInt::get(IT, DefiniteZeros)),
466         ConstantAsMetadata::get(ConstantInt::get(IT, PossibleZeros + 1))};
467     II.setMetadata(LLVMContext::MD_range,
468                    MDNode::get(II.getContext(), LowAndHigh));
469     return &II;
470   }
471 
472   return nullptr;
473 }
474 
475 static Instruction *foldCtpop(IntrinsicInst &II, InstCombinerImpl &IC) {
476   assert(II.getIntrinsicID() == Intrinsic::ctpop &&
477          "Expected ctpop intrinsic");
478   Type *Ty = II.getType();
479   unsigned BitWidth = Ty->getScalarSizeInBits();
480   Value *Op0 = II.getArgOperand(0);
481   Value *X;
482 
483   // ctpop(bitreverse(x)) -> ctpop(x)
484   // ctpop(bswap(x)) -> ctpop(x)
485   if (match(Op0, m_BitReverse(m_Value(X))) || match(Op0, m_BSwap(m_Value(X))))
486     return IC.replaceOperand(II, 0, X);
487 
488   // ctpop(x | -x) -> bitwidth - cttz(x, false)
489   if (Op0->hasOneUse() &&
490       match(Op0, m_c_Or(m_Value(X), m_Neg(m_Deferred(X))))) {
491     Function *F =
492         Intrinsic::getDeclaration(II.getModule(), Intrinsic::cttz, Ty);
493     auto *Cttz = IC.Builder.CreateCall(F, {X, IC.Builder.getFalse()});
494     auto *Bw = ConstantInt::get(Ty, APInt(BitWidth, BitWidth));
495     return IC.replaceInstUsesWith(II, IC.Builder.CreateSub(Bw, Cttz));
496   }
497 
498   // ctpop(~x & (x - 1)) -> cttz(x, false)
499   if (match(Op0,
500             m_c_And(m_Not(m_Value(X)), m_Add(m_Deferred(X), m_AllOnes())))) {
501     Function *F =
502         Intrinsic::getDeclaration(II.getModule(), Intrinsic::cttz, Ty);
503     return CallInst::Create(F, {X, IC.Builder.getFalse()});
504   }
505 
506   // FIXME: Try to simplify vectors of integers.
507   auto *IT = dyn_cast<IntegerType>(Ty);
508   if (!IT)
509     return nullptr;
510 
511   KnownBits Known(BitWidth);
512   IC.computeKnownBits(Op0, Known, 0, &II);
513 
514   unsigned MinCount = Known.countMinPopulation();
515   unsigned MaxCount = Known.countMaxPopulation();
516 
517   // Add range metadata since known bits can't completely reflect what we know.
518   if (IT->getBitWidth() != 1 && !II.getMetadata(LLVMContext::MD_range)) {
519     Metadata *LowAndHigh[] = {
520         ConstantAsMetadata::get(ConstantInt::get(IT, MinCount)),
521         ConstantAsMetadata::get(ConstantInt::get(IT, MaxCount + 1))};
522     II.setMetadata(LLVMContext::MD_range,
523                    MDNode::get(II.getContext(), LowAndHigh));
524     return &II;
525   }
526 
527   return nullptr;
528 }
529 
530 /// Convert a table lookup to shufflevector if the mask is constant.
531 /// This could benefit tbl1 if the mask is { 7,6,5,4,3,2,1,0 }, in
532 /// which case we could lower the shufflevector with rev64 instructions
533 /// as it's actually a byte reverse.
534 static Value *simplifyNeonTbl1(const IntrinsicInst &II,
535                                InstCombiner::BuilderTy &Builder) {
536   // Bail out if the mask is not a constant.
537   auto *C = dyn_cast<Constant>(II.getArgOperand(1));
538   if (!C)
539     return nullptr;
540 
541   auto *VecTy = cast<VectorType>(II.getType());
542   unsigned NumElts = VecTy->getNumElements();
543 
544   // Only perform this transformation for <8 x i8> vector types.
545   if (!VecTy->getElementType()->isIntegerTy(8) || NumElts != 8)
546     return nullptr;
547 
548   int Indexes[8];
549 
550   for (unsigned I = 0; I < NumElts; ++I) {
551     Constant *COp = C->getAggregateElement(I);
552 
553     if (!COp || !isa<ConstantInt>(COp))
554       return nullptr;
555 
556     Indexes[I] = cast<ConstantInt>(COp)->getLimitedValue();
557 
558     // Make sure the mask indices are in range.
559     if ((unsigned)Indexes[I] >= NumElts)
560       return nullptr;
561   }
562 
563   auto *V1 = II.getArgOperand(0);
564   auto *V2 = Constant::getNullValue(V1->getType());
565   return Builder.CreateShuffleVector(V1, V2, makeArrayRef(Indexes));
566 }
567 
568 // Returns true iff the 2 intrinsics have the same operands, limiting the
569 // comparison to the first NumOperands.
570 static bool haveSameOperands(const IntrinsicInst &I, const IntrinsicInst &E,
571                              unsigned NumOperands) {
572   assert(I.getNumArgOperands() >= NumOperands && "Not enough operands");
573   assert(E.getNumArgOperands() >= NumOperands && "Not enough operands");
574   for (unsigned i = 0; i < NumOperands; i++)
575     if (I.getArgOperand(i) != E.getArgOperand(i))
576       return false;
577   return true;
578 }
579 
580 // Remove trivially empty start/end intrinsic ranges, i.e. a start
581 // immediately followed by an end (ignoring debuginfo or other
582 // start/end intrinsics in between). As this handles only the most trivial
583 // cases, tracking the nesting level is not needed:
584 //
585 //   call @llvm.foo.start(i1 0)
586 //   call @llvm.foo.start(i1 0) ; This one won't be skipped: it will be removed
587 //   call @llvm.foo.end(i1 0)
588 //   call @llvm.foo.end(i1 0) ; &I
589 static bool
590 removeTriviallyEmptyRange(IntrinsicInst &EndI, InstCombinerImpl &IC,
591                           std::function<bool(const IntrinsicInst &)> IsStart) {
592   // We start from the end intrinsic and scan backwards, so that InstCombine
593   // has already processed (and potentially removed) all the instructions
594   // before the end intrinsic.
595   BasicBlock::reverse_iterator BI(EndI), BE(EndI.getParent()->rend());
596   for (; BI != BE; ++BI) {
597     if (auto *I = dyn_cast<IntrinsicInst>(&*BI)) {
598       if (isa<DbgInfoIntrinsic>(I) ||
599           I->getIntrinsicID() == EndI.getIntrinsicID())
600         continue;
601       if (IsStart(*I)) {
602         if (haveSameOperands(EndI, *I, EndI.getNumArgOperands())) {
603           IC.eraseInstFromFunction(*I);
604           IC.eraseInstFromFunction(EndI);
605           return true;
606         }
607         // Skip start intrinsics that don't pair with this end intrinsic.
608         continue;
609       }
610     }
611     break;
612   }
613 
614   return false;
615 }
616 
617 Instruction *InstCombinerImpl::visitVAEndInst(VAEndInst &I) {
618   removeTriviallyEmptyRange(I, *this, [](const IntrinsicInst &I) {
619     return I.getIntrinsicID() == Intrinsic::vastart ||
620            I.getIntrinsicID() == Intrinsic::vacopy;
621   });
622   return nullptr;
623 }
624 
625 static Instruction *canonicalizeConstantArg0ToArg1(CallInst &Call) {
626   assert(Call.getNumArgOperands() > 1 && "Need at least 2 args to swap");
627   Value *Arg0 = Call.getArgOperand(0), *Arg1 = Call.getArgOperand(1);
628   if (isa<Constant>(Arg0) && !isa<Constant>(Arg1)) {
629     Call.setArgOperand(0, Arg1);
630     Call.setArgOperand(1, Arg0);
631     return &Call;
632   }
633   return nullptr;
634 }
635 
636 /// Creates a result tuple for an overflow intrinsic \p II with a given
637 /// \p Result and a constant \p Overflow value.
638 static Instruction *createOverflowTuple(IntrinsicInst *II, Value *Result,
639                                         Constant *Overflow) {
640   Constant *V[] = {UndefValue::get(Result->getType()), Overflow};
641   StructType *ST = cast<StructType>(II->getType());
642   Constant *Struct = ConstantStruct::get(ST, V);
643   return InsertValueInst::Create(Struct, Result, 0);
644 }
645 
646 Instruction *
647 InstCombinerImpl::foldIntrinsicWithOverflowCommon(IntrinsicInst *II) {
648   WithOverflowInst *WO = cast<WithOverflowInst>(II);
649   Value *OperationResult = nullptr;
650   Constant *OverflowResult = nullptr;
651   if (OptimizeOverflowCheck(WO->getBinaryOp(), WO->isSigned(), WO->getLHS(),
652                             WO->getRHS(), *WO, OperationResult, OverflowResult))
653     return createOverflowTuple(WO, OperationResult, OverflowResult);
654   return nullptr;
655 }
656 
657 /// CallInst simplification. This mostly only handles folding of intrinsic
658 /// instructions. For normal calls, it allows visitCallBase to do the heavy
659 /// lifting.
660 Instruction *InstCombinerImpl::visitCallInst(CallInst &CI) {
661   // Don't try to simplify calls without uses. It will not do anything useful,
662   // but will result in the following folds being skipped.
663   if (!CI.use_empty())
664     if (Value *V = SimplifyCall(&CI, SQ.getWithInstruction(&CI)))
665       return replaceInstUsesWith(CI, V);
666 
667   if (isFreeCall(&CI, &TLI))
668     return visitFree(CI);
669 
670   // If the caller function is nounwind, mark the call as nounwind, even if the
671   // callee isn't.
672   if (CI.getFunction()->doesNotThrow() && !CI.doesNotThrow()) {
673     CI.setDoesNotThrow();
674     return &CI;
675   }
676 
677   IntrinsicInst *II = dyn_cast<IntrinsicInst>(&CI);
678   if (!II) return visitCallBase(CI);
679 
680   // For atomic unordered mem intrinsics if len is not a positive or
681   // not a multiple of element size then behavior is undefined.
682   if (auto *AMI = dyn_cast<AtomicMemIntrinsic>(II))
683     if (ConstantInt *NumBytes = dyn_cast<ConstantInt>(AMI->getLength()))
684       if (NumBytes->getSExtValue() < 0 ||
685           (NumBytes->getZExtValue() % AMI->getElementSizeInBytes() != 0)) {
686         CreateNonTerminatorUnreachable(AMI);
687         assert(AMI->getType()->isVoidTy() &&
688                "non void atomic unordered mem intrinsic");
689         return eraseInstFromFunction(*AMI);
690       }
691 
692   // Intrinsics cannot occur in an invoke or a callbr, so handle them here
693   // instead of in visitCallBase.
694   if (auto *MI = dyn_cast<AnyMemIntrinsic>(II)) {
695     bool Changed = false;
696 
697     // memmove/cpy/set of zero bytes is a noop.
698     if (Constant *NumBytes = dyn_cast<Constant>(MI->getLength())) {
699       if (NumBytes->isNullValue())
700         return eraseInstFromFunction(CI);
701 
702       if (ConstantInt *CI = dyn_cast<ConstantInt>(NumBytes))
703         if (CI->getZExtValue() == 1) {
704           // Replace the instruction with just byte operations.  We would
705           // transform other cases to loads/stores, but we don't know if
706           // alignment is sufficient.
707         }
708     }
709 
710     // No other transformations apply to volatile transfers.
711     if (auto *M = dyn_cast<MemIntrinsic>(MI))
712       if (M->isVolatile())
713         return nullptr;
714 
715     // If we have a memmove and the source operation is a constant global,
716     // then the source and dest pointers can't alias, so we can change this
717     // into a call to memcpy.
718     if (auto *MMI = dyn_cast<AnyMemMoveInst>(MI)) {
719       if (GlobalVariable *GVSrc = dyn_cast<GlobalVariable>(MMI->getSource()))
720         if (GVSrc->isConstant()) {
721           Module *M = CI.getModule();
722           Intrinsic::ID MemCpyID =
723               isa<AtomicMemMoveInst>(MMI)
724                   ? Intrinsic::memcpy_element_unordered_atomic
725                   : Intrinsic::memcpy;
726           Type *Tys[3] = { CI.getArgOperand(0)->getType(),
727                            CI.getArgOperand(1)->getType(),
728                            CI.getArgOperand(2)->getType() };
729           CI.setCalledFunction(Intrinsic::getDeclaration(M, MemCpyID, Tys));
730           Changed = true;
731         }
732     }
733 
734     if (AnyMemTransferInst *MTI = dyn_cast<AnyMemTransferInst>(MI)) {
735       // memmove(x,x,size) -> noop.
736       if (MTI->getSource() == MTI->getDest())
737         return eraseInstFromFunction(CI);
738     }
739 
740     // If we can determine a pointer alignment that is bigger than currently
741     // set, update the alignment.
742     if (auto *MTI = dyn_cast<AnyMemTransferInst>(MI)) {
743       if (Instruction *I = SimplifyAnyMemTransfer(MTI))
744         return I;
745     } else if (auto *MSI = dyn_cast<AnyMemSetInst>(MI)) {
746       if (Instruction *I = SimplifyAnyMemSet(MSI))
747         return I;
748     }
749 
750     if (Changed) return II;
751   }
752 
753   // For fixed width vector result intrinsics, use the generic demanded vector
754   // support.
755   if (auto *IIFVTy = dyn_cast<FixedVectorType>(II->getType())) {
756     auto VWidth = IIFVTy->getNumElements();
757     APInt UndefElts(VWidth, 0);
758     APInt AllOnesEltMask(APInt::getAllOnesValue(VWidth));
759     if (Value *V = SimplifyDemandedVectorElts(II, AllOnesEltMask, UndefElts)) {
760       if (V != II)
761         return replaceInstUsesWith(*II, V);
762       return II;
763     }
764   }
765 
766   Intrinsic::ID IID = II->getIntrinsicID();
767   switch (IID) {
768   case Intrinsic::objectsize:
769     if (Value *V = lowerObjectSizeCall(II, DL, &TLI, /*MustSucceed=*/false))
770       return replaceInstUsesWith(CI, V);
771     return nullptr;
772   case Intrinsic::abs: {
773     Value *IIOperand = II->getArgOperand(0);
774     // abs(-x) -> abs(x)
775     // TODO: Copy nsw if it was present on the neg?
776     Value *X;
777     if (match(IIOperand, m_Neg(m_Value(X))))
778       return replaceOperand(*II, 0, X);
779 
780     break;
781   }
782   case Intrinsic::bswap: {
783     Value *IIOperand = II->getArgOperand(0);
784     Value *X = nullptr;
785 
786     // bswap(trunc(bswap(x))) -> trunc(lshr(x, c))
787     if (match(IIOperand, m_Trunc(m_BSwap(m_Value(X))))) {
788       unsigned C = X->getType()->getPrimitiveSizeInBits() -
789         IIOperand->getType()->getPrimitiveSizeInBits();
790       Value *CV = ConstantInt::get(X->getType(), C);
791       Value *V = Builder.CreateLShr(X, CV);
792       return new TruncInst(V, IIOperand->getType());
793     }
794     break;
795   }
796   case Intrinsic::masked_load:
797     if (Value *SimplifiedMaskedOp = simplifyMaskedLoad(*II))
798       return replaceInstUsesWith(CI, SimplifiedMaskedOp);
799     break;
800   case Intrinsic::masked_store:
801     return simplifyMaskedStore(*II);
802   case Intrinsic::masked_gather:
803     return simplifyMaskedGather(*II);
804   case Intrinsic::masked_scatter:
805     return simplifyMaskedScatter(*II);
806   case Intrinsic::launder_invariant_group:
807   case Intrinsic::strip_invariant_group:
808     if (auto *SkippedBarrier = simplifyInvariantGroupIntrinsic(*II, *this))
809       return replaceInstUsesWith(*II, SkippedBarrier);
810     break;
811   case Intrinsic::powi:
812     if (ConstantInt *Power = dyn_cast<ConstantInt>(II->getArgOperand(1))) {
813       // 0 and 1 are handled in instsimplify
814 
815       // powi(x, -1) -> 1/x
816       if (Power->isMinusOne())
817         return BinaryOperator::CreateFDiv(ConstantFP::get(CI.getType(), 1.0),
818                                           II->getArgOperand(0));
819       // powi(x, 2) -> x*x
820       if (Power->equalsInt(2))
821         return BinaryOperator::CreateFMul(II->getArgOperand(0),
822                                           II->getArgOperand(0));
823     }
824     break;
825 
826   case Intrinsic::cttz:
827   case Intrinsic::ctlz:
828     if (auto *I = foldCttzCtlz(*II, *this))
829       return I;
830     break;
831 
832   case Intrinsic::ctpop:
833     if (auto *I = foldCtpop(*II, *this))
834       return I;
835     break;
836 
837   case Intrinsic::fshl:
838   case Intrinsic::fshr: {
839     Value *Op0 = II->getArgOperand(0), *Op1 = II->getArgOperand(1);
840     Type *Ty = II->getType();
841     unsigned BitWidth = Ty->getScalarSizeInBits();
842     Constant *ShAmtC;
843     if (match(II->getArgOperand(2), m_Constant(ShAmtC)) &&
844         !isa<ConstantExpr>(ShAmtC) && !ShAmtC->containsConstantExpression()) {
845       // Canonicalize a shift amount constant operand to modulo the bit-width.
846       Constant *WidthC = ConstantInt::get(Ty, BitWidth);
847       Constant *ModuloC = ConstantExpr::getURem(ShAmtC, WidthC);
848       if (ModuloC != ShAmtC)
849         return replaceOperand(*II, 2, ModuloC);
850 
851       assert(ConstantExpr::getICmp(ICmpInst::ICMP_UGT, WidthC, ShAmtC) ==
852                  ConstantInt::getTrue(CmpInst::makeCmpResultType(Ty)) &&
853              "Shift amount expected to be modulo bitwidth");
854 
855       // Canonicalize funnel shift right by constant to funnel shift left. This
856       // is not entirely arbitrary. For historical reasons, the backend may
857       // recognize rotate left patterns but miss rotate right patterns.
858       if (IID == Intrinsic::fshr) {
859         // fshr X, Y, C --> fshl X, Y, (BitWidth - C)
860         Constant *LeftShiftC = ConstantExpr::getSub(WidthC, ShAmtC);
861         Module *Mod = II->getModule();
862         Function *Fshl = Intrinsic::getDeclaration(Mod, Intrinsic::fshl, Ty);
863         return CallInst::Create(Fshl, { Op0, Op1, LeftShiftC });
864       }
865       assert(IID == Intrinsic::fshl &&
866              "All funnel shifts by simple constants should go left");
867 
868       // fshl(X, 0, C) --> shl X, C
869       // fshl(X, undef, C) --> shl X, C
870       if (match(Op1, m_ZeroInt()) || match(Op1, m_Undef()))
871         return BinaryOperator::CreateShl(Op0, ShAmtC);
872 
873       // fshl(0, X, C) --> lshr X, (BW-C)
874       // fshl(undef, X, C) --> lshr X, (BW-C)
875       if (match(Op0, m_ZeroInt()) || match(Op0, m_Undef()))
876         return BinaryOperator::CreateLShr(Op1,
877                                           ConstantExpr::getSub(WidthC, ShAmtC));
878 
879       // fshl i16 X, X, 8 --> bswap i16 X (reduce to more-specific form)
880       if (Op0 == Op1 && BitWidth == 16 && match(ShAmtC, m_SpecificInt(8))) {
881         Module *Mod = II->getModule();
882         Function *Bswap = Intrinsic::getDeclaration(Mod, Intrinsic::bswap, Ty);
883         return CallInst::Create(Bswap, { Op0 });
884       }
885     }
886 
887     // Left or right might be masked.
888     if (SimplifyDemandedInstructionBits(*II))
889       return &CI;
890 
891     // The shift amount (operand 2) of a funnel shift is modulo the bitwidth,
892     // so only the low bits of the shift amount are demanded if the bitwidth is
893     // a power-of-2.
894     if (!isPowerOf2_32(BitWidth))
895       break;
896     APInt Op2Demanded = APInt::getLowBitsSet(BitWidth, Log2_32_Ceil(BitWidth));
897     KnownBits Op2Known(BitWidth);
898     if (SimplifyDemandedBits(II, 2, Op2Demanded, Op2Known))
899       return &CI;
900     break;
901   }
902   case Intrinsic::uadd_with_overflow:
903   case Intrinsic::sadd_with_overflow: {
904     if (Instruction *I = canonicalizeConstantArg0ToArg1(CI))
905       return I;
906     if (Instruction *I = foldIntrinsicWithOverflowCommon(II))
907       return I;
908 
909     // Given 2 constant operands whose sum does not overflow:
910     // uaddo (X +nuw C0), C1 -> uaddo X, C0 + C1
911     // saddo (X +nsw C0), C1 -> saddo X, C0 + C1
912     Value *X;
913     const APInt *C0, *C1;
914     Value *Arg0 = II->getArgOperand(0);
915     Value *Arg1 = II->getArgOperand(1);
916     bool IsSigned = IID == Intrinsic::sadd_with_overflow;
917     bool HasNWAdd = IsSigned ? match(Arg0, m_NSWAdd(m_Value(X), m_APInt(C0)))
918                              : match(Arg0, m_NUWAdd(m_Value(X), m_APInt(C0)));
919     if (HasNWAdd && match(Arg1, m_APInt(C1))) {
920       bool Overflow;
921       APInt NewC =
922           IsSigned ? C1->sadd_ov(*C0, Overflow) : C1->uadd_ov(*C0, Overflow);
923       if (!Overflow)
924         return replaceInstUsesWith(
925             *II, Builder.CreateBinaryIntrinsic(
926                      IID, X, ConstantInt::get(Arg1->getType(), NewC)));
927     }
928     break;
929   }
930 
931   case Intrinsic::umul_with_overflow:
932   case Intrinsic::smul_with_overflow:
933     if (Instruction *I = canonicalizeConstantArg0ToArg1(CI))
934       return I;
935     LLVM_FALLTHROUGH;
936 
937   case Intrinsic::usub_with_overflow:
938     if (Instruction *I = foldIntrinsicWithOverflowCommon(II))
939       return I;
940     break;
941 
942   case Intrinsic::ssub_with_overflow: {
943     if (Instruction *I = foldIntrinsicWithOverflowCommon(II))
944       return I;
945 
946     Constant *C;
947     Value *Arg0 = II->getArgOperand(0);
948     Value *Arg1 = II->getArgOperand(1);
949     // Given a constant C that is not the minimum signed value
950     // for an integer of a given bit width:
951     //
952     // ssubo X, C -> saddo X, -C
953     if (match(Arg1, m_Constant(C)) && C->isNotMinSignedValue()) {
954       Value *NegVal = ConstantExpr::getNeg(C);
955       // Build a saddo call that is equivalent to the discovered
956       // ssubo call.
957       return replaceInstUsesWith(
958           *II, Builder.CreateBinaryIntrinsic(Intrinsic::sadd_with_overflow,
959                                              Arg0, NegVal));
960     }
961 
962     break;
963   }
964 
965   case Intrinsic::uadd_sat:
966   case Intrinsic::sadd_sat:
967     if (Instruction *I = canonicalizeConstantArg0ToArg1(CI))
968       return I;
969     LLVM_FALLTHROUGH;
970   case Intrinsic::usub_sat:
971   case Intrinsic::ssub_sat: {
972     SaturatingInst *SI = cast<SaturatingInst>(II);
973     Type *Ty = SI->getType();
974     Value *Arg0 = SI->getLHS();
975     Value *Arg1 = SI->getRHS();
976 
977     // Make use of known overflow information.
978     OverflowResult OR = computeOverflow(SI->getBinaryOp(), SI->isSigned(),
979                                         Arg0, Arg1, SI);
980     switch (OR) {
981       case OverflowResult::MayOverflow:
982         break;
983       case OverflowResult::NeverOverflows:
984         if (SI->isSigned())
985           return BinaryOperator::CreateNSW(SI->getBinaryOp(), Arg0, Arg1);
986         else
987           return BinaryOperator::CreateNUW(SI->getBinaryOp(), Arg0, Arg1);
988       case OverflowResult::AlwaysOverflowsLow: {
989         unsigned BitWidth = Ty->getScalarSizeInBits();
990         APInt Min = APSInt::getMinValue(BitWidth, !SI->isSigned());
991         return replaceInstUsesWith(*SI, ConstantInt::get(Ty, Min));
992       }
993       case OverflowResult::AlwaysOverflowsHigh: {
994         unsigned BitWidth = Ty->getScalarSizeInBits();
995         APInt Max = APSInt::getMaxValue(BitWidth, !SI->isSigned());
996         return replaceInstUsesWith(*SI, ConstantInt::get(Ty, Max));
997       }
998     }
999 
1000     // ssub.sat(X, C) -> sadd.sat(X, -C) if C != MIN
1001     Constant *C;
1002     if (IID == Intrinsic::ssub_sat && match(Arg1, m_Constant(C)) &&
1003         C->isNotMinSignedValue()) {
1004       Value *NegVal = ConstantExpr::getNeg(C);
1005       return replaceInstUsesWith(
1006           *II, Builder.CreateBinaryIntrinsic(
1007               Intrinsic::sadd_sat, Arg0, NegVal));
1008     }
1009 
1010     // sat(sat(X + Val2) + Val) -> sat(X + (Val+Val2))
1011     // sat(sat(X - Val2) - Val) -> sat(X - (Val+Val2))
1012     // if Val and Val2 have the same sign
1013     if (auto *Other = dyn_cast<IntrinsicInst>(Arg0)) {
1014       Value *X;
1015       const APInt *Val, *Val2;
1016       APInt NewVal;
1017       bool IsUnsigned =
1018           IID == Intrinsic::uadd_sat || IID == Intrinsic::usub_sat;
1019       if (Other->getIntrinsicID() == IID &&
1020           match(Arg1, m_APInt(Val)) &&
1021           match(Other->getArgOperand(0), m_Value(X)) &&
1022           match(Other->getArgOperand(1), m_APInt(Val2))) {
1023         if (IsUnsigned)
1024           NewVal = Val->uadd_sat(*Val2);
1025         else if (Val->isNonNegative() == Val2->isNonNegative()) {
1026           bool Overflow;
1027           NewVal = Val->sadd_ov(*Val2, Overflow);
1028           if (Overflow) {
1029             // Both adds together may add more than SignedMaxValue
1030             // without saturating the final result.
1031             break;
1032           }
1033         } else {
1034           // Cannot fold saturated addition with different signs.
1035           break;
1036         }
1037 
1038         return replaceInstUsesWith(
1039             *II, Builder.CreateBinaryIntrinsic(
1040                      IID, X, ConstantInt::get(II->getType(), NewVal)));
1041       }
1042     }
1043     break;
1044   }
1045 
1046   case Intrinsic::minnum:
1047   case Intrinsic::maxnum:
1048   case Intrinsic::minimum:
1049   case Intrinsic::maximum: {
1050     if (Instruction *I = canonicalizeConstantArg0ToArg1(CI))
1051       return I;
1052     Value *Arg0 = II->getArgOperand(0);
1053     Value *Arg1 = II->getArgOperand(1);
1054     Value *X, *Y;
1055     if (match(Arg0, m_FNeg(m_Value(X))) && match(Arg1, m_FNeg(m_Value(Y))) &&
1056         (Arg0->hasOneUse() || Arg1->hasOneUse())) {
1057       // If both operands are negated, invert the call and negate the result:
1058       // min(-X, -Y) --> -(max(X, Y))
1059       // max(-X, -Y) --> -(min(X, Y))
1060       Intrinsic::ID NewIID;
1061       switch (IID) {
1062       case Intrinsic::maxnum:
1063         NewIID = Intrinsic::minnum;
1064         break;
1065       case Intrinsic::minnum:
1066         NewIID = Intrinsic::maxnum;
1067         break;
1068       case Intrinsic::maximum:
1069         NewIID = Intrinsic::minimum;
1070         break;
1071       case Intrinsic::minimum:
1072         NewIID = Intrinsic::maximum;
1073         break;
1074       default:
1075         llvm_unreachable("unexpected intrinsic ID");
1076       }
1077       Value *NewCall = Builder.CreateBinaryIntrinsic(NewIID, X, Y, II);
1078       Instruction *FNeg = UnaryOperator::CreateFNeg(NewCall);
1079       FNeg->copyIRFlags(II);
1080       return FNeg;
1081     }
1082 
1083     // m(m(X, C2), C1) -> m(X, C)
1084     const APFloat *C1, *C2;
1085     if (auto *M = dyn_cast<IntrinsicInst>(Arg0)) {
1086       if (M->getIntrinsicID() == IID && match(Arg1, m_APFloat(C1)) &&
1087           ((match(M->getArgOperand(0), m_Value(X)) &&
1088             match(M->getArgOperand(1), m_APFloat(C2))) ||
1089            (match(M->getArgOperand(1), m_Value(X)) &&
1090             match(M->getArgOperand(0), m_APFloat(C2))))) {
1091         APFloat Res(0.0);
1092         switch (IID) {
1093         case Intrinsic::maxnum:
1094           Res = maxnum(*C1, *C2);
1095           break;
1096         case Intrinsic::minnum:
1097           Res = minnum(*C1, *C2);
1098           break;
1099         case Intrinsic::maximum:
1100           Res = maximum(*C1, *C2);
1101           break;
1102         case Intrinsic::minimum:
1103           Res = minimum(*C1, *C2);
1104           break;
1105         default:
1106           llvm_unreachable("unexpected intrinsic ID");
1107         }
1108         Instruction *NewCall = Builder.CreateBinaryIntrinsic(
1109             IID, X, ConstantFP::get(Arg0->getType(), Res), II);
1110         // TODO: Conservatively intersecting FMF. If Res == C2, the transform
1111         //       was a simplification (so Arg0 and its original flags could
1112         //       propagate?)
1113         NewCall->andIRFlags(M);
1114         return replaceInstUsesWith(*II, NewCall);
1115       }
1116     }
1117 
1118     Value *ExtSrc0;
1119     Value *ExtSrc1;
1120 
1121     // minnum (fpext x), (fpext y) -> minnum x, y
1122     // maxnum (fpext x), (fpext y) -> maxnum x, y
1123     if (match(II->getArgOperand(0), m_OneUse(m_FPExt(m_Value(ExtSrc0)))) &&
1124         match(II->getArgOperand(1), m_OneUse(m_FPExt(m_Value(ExtSrc1)))) &&
1125         ExtSrc0->getType() == ExtSrc1->getType()) {
1126       Function *F = Intrinsic::getDeclaration(
1127           II->getModule(), II->getIntrinsicID(), {ExtSrc0->getType()});
1128       CallInst *NewCall = Builder.CreateCall(F, { ExtSrc0, ExtSrc1 });
1129       NewCall->copyFastMathFlags(II);
1130       NewCall->takeName(II);
1131       return new FPExtInst(NewCall, II->getType());
1132     }
1133 
1134     break;
1135   }
1136   case Intrinsic::fmuladd: {
1137     // Canonicalize fast fmuladd to the separate fmul + fadd.
1138     if (II->isFast()) {
1139       BuilderTy::FastMathFlagGuard Guard(Builder);
1140       Builder.setFastMathFlags(II->getFastMathFlags());
1141       Value *Mul = Builder.CreateFMul(II->getArgOperand(0),
1142                                       II->getArgOperand(1));
1143       Value *Add = Builder.CreateFAdd(Mul, II->getArgOperand(2));
1144       Add->takeName(II);
1145       return replaceInstUsesWith(*II, Add);
1146     }
1147 
1148     // Try to simplify the underlying FMul.
1149     if (Value *V = SimplifyFMulInst(II->getArgOperand(0), II->getArgOperand(1),
1150                                     II->getFastMathFlags(),
1151                                     SQ.getWithInstruction(II))) {
1152       auto *FAdd = BinaryOperator::CreateFAdd(V, II->getArgOperand(2));
1153       FAdd->copyFastMathFlags(II);
1154       return FAdd;
1155     }
1156 
1157     LLVM_FALLTHROUGH;
1158   }
1159   case Intrinsic::fma: {
1160     if (Instruction *I = canonicalizeConstantArg0ToArg1(CI))
1161       return I;
1162 
1163     // fma fneg(x), fneg(y), z -> fma x, y, z
1164     Value *Src0 = II->getArgOperand(0);
1165     Value *Src1 = II->getArgOperand(1);
1166     Value *X, *Y;
1167     if (match(Src0, m_FNeg(m_Value(X))) && match(Src1, m_FNeg(m_Value(Y)))) {
1168       replaceOperand(*II, 0, X);
1169       replaceOperand(*II, 1, Y);
1170       return II;
1171     }
1172 
1173     // fma fabs(x), fabs(x), z -> fma x, x, z
1174     if (match(Src0, m_FAbs(m_Value(X))) &&
1175         match(Src1, m_FAbs(m_Specific(X)))) {
1176       replaceOperand(*II, 0, X);
1177       replaceOperand(*II, 1, X);
1178       return II;
1179     }
1180 
1181     // Try to simplify the underlying FMul. We can only apply simplifications
1182     // that do not require rounding.
1183     if (Value *V = SimplifyFMAFMul(II->getArgOperand(0), II->getArgOperand(1),
1184                                    II->getFastMathFlags(),
1185                                    SQ.getWithInstruction(II))) {
1186       auto *FAdd = BinaryOperator::CreateFAdd(V, II->getArgOperand(2));
1187       FAdd->copyFastMathFlags(II);
1188       return FAdd;
1189     }
1190 
1191     // fma x, y, 0 -> fmul x, y
1192     // This is always valid for -0.0, but requires nsz for +0.0 as
1193     // -0.0 + 0.0 = 0.0, which would not be the same as the fmul on its own.
1194     if (match(II->getArgOperand(2), m_NegZeroFP()) ||
1195         (match(II->getArgOperand(2), m_PosZeroFP()) &&
1196          II->getFastMathFlags().noSignedZeros()))
1197       return BinaryOperator::CreateFMulFMF(Src0, Src1, II);
1198 
1199     break;
1200   }
1201   case Intrinsic::copysign: {
1202     if (SignBitMustBeZero(II->getArgOperand(1), &TLI)) {
1203       // If we know that the sign argument is positive, reduce to FABS:
1204       // copysign X, Pos --> fabs X
1205       Value *Fabs = Builder.CreateUnaryIntrinsic(Intrinsic::fabs,
1206                                                  II->getArgOperand(0), II);
1207       return replaceInstUsesWith(*II, Fabs);
1208     }
1209     // TODO: There should be a ValueTracking sibling like SignBitMustBeOne.
1210     const APFloat *C;
1211     if (match(II->getArgOperand(1), m_APFloat(C)) && C->isNegative()) {
1212       // If we know that the sign argument is negative, reduce to FNABS:
1213       // copysign X, Neg --> fneg (fabs X)
1214       Value *Fabs = Builder.CreateUnaryIntrinsic(Intrinsic::fabs,
1215                                                  II->getArgOperand(0), II);
1216       return replaceInstUsesWith(*II, Builder.CreateFNegFMF(Fabs, II));
1217     }
1218 
1219     // Propagate sign argument through nested calls:
1220     // copysign X, (copysign ?, SignArg) --> copysign X, SignArg
1221     Value *SignArg;
1222     if (match(II->getArgOperand(1),
1223               m_Intrinsic<Intrinsic::copysign>(m_Value(), m_Value(SignArg))))
1224       return replaceOperand(*II, 1, SignArg);
1225 
1226     break;
1227   }
1228   case Intrinsic::fabs: {
1229     Value *Cond;
1230     Constant *LHS, *RHS;
1231     if (match(II->getArgOperand(0),
1232               m_Select(m_Value(Cond), m_Constant(LHS), m_Constant(RHS)))) {
1233       CallInst *Call0 = Builder.CreateCall(II->getCalledFunction(), {LHS});
1234       CallInst *Call1 = Builder.CreateCall(II->getCalledFunction(), {RHS});
1235       return SelectInst::Create(Cond, Call0, Call1);
1236     }
1237 
1238     LLVM_FALLTHROUGH;
1239   }
1240   case Intrinsic::ceil:
1241   case Intrinsic::floor:
1242   case Intrinsic::round:
1243   case Intrinsic::roundeven:
1244   case Intrinsic::nearbyint:
1245   case Intrinsic::rint:
1246   case Intrinsic::trunc: {
1247     Value *ExtSrc;
1248     if (match(II->getArgOperand(0), m_OneUse(m_FPExt(m_Value(ExtSrc))))) {
1249       // Narrow the call: intrinsic (fpext x) -> fpext (intrinsic x)
1250       Value *NarrowII = Builder.CreateUnaryIntrinsic(IID, ExtSrc, II);
1251       return new FPExtInst(NarrowII, II->getType());
1252     }
1253     break;
1254   }
1255   case Intrinsic::cos:
1256   case Intrinsic::amdgcn_cos: {
1257     Value *X;
1258     Value *Src = II->getArgOperand(0);
1259     if (match(Src, m_FNeg(m_Value(X))) || match(Src, m_FAbs(m_Value(X)))) {
1260       // cos(-x) -> cos(x)
1261       // cos(fabs(x)) -> cos(x)
1262       return replaceOperand(*II, 0, X);
1263     }
1264     break;
1265   }
1266   case Intrinsic::sin: {
1267     Value *X;
1268     if (match(II->getArgOperand(0), m_OneUse(m_FNeg(m_Value(X))))) {
1269       // sin(-x) --> -sin(x)
1270       Value *NewSin = Builder.CreateUnaryIntrinsic(Intrinsic::sin, X, II);
1271       Instruction *FNeg = UnaryOperator::CreateFNeg(NewSin);
1272       FNeg->copyFastMathFlags(II);
1273       return FNeg;
1274     }
1275     break;
1276   }
1277 
1278   case Intrinsic::arm_neon_vtbl1:
1279   case Intrinsic::aarch64_neon_tbl1:
1280     if (Value *V = simplifyNeonTbl1(*II, Builder))
1281       return replaceInstUsesWith(*II, V);
1282     break;
1283 
1284   case Intrinsic::arm_neon_vmulls:
1285   case Intrinsic::arm_neon_vmullu:
1286   case Intrinsic::aarch64_neon_smull:
1287   case Intrinsic::aarch64_neon_umull: {
1288     Value *Arg0 = II->getArgOperand(0);
1289     Value *Arg1 = II->getArgOperand(1);
1290 
1291     // Handle mul by zero first:
1292     if (isa<ConstantAggregateZero>(Arg0) || isa<ConstantAggregateZero>(Arg1)) {
1293       return replaceInstUsesWith(CI, ConstantAggregateZero::get(II->getType()));
1294     }
1295 
1296     // Check for constant LHS & RHS - in this case we just simplify.
1297     bool Zext = (IID == Intrinsic::arm_neon_vmullu ||
1298                  IID == Intrinsic::aarch64_neon_umull);
1299     VectorType *NewVT = cast<VectorType>(II->getType());
1300     if (Constant *CV0 = dyn_cast<Constant>(Arg0)) {
1301       if (Constant *CV1 = dyn_cast<Constant>(Arg1)) {
1302         CV0 = ConstantExpr::getIntegerCast(CV0, NewVT, /*isSigned=*/!Zext);
1303         CV1 = ConstantExpr::getIntegerCast(CV1, NewVT, /*isSigned=*/!Zext);
1304 
1305         return replaceInstUsesWith(CI, ConstantExpr::getMul(CV0, CV1));
1306       }
1307 
1308       // Couldn't simplify - canonicalize constant to the RHS.
1309       std::swap(Arg0, Arg1);
1310     }
1311 
1312     // Handle mul by one:
1313     if (Constant *CV1 = dyn_cast<Constant>(Arg1))
1314       if (ConstantInt *Splat =
1315               dyn_cast_or_null<ConstantInt>(CV1->getSplatValue()))
1316         if (Splat->isOne())
1317           return CastInst::CreateIntegerCast(Arg0, II->getType(),
1318                                              /*isSigned=*/!Zext);
1319 
1320     break;
1321   }
1322   case Intrinsic::arm_neon_aesd:
1323   case Intrinsic::arm_neon_aese:
1324   case Intrinsic::aarch64_crypto_aesd:
1325   case Intrinsic::aarch64_crypto_aese: {
1326     Value *DataArg = II->getArgOperand(0);
1327     Value *KeyArg  = II->getArgOperand(1);
1328 
1329     // Try to use the builtin XOR in AESE and AESD to eliminate a prior XOR
1330     Value *Data, *Key;
1331     if (match(KeyArg, m_ZeroInt()) &&
1332         match(DataArg, m_Xor(m_Value(Data), m_Value(Key)))) {
1333       replaceOperand(*II, 0, Data);
1334       replaceOperand(*II, 1, Key);
1335       return II;
1336     }
1337     break;
1338   }
1339   case Intrinsic::hexagon_V6_vandvrt:
1340   case Intrinsic::hexagon_V6_vandvrt_128B: {
1341     // Simplify Q -> V -> Q conversion.
1342     if (auto Op0 = dyn_cast<IntrinsicInst>(II->getArgOperand(0))) {
1343       Intrinsic::ID ID0 = Op0->getIntrinsicID();
1344       if (ID0 != Intrinsic::hexagon_V6_vandqrt &&
1345           ID0 != Intrinsic::hexagon_V6_vandqrt_128B)
1346         break;
1347       Value *Bytes = Op0->getArgOperand(1), *Mask = II->getArgOperand(1);
1348       uint64_t Bytes1 = computeKnownBits(Bytes, 0, Op0).One.getZExtValue();
1349       uint64_t Mask1 = computeKnownBits(Mask, 0, II).One.getZExtValue();
1350       // Check if every byte has common bits in Bytes and Mask.
1351       uint64_t C = Bytes1 & Mask1;
1352       if ((C & 0xFF) && (C & 0xFF00) && (C & 0xFF0000) && (C & 0xFF000000))
1353         return replaceInstUsesWith(*II, Op0->getArgOperand(0));
1354     }
1355     break;
1356   }
1357   case Intrinsic::stackrestore: {
1358     // If the save is right next to the restore, remove the restore.  This can
1359     // happen when variable allocas are DCE'd.
1360     if (IntrinsicInst *SS = dyn_cast<IntrinsicInst>(II->getArgOperand(0))) {
1361       if (SS->getIntrinsicID() == Intrinsic::stacksave) {
1362         // Skip over debug info.
1363         if (SS->getNextNonDebugInstruction() == II) {
1364           return eraseInstFromFunction(CI);
1365         }
1366       }
1367     }
1368 
1369     // Scan down this block to see if there is another stack restore in the
1370     // same block without an intervening call/alloca.
1371     BasicBlock::iterator BI(II);
1372     Instruction *TI = II->getParent()->getTerminator();
1373     bool CannotRemove = false;
1374     for (++BI; &*BI != TI; ++BI) {
1375       if (isa<AllocaInst>(BI)) {
1376         CannotRemove = true;
1377         break;
1378       }
1379       if (CallInst *BCI = dyn_cast<CallInst>(BI)) {
1380         if (auto *II2 = dyn_cast<IntrinsicInst>(BCI)) {
1381           // If there is a stackrestore below this one, remove this one.
1382           if (II2->getIntrinsicID() == Intrinsic::stackrestore)
1383             return eraseInstFromFunction(CI);
1384 
1385           // Bail if we cross over an intrinsic with side effects, such as
1386           // llvm.stacksave, or llvm.read_register.
1387           if (II2->mayHaveSideEffects()) {
1388             CannotRemove = true;
1389             break;
1390           }
1391         } else {
1392           // If we found a non-intrinsic call, we can't remove the stack
1393           // restore.
1394           CannotRemove = true;
1395           break;
1396         }
1397       }
1398     }
1399 
1400     // If the stack restore is in a return, resume, or unwind block and if there
1401     // are no allocas or calls between the restore and the return, nuke the
1402     // restore.
1403     if (!CannotRemove && (isa<ReturnInst>(TI) || isa<ResumeInst>(TI)))
1404       return eraseInstFromFunction(CI);
1405     break;
1406   }
1407   case Intrinsic::lifetime_end:
1408     // Asan needs to poison memory to detect invalid access which is possible
1409     // even for empty lifetime range.
1410     if (II->getFunction()->hasFnAttribute(Attribute::SanitizeAddress) ||
1411         II->getFunction()->hasFnAttribute(Attribute::SanitizeMemory) ||
1412         II->getFunction()->hasFnAttribute(Attribute::SanitizeHWAddress))
1413       break;
1414 
1415     if (removeTriviallyEmptyRange(*II, *this, [](const IntrinsicInst &I) {
1416           return I.getIntrinsicID() == Intrinsic::lifetime_start;
1417         }))
1418       return nullptr;
1419     break;
1420   case Intrinsic::assume: {
1421     Value *IIOperand = II->getArgOperand(0);
1422     // Remove an assume if it is followed by an identical assume.
1423     // TODO: Do we need this? Unless there are conflicting assumptions, the
1424     // computeKnownBits(IIOperand) below here eliminates redundant assumes.
1425     Instruction *Next = II->getNextNonDebugInstruction();
1426     if (match(Next, m_Intrinsic<Intrinsic::assume>(m_Specific(IIOperand))))
1427       return eraseInstFromFunction(CI);
1428 
1429     // Canonicalize assume(a && b) -> assume(a); assume(b);
1430     // Note: New assumption intrinsics created here are registered by
1431     // the InstCombineIRInserter object.
1432     FunctionType *AssumeIntrinsicTy = II->getFunctionType();
1433     Value *AssumeIntrinsic = II->getCalledOperand();
1434     Value *A, *B;
1435     if (match(IIOperand, m_And(m_Value(A), m_Value(B)))) {
1436       Builder.CreateCall(AssumeIntrinsicTy, AssumeIntrinsic, A, II->getName());
1437       Builder.CreateCall(AssumeIntrinsicTy, AssumeIntrinsic, B, II->getName());
1438       return eraseInstFromFunction(*II);
1439     }
1440     // assume(!(a || b)) -> assume(!a); assume(!b);
1441     if (match(IIOperand, m_Not(m_Or(m_Value(A), m_Value(B))))) {
1442       Builder.CreateCall(AssumeIntrinsicTy, AssumeIntrinsic,
1443                          Builder.CreateNot(A), II->getName());
1444       Builder.CreateCall(AssumeIntrinsicTy, AssumeIntrinsic,
1445                          Builder.CreateNot(B), II->getName());
1446       return eraseInstFromFunction(*II);
1447     }
1448 
1449     // assume( (load addr) != null ) -> add 'nonnull' metadata to load
1450     // (if assume is valid at the load)
1451     CmpInst::Predicate Pred;
1452     Instruction *LHS;
1453     if (match(IIOperand, m_ICmp(Pred, m_Instruction(LHS), m_Zero())) &&
1454         Pred == ICmpInst::ICMP_NE && LHS->getOpcode() == Instruction::Load &&
1455         LHS->getType()->isPointerTy() &&
1456         isValidAssumeForContext(II, LHS, &DT)) {
1457       MDNode *MD = MDNode::get(II->getContext(), None);
1458       LHS->setMetadata(LLVMContext::MD_nonnull, MD);
1459       return eraseInstFromFunction(*II);
1460 
1461       // TODO: apply nonnull return attributes to calls and invokes
1462       // TODO: apply range metadata for range check patterns?
1463     }
1464 
1465     // If there is a dominating assume with the same condition as this one,
1466     // then this one is redundant, and should be removed.
1467     KnownBits Known(1);
1468     computeKnownBits(IIOperand, Known, 0, II);
1469     if (Known.isAllOnes() && isAssumeWithEmptyBundle(*II))
1470       return eraseInstFromFunction(*II);
1471 
1472     // Update the cache of affected values for this assumption (we might be
1473     // here because we just simplified the condition).
1474     AC.updateAffectedValues(II);
1475     break;
1476   }
1477   case Intrinsic::experimental_gc_relocate: {
1478     auto &GCR = *cast<GCRelocateInst>(II);
1479 
1480     // If we have two copies of the same pointer in the statepoint argument
1481     // list, canonicalize to one.  This may let us common gc.relocates.
1482     if (GCR.getBasePtr() == GCR.getDerivedPtr() &&
1483         GCR.getBasePtrIndex() != GCR.getDerivedPtrIndex()) {
1484       auto *OpIntTy = GCR.getOperand(2)->getType();
1485       return replaceOperand(*II, 2,
1486           ConstantInt::get(OpIntTy, GCR.getBasePtrIndex()));
1487     }
1488 
1489     // Translate facts known about a pointer before relocating into
1490     // facts about the relocate value, while being careful to
1491     // preserve relocation semantics.
1492     Value *DerivedPtr = GCR.getDerivedPtr();
1493 
1494     // Remove the relocation if unused, note that this check is required
1495     // to prevent the cases below from looping forever.
1496     if (II->use_empty())
1497       return eraseInstFromFunction(*II);
1498 
1499     // Undef is undef, even after relocation.
1500     // TODO: provide a hook for this in GCStrategy.  This is clearly legal for
1501     // most practical collectors, but there was discussion in the review thread
1502     // about whether it was legal for all possible collectors.
1503     if (isa<UndefValue>(DerivedPtr))
1504       // Use undef of gc_relocate's type to replace it.
1505       return replaceInstUsesWith(*II, UndefValue::get(II->getType()));
1506 
1507     if (auto *PT = dyn_cast<PointerType>(II->getType())) {
1508       // The relocation of null will be null for most any collector.
1509       // TODO: provide a hook for this in GCStrategy.  There might be some
1510       // weird collector this property does not hold for.
1511       if (isa<ConstantPointerNull>(DerivedPtr))
1512         // Use null-pointer of gc_relocate's type to replace it.
1513         return replaceInstUsesWith(*II, ConstantPointerNull::get(PT));
1514 
1515       // isKnownNonNull -> nonnull attribute
1516       if (!II->hasRetAttr(Attribute::NonNull) &&
1517           isKnownNonZero(DerivedPtr, DL, 0, &AC, II, &DT)) {
1518         II->addAttribute(AttributeList::ReturnIndex, Attribute::NonNull);
1519         return II;
1520       }
1521     }
1522 
1523     // TODO: bitcast(relocate(p)) -> relocate(bitcast(p))
1524     // Canonicalize on the type from the uses to the defs
1525 
1526     // TODO: relocate((gep p, C, C2, ...)) -> gep(relocate(p), C, C2, ...)
1527     break;
1528   }
1529 
1530   case Intrinsic::experimental_guard: {
1531     // Is this guard followed by another guard?  We scan forward over a small
1532     // fixed window of instructions to handle common cases with conditions
1533     // computed between guards.
1534     Instruction *NextInst = II->getNextNonDebugInstruction();
1535     for (unsigned i = 0; i < GuardWideningWindow; i++) {
1536       // Note: Using context-free form to avoid compile time blow up
1537       if (!isSafeToSpeculativelyExecute(NextInst))
1538         break;
1539       NextInst = NextInst->getNextNonDebugInstruction();
1540     }
1541     Value *NextCond = nullptr;
1542     if (match(NextInst,
1543               m_Intrinsic<Intrinsic::experimental_guard>(m_Value(NextCond)))) {
1544       Value *CurrCond = II->getArgOperand(0);
1545 
1546       // Remove a guard that it is immediately preceded by an identical guard.
1547       // Otherwise canonicalize guard(a); guard(b) -> guard(a & b).
1548       if (CurrCond != NextCond) {
1549         Instruction *MoveI = II->getNextNonDebugInstruction();
1550         while (MoveI != NextInst) {
1551           auto *Temp = MoveI;
1552           MoveI = MoveI->getNextNonDebugInstruction();
1553           Temp->moveBefore(II);
1554         }
1555         replaceOperand(*II, 0, Builder.CreateAnd(CurrCond, NextCond));
1556       }
1557       eraseInstFromFunction(*NextInst);
1558       return II;
1559     }
1560     break;
1561   }
1562   default: {
1563     // Handle target specific intrinsics
1564     Optional<Instruction *> V = targetInstCombineIntrinsic(*II);
1565     if (V.hasValue())
1566       return V.getValue();
1567     break;
1568   }
1569   }
1570   return visitCallBase(*II);
1571 }
1572 
1573 // Fence instruction simplification
1574 Instruction *InstCombinerImpl::visitFenceInst(FenceInst &FI) {
1575   // Remove identical consecutive fences.
1576   Instruction *Next = FI.getNextNonDebugInstruction();
1577   if (auto *NFI = dyn_cast<FenceInst>(Next))
1578     if (FI.isIdenticalTo(NFI))
1579       return eraseInstFromFunction(FI);
1580   return nullptr;
1581 }
1582 
1583 // InvokeInst simplification
1584 Instruction *InstCombinerImpl::visitInvokeInst(InvokeInst &II) {
1585   return visitCallBase(II);
1586 }
1587 
1588 // CallBrInst simplification
1589 Instruction *InstCombinerImpl::visitCallBrInst(CallBrInst &CBI) {
1590   return visitCallBase(CBI);
1591 }
1592 
1593 /// If this cast does not affect the value passed through the varargs area, we
1594 /// can eliminate the use of the cast.
1595 static bool isSafeToEliminateVarargsCast(const CallBase &Call,
1596                                          const DataLayout &DL,
1597                                          const CastInst *const CI,
1598                                          const int ix) {
1599   if (!CI->isLosslessCast())
1600     return false;
1601 
1602   // If this is a GC intrinsic, avoid munging types.  We need types for
1603   // statepoint reconstruction in SelectionDAG.
1604   // TODO: This is probably something which should be expanded to all
1605   // intrinsics since the entire point of intrinsics is that
1606   // they are understandable by the optimizer.
1607   if (isa<GCStatepointInst>(Call) || isa<GCRelocateInst>(Call) ||
1608       isa<GCResultInst>(Call))
1609     return false;
1610 
1611   // The size of ByVal or InAlloca arguments is derived from the type, so we
1612   // can't change to a type with a different size.  If the size were
1613   // passed explicitly we could avoid this check.
1614   if (!Call.isPassPointeeByValueArgument(ix))
1615     return true;
1616 
1617   Type* SrcTy =
1618             cast<PointerType>(CI->getOperand(0)->getType())->getElementType();
1619   Type *DstTy = Call.isByValArgument(ix)
1620                     ? Call.getParamByValType(ix)
1621                     : cast<PointerType>(CI->getType())->getElementType();
1622   if (!SrcTy->isSized() || !DstTy->isSized())
1623     return false;
1624   if (DL.getTypeAllocSize(SrcTy) != DL.getTypeAllocSize(DstTy))
1625     return false;
1626   return true;
1627 }
1628 
1629 Instruction *InstCombinerImpl::tryOptimizeCall(CallInst *CI) {
1630   if (!CI->getCalledFunction()) return nullptr;
1631 
1632   auto InstCombineRAUW = [this](Instruction *From, Value *With) {
1633     replaceInstUsesWith(*From, With);
1634   };
1635   auto InstCombineErase = [this](Instruction *I) {
1636     eraseInstFromFunction(*I);
1637   };
1638   LibCallSimplifier Simplifier(DL, &TLI, ORE, BFI, PSI, InstCombineRAUW,
1639                                InstCombineErase);
1640   if (Value *With = Simplifier.optimizeCall(CI, Builder)) {
1641     ++NumSimplified;
1642     return CI->use_empty() ? CI : replaceInstUsesWith(*CI, With);
1643   }
1644 
1645   return nullptr;
1646 }
1647 
1648 static IntrinsicInst *findInitTrampolineFromAlloca(Value *TrampMem) {
1649   // Strip off at most one level of pointer casts, looking for an alloca.  This
1650   // is good enough in practice and simpler than handling any number of casts.
1651   Value *Underlying = TrampMem->stripPointerCasts();
1652   if (Underlying != TrampMem &&
1653       (!Underlying->hasOneUse() || Underlying->user_back() != TrampMem))
1654     return nullptr;
1655   if (!isa<AllocaInst>(Underlying))
1656     return nullptr;
1657 
1658   IntrinsicInst *InitTrampoline = nullptr;
1659   for (User *U : TrampMem->users()) {
1660     IntrinsicInst *II = dyn_cast<IntrinsicInst>(U);
1661     if (!II)
1662       return nullptr;
1663     if (II->getIntrinsicID() == Intrinsic::init_trampoline) {
1664       if (InitTrampoline)
1665         // More than one init_trampoline writes to this value.  Give up.
1666         return nullptr;
1667       InitTrampoline = II;
1668       continue;
1669     }
1670     if (II->getIntrinsicID() == Intrinsic::adjust_trampoline)
1671       // Allow any number of calls to adjust.trampoline.
1672       continue;
1673     return nullptr;
1674   }
1675 
1676   // No call to init.trampoline found.
1677   if (!InitTrampoline)
1678     return nullptr;
1679 
1680   // Check that the alloca is being used in the expected way.
1681   if (InitTrampoline->getOperand(0) != TrampMem)
1682     return nullptr;
1683 
1684   return InitTrampoline;
1685 }
1686 
1687 static IntrinsicInst *findInitTrampolineFromBB(IntrinsicInst *AdjustTramp,
1688                                                Value *TrampMem) {
1689   // Visit all the previous instructions in the basic block, and try to find a
1690   // init.trampoline which has a direct path to the adjust.trampoline.
1691   for (BasicBlock::iterator I = AdjustTramp->getIterator(),
1692                             E = AdjustTramp->getParent()->begin();
1693        I != E;) {
1694     Instruction *Inst = &*--I;
1695     if (IntrinsicInst *II = dyn_cast<IntrinsicInst>(I))
1696       if (II->getIntrinsicID() == Intrinsic::init_trampoline &&
1697           II->getOperand(0) == TrampMem)
1698         return II;
1699     if (Inst->mayWriteToMemory())
1700       return nullptr;
1701   }
1702   return nullptr;
1703 }
1704 
1705 // Given a call to llvm.adjust.trampoline, find and return the corresponding
1706 // call to llvm.init.trampoline if the call to the trampoline can be optimized
1707 // to a direct call to a function.  Otherwise return NULL.
1708 static IntrinsicInst *findInitTrampoline(Value *Callee) {
1709   Callee = Callee->stripPointerCasts();
1710   IntrinsicInst *AdjustTramp = dyn_cast<IntrinsicInst>(Callee);
1711   if (!AdjustTramp ||
1712       AdjustTramp->getIntrinsicID() != Intrinsic::adjust_trampoline)
1713     return nullptr;
1714 
1715   Value *TrampMem = AdjustTramp->getOperand(0);
1716 
1717   if (IntrinsicInst *IT = findInitTrampolineFromAlloca(TrampMem))
1718     return IT;
1719   if (IntrinsicInst *IT = findInitTrampolineFromBB(AdjustTramp, TrampMem))
1720     return IT;
1721   return nullptr;
1722 }
1723 
1724 static void annotateAnyAllocSite(CallBase &Call, const TargetLibraryInfo *TLI) {
1725   unsigned NumArgs = Call.getNumArgOperands();
1726   ConstantInt *Op0C = dyn_cast<ConstantInt>(Call.getOperand(0));
1727   ConstantInt *Op1C =
1728       (NumArgs == 1) ? nullptr : dyn_cast<ConstantInt>(Call.getOperand(1));
1729   // Bail out if the allocation size is zero (or an invalid alignment of zero
1730   // with aligned_alloc).
1731   if ((Op0C && Op0C->isNullValue()) || (Op1C && Op1C->isNullValue()))
1732     return;
1733 
1734   if (isMallocLikeFn(&Call, TLI) && Op0C) {
1735     if (isOpNewLikeFn(&Call, TLI))
1736       Call.addAttribute(AttributeList::ReturnIndex,
1737                         Attribute::getWithDereferenceableBytes(
1738                             Call.getContext(), Op0C->getZExtValue()));
1739     else
1740       Call.addAttribute(AttributeList::ReturnIndex,
1741                         Attribute::getWithDereferenceableOrNullBytes(
1742                             Call.getContext(), Op0C->getZExtValue()));
1743   } else if (isAlignedAllocLikeFn(&Call, TLI) && Op1C) {
1744     Call.addAttribute(AttributeList::ReturnIndex,
1745                       Attribute::getWithDereferenceableOrNullBytes(
1746                           Call.getContext(), Op1C->getZExtValue()));
1747     // Add alignment attribute if alignment is a power of two constant.
1748     if (Op0C && Op0C->getValue().ult(llvm::Value::MaximumAlignment)) {
1749       uint64_t AlignmentVal = Op0C->getZExtValue();
1750       if (llvm::isPowerOf2_64(AlignmentVal))
1751         Call.addAttribute(AttributeList::ReturnIndex,
1752                           Attribute::getWithAlignment(Call.getContext(),
1753                                                       Align(AlignmentVal)));
1754     }
1755   } else if (isReallocLikeFn(&Call, TLI) && Op1C) {
1756     Call.addAttribute(AttributeList::ReturnIndex,
1757                       Attribute::getWithDereferenceableOrNullBytes(
1758                           Call.getContext(), Op1C->getZExtValue()));
1759   } else if (isCallocLikeFn(&Call, TLI) && Op0C && Op1C) {
1760     bool Overflow;
1761     const APInt &N = Op0C->getValue();
1762     APInt Size = N.umul_ov(Op1C->getValue(), Overflow);
1763     if (!Overflow)
1764       Call.addAttribute(AttributeList::ReturnIndex,
1765                         Attribute::getWithDereferenceableOrNullBytes(
1766                             Call.getContext(), Size.getZExtValue()));
1767   } else if (isStrdupLikeFn(&Call, TLI)) {
1768     uint64_t Len = GetStringLength(Call.getOperand(0));
1769     if (Len) {
1770       // strdup
1771       if (NumArgs == 1)
1772         Call.addAttribute(AttributeList::ReturnIndex,
1773                           Attribute::getWithDereferenceableOrNullBytes(
1774                               Call.getContext(), Len));
1775       // strndup
1776       else if (NumArgs == 2 && Op1C)
1777         Call.addAttribute(
1778             AttributeList::ReturnIndex,
1779             Attribute::getWithDereferenceableOrNullBytes(
1780                 Call.getContext(), std::min(Len, Op1C->getZExtValue() + 1)));
1781     }
1782   }
1783 }
1784 
1785 /// Improvements for call, callbr and invoke instructions.
1786 Instruction *InstCombinerImpl::visitCallBase(CallBase &Call) {
1787   if (isAllocationFn(&Call, &TLI))
1788     annotateAnyAllocSite(Call, &TLI);
1789 
1790   bool Changed = false;
1791 
1792   // Mark any parameters that are known to be non-null with the nonnull
1793   // attribute.  This is helpful for inlining calls to functions with null
1794   // checks on their arguments.
1795   SmallVector<unsigned, 4> ArgNos;
1796   unsigned ArgNo = 0;
1797 
1798   for (Value *V : Call.args()) {
1799     if (V->getType()->isPointerTy() &&
1800         !Call.paramHasAttr(ArgNo, Attribute::NonNull) &&
1801         isKnownNonZero(V, DL, 0, &AC, &Call, &DT))
1802       ArgNos.push_back(ArgNo);
1803     ArgNo++;
1804   }
1805 
1806   assert(ArgNo == Call.arg_size() && "sanity check");
1807 
1808   if (!ArgNos.empty()) {
1809     AttributeList AS = Call.getAttributes();
1810     LLVMContext &Ctx = Call.getContext();
1811     AS = AS.addParamAttribute(Ctx, ArgNos,
1812                               Attribute::get(Ctx, Attribute::NonNull));
1813     Call.setAttributes(AS);
1814     Changed = true;
1815   }
1816 
1817   // If the callee is a pointer to a function, attempt to move any casts to the
1818   // arguments of the call/callbr/invoke.
1819   Value *Callee = Call.getCalledOperand();
1820   if (!isa<Function>(Callee) && transformConstExprCastCall(Call))
1821     return nullptr;
1822 
1823   if (Function *CalleeF = dyn_cast<Function>(Callee)) {
1824     // Remove the convergent attr on calls when the callee is not convergent.
1825     if (Call.isConvergent() && !CalleeF->isConvergent() &&
1826         !CalleeF->isIntrinsic()) {
1827       LLVM_DEBUG(dbgs() << "Removing convergent attr from instr " << Call
1828                         << "\n");
1829       Call.setNotConvergent();
1830       return &Call;
1831     }
1832 
1833     // If the call and callee calling conventions don't match, this call must
1834     // be unreachable, as the call is undefined.
1835     if (CalleeF->getCallingConv() != Call.getCallingConv() &&
1836         // Only do this for calls to a function with a body.  A prototype may
1837         // not actually end up matching the implementation's calling conv for a
1838         // variety of reasons (e.g. it may be written in assembly).
1839         !CalleeF->isDeclaration()) {
1840       Instruction *OldCall = &Call;
1841       CreateNonTerminatorUnreachable(OldCall);
1842       // If OldCall does not return void then replaceAllUsesWith undef.
1843       // This allows ValueHandlers and custom metadata to adjust itself.
1844       if (!OldCall->getType()->isVoidTy())
1845         replaceInstUsesWith(*OldCall, UndefValue::get(OldCall->getType()));
1846       if (isa<CallInst>(OldCall))
1847         return eraseInstFromFunction(*OldCall);
1848 
1849       // We cannot remove an invoke or a callbr, because it would change thexi
1850       // CFG, just change the callee to a null pointer.
1851       cast<CallBase>(OldCall)->setCalledFunction(
1852           CalleeF->getFunctionType(),
1853           Constant::getNullValue(CalleeF->getType()));
1854       return nullptr;
1855     }
1856   }
1857 
1858   if ((isa<ConstantPointerNull>(Callee) &&
1859        !NullPointerIsDefined(Call.getFunction())) ||
1860       isa<UndefValue>(Callee)) {
1861     // If Call does not return void then replaceAllUsesWith undef.
1862     // This allows ValueHandlers and custom metadata to adjust itself.
1863     if (!Call.getType()->isVoidTy())
1864       replaceInstUsesWith(Call, UndefValue::get(Call.getType()));
1865 
1866     if (Call.isTerminator()) {
1867       // Can't remove an invoke or callbr because we cannot change the CFG.
1868       return nullptr;
1869     }
1870 
1871     // This instruction is not reachable, just remove it.
1872     CreateNonTerminatorUnreachable(&Call);
1873     return eraseInstFromFunction(Call);
1874   }
1875 
1876   if (IntrinsicInst *II = findInitTrampoline(Callee))
1877     return transformCallThroughTrampoline(Call, *II);
1878 
1879   PointerType *PTy = cast<PointerType>(Callee->getType());
1880   FunctionType *FTy = cast<FunctionType>(PTy->getElementType());
1881   if (FTy->isVarArg()) {
1882     int ix = FTy->getNumParams();
1883     // See if we can optimize any arguments passed through the varargs area of
1884     // the call.
1885     for (auto I = Call.arg_begin() + FTy->getNumParams(), E = Call.arg_end();
1886          I != E; ++I, ++ix) {
1887       CastInst *CI = dyn_cast<CastInst>(*I);
1888       if (CI && isSafeToEliminateVarargsCast(Call, DL, CI, ix)) {
1889         replaceUse(*I, CI->getOperand(0));
1890 
1891         // Update the byval type to match the argument type.
1892         if (Call.isByValArgument(ix)) {
1893           Call.removeParamAttr(ix, Attribute::ByVal);
1894           Call.addParamAttr(
1895               ix, Attribute::getWithByValType(
1896                       Call.getContext(),
1897                       CI->getOperand(0)->getType()->getPointerElementType()));
1898         }
1899         Changed = true;
1900       }
1901     }
1902   }
1903 
1904   if (isa<InlineAsm>(Callee) && !Call.doesNotThrow()) {
1905     // Inline asm calls cannot throw - mark them 'nounwind'.
1906     Call.setDoesNotThrow();
1907     Changed = true;
1908   }
1909 
1910   // Try to optimize the call if possible, we require DataLayout for most of
1911   // this.  None of these calls are seen as possibly dead so go ahead and
1912   // delete the instruction now.
1913   if (CallInst *CI = dyn_cast<CallInst>(&Call)) {
1914     Instruction *I = tryOptimizeCall(CI);
1915     // If we changed something return the result, etc. Otherwise let
1916     // the fallthrough check.
1917     if (I) return eraseInstFromFunction(*I);
1918   }
1919 
1920   if (!Call.use_empty() && !Call.isMustTailCall())
1921     if (Value *ReturnedArg = Call.getReturnedArgOperand()) {
1922       Type *CallTy = Call.getType();
1923       Type *RetArgTy = ReturnedArg->getType();
1924       if (RetArgTy->canLosslesslyBitCastTo(CallTy))
1925         return replaceInstUsesWith(
1926             Call, Builder.CreateBitOrPointerCast(ReturnedArg, CallTy));
1927     }
1928 
1929   if (isAllocLikeFn(&Call, &TLI))
1930     return visitAllocSite(Call);
1931 
1932   return Changed ? &Call : nullptr;
1933 }
1934 
1935 /// If the callee is a constexpr cast of a function, attempt to move the cast to
1936 /// the arguments of the call/callbr/invoke.
1937 bool InstCombinerImpl::transformConstExprCastCall(CallBase &Call) {
1938   auto *Callee =
1939       dyn_cast<Function>(Call.getCalledOperand()->stripPointerCasts());
1940   if (!Callee)
1941     return false;
1942 
1943   // If this is a call to a thunk function, don't remove the cast. Thunks are
1944   // used to transparently forward all incoming parameters and outgoing return
1945   // values, so it's important to leave the cast in place.
1946   if (Callee->hasFnAttribute("thunk"))
1947     return false;
1948 
1949   // If this is a musttail call, the callee's prototype must match the caller's
1950   // prototype with the exception of pointee types. The code below doesn't
1951   // implement that, so we can't do this transform.
1952   // TODO: Do the transform if it only requires adding pointer casts.
1953   if (Call.isMustTailCall())
1954     return false;
1955 
1956   Instruction *Caller = &Call;
1957   const AttributeList &CallerPAL = Call.getAttributes();
1958 
1959   // Okay, this is a cast from a function to a different type.  Unless doing so
1960   // would cause a type conversion of one of our arguments, change this call to
1961   // be a direct call with arguments casted to the appropriate types.
1962   FunctionType *FT = Callee->getFunctionType();
1963   Type *OldRetTy = Caller->getType();
1964   Type *NewRetTy = FT->getReturnType();
1965 
1966   // Check to see if we are changing the return type...
1967   if (OldRetTy != NewRetTy) {
1968 
1969     if (NewRetTy->isStructTy())
1970       return false; // TODO: Handle multiple return values.
1971 
1972     if (!CastInst::isBitOrNoopPointerCastable(NewRetTy, OldRetTy, DL)) {
1973       if (Callee->isDeclaration())
1974         return false;   // Cannot transform this return value.
1975 
1976       if (!Caller->use_empty() &&
1977           // void -> non-void is handled specially
1978           !NewRetTy->isVoidTy())
1979         return false;   // Cannot transform this return value.
1980     }
1981 
1982     if (!CallerPAL.isEmpty() && !Caller->use_empty()) {
1983       AttrBuilder RAttrs(CallerPAL, AttributeList::ReturnIndex);
1984       if (RAttrs.overlaps(AttributeFuncs::typeIncompatible(NewRetTy)))
1985         return false;   // Attribute not compatible with transformed value.
1986     }
1987 
1988     // If the callbase is an invoke/callbr instruction, and the return value is
1989     // used by a PHI node in a successor, we cannot change the return type of
1990     // the call because there is no place to put the cast instruction (without
1991     // breaking the critical edge).  Bail out in this case.
1992     if (!Caller->use_empty()) {
1993       if (InvokeInst *II = dyn_cast<InvokeInst>(Caller))
1994         for (User *U : II->users())
1995           if (PHINode *PN = dyn_cast<PHINode>(U))
1996             if (PN->getParent() == II->getNormalDest() ||
1997                 PN->getParent() == II->getUnwindDest())
1998               return false;
1999       // FIXME: Be conservative for callbr to avoid a quadratic search.
2000       if (isa<CallBrInst>(Caller))
2001         return false;
2002     }
2003   }
2004 
2005   unsigned NumActualArgs = Call.arg_size();
2006   unsigned NumCommonArgs = std::min(FT->getNumParams(), NumActualArgs);
2007 
2008   // Prevent us turning:
2009   // declare void @takes_i32_inalloca(i32* inalloca)
2010   //  call void bitcast (void (i32*)* @takes_i32_inalloca to void (i32)*)(i32 0)
2011   //
2012   // into:
2013   //  call void @takes_i32_inalloca(i32* null)
2014   //
2015   //  Similarly, avoid folding away bitcasts of byval calls.
2016   if (Callee->getAttributes().hasAttrSomewhere(Attribute::InAlloca) ||
2017       Callee->getAttributes().hasAttrSomewhere(Attribute::Preallocated) ||
2018       Callee->getAttributes().hasAttrSomewhere(Attribute::ByVal))
2019     return false;
2020 
2021   auto AI = Call.arg_begin();
2022   for (unsigned i = 0, e = NumCommonArgs; i != e; ++i, ++AI) {
2023     Type *ParamTy = FT->getParamType(i);
2024     Type *ActTy = (*AI)->getType();
2025 
2026     if (!CastInst::isBitOrNoopPointerCastable(ActTy, ParamTy, DL))
2027       return false;   // Cannot transform this parameter value.
2028 
2029     if (AttrBuilder(CallerPAL.getParamAttributes(i))
2030             .overlaps(AttributeFuncs::typeIncompatible(ParamTy)))
2031       return false;   // Attribute not compatible with transformed value.
2032 
2033     if (Call.isInAllocaArgument(i))
2034       return false;   // Cannot transform to and from inalloca.
2035 
2036     // If the parameter is passed as a byval argument, then we have to have a
2037     // sized type and the sized type has to have the same size as the old type.
2038     if (ParamTy != ActTy && CallerPAL.hasParamAttribute(i, Attribute::ByVal)) {
2039       PointerType *ParamPTy = dyn_cast<PointerType>(ParamTy);
2040       if (!ParamPTy || !ParamPTy->getElementType()->isSized())
2041         return false;
2042 
2043       Type *CurElTy = Call.getParamByValType(i);
2044       if (DL.getTypeAllocSize(CurElTy) !=
2045           DL.getTypeAllocSize(ParamPTy->getElementType()))
2046         return false;
2047     }
2048   }
2049 
2050   if (Callee->isDeclaration()) {
2051     // Do not delete arguments unless we have a function body.
2052     if (FT->getNumParams() < NumActualArgs && !FT->isVarArg())
2053       return false;
2054 
2055     // If the callee is just a declaration, don't change the varargsness of the
2056     // call.  We don't want to introduce a varargs call where one doesn't
2057     // already exist.
2058     PointerType *APTy = cast<PointerType>(Call.getCalledOperand()->getType());
2059     if (FT->isVarArg()!=cast<FunctionType>(APTy->getElementType())->isVarArg())
2060       return false;
2061 
2062     // If both the callee and the cast type are varargs, we still have to make
2063     // sure the number of fixed parameters are the same or we have the same
2064     // ABI issues as if we introduce a varargs call.
2065     if (FT->isVarArg() &&
2066         cast<FunctionType>(APTy->getElementType())->isVarArg() &&
2067         FT->getNumParams() !=
2068         cast<FunctionType>(APTy->getElementType())->getNumParams())
2069       return false;
2070   }
2071 
2072   if (FT->getNumParams() < NumActualArgs && FT->isVarArg() &&
2073       !CallerPAL.isEmpty()) {
2074     // In this case we have more arguments than the new function type, but we
2075     // won't be dropping them.  Check that these extra arguments have attributes
2076     // that are compatible with being a vararg call argument.
2077     unsigned SRetIdx;
2078     if (CallerPAL.hasAttrSomewhere(Attribute::StructRet, &SRetIdx) &&
2079         SRetIdx > FT->getNumParams())
2080       return false;
2081   }
2082 
2083   // Okay, we decided that this is a safe thing to do: go ahead and start
2084   // inserting cast instructions as necessary.
2085   SmallVector<Value *, 8> Args;
2086   SmallVector<AttributeSet, 8> ArgAttrs;
2087   Args.reserve(NumActualArgs);
2088   ArgAttrs.reserve(NumActualArgs);
2089 
2090   // Get any return attributes.
2091   AttrBuilder RAttrs(CallerPAL, AttributeList::ReturnIndex);
2092 
2093   // If the return value is not being used, the type may not be compatible
2094   // with the existing attributes.  Wipe out any problematic attributes.
2095   RAttrs.remove(AttributeFuncs::typeIncompatible(NewRetTy));
2096 
2097   LLVMContext &Ctx = Call.getContext();
2098   AI = Call.arg_begin();
2099   for (unsigned i = 0; i != NumCommonArgs; ++i, ++AI) {
2100     Type *ParamTy = FT->getParamType(i);
2101 
2102     Value *NewArg = *AI;
2103     if ((*AI)->getType() != ParamTy)
2104       NewArg = Builder.CreateBitOrPointerCast(*AI, ParamTy);
2105     Args.push_back(NewArg);
2106 
2107     // Add any parameter attributes.
2108     if (CallerPAL.hasParamAttribute(i, Attribute::ByVal)) {
2109       AttrBuilder AB(CallerPAL.getParamAttributes(i));
2110       AB.addByValAttr(NewArg->getType()->getPointerElementType());
2111       ArgAttrs.push_back(AttributeSet::get(Ctx, AB));
2112     } else
2113       ArgAttrs.push_back(CallerPAL.getParamAttributes(i));
2114   }
2115 
2116   // If the function takes more arguments than the call was taking, add them
2117   // now.
2118   for (unsigned i = NumCommonArgs; i != FT->getNumParams(); ++i) {
2119     Args.push_back(Constant::getNullValue(FT->getParamType(i)));
2120     ArgAttrs.push_back(AttributeSet());
2121   }
2122 
2123   // If we are removing arguments to the function, emit an obnoxious warning.
2124   if (FT->getNumParams() < NumActualArgs) {
2125     // TODO: if (!FT->isVarArg()) this call may be unreachable. PR14722
2126     if (FT->isVarArg()) {
2127       // Add all of the arguments in their promoted form to the arg list.
2128       for (unsigned i = FT->getNumParams(); i != NumActualArgs; ++i, ++AI) {
2129         Type *PTy = getPromotedType((*AI)->getType());
2130         Value *NewArg = *AI;
2131         if (PTy != (*AI)->getType()) {
2132           // Must promote to pass through va_arg area!
2133           Instruction::CastOps opcode =
2134             CastInst::getCastOpcode(*AI, false, PTy, false);
2135           NewArg = Builder.CreateCast(opcode, *AI, PTy);
2136         }
2137         Args.push_back(NewArg);
2138 
2139         // Add any parameter attributes.
2140         ArgAttrs.push_back(CallerPAL.getParamAttributes(i));
2141       }
2142     }
2143   }
2144 
2145   AttributeSet FnAttrs = CallerPAL.getFnAttributes();
2146 
2147   if (NewRetTy->isVoidTy())
2148     Caller->setName("");   // Void type should not have a name.
2149 
2150   assert((ArgAttrs.size() == FT->getNumParams() || FT->isVarArg()) &&
2151          "missing argument attributes");
2152   AttributeList NewCallerPAL = AttributeList::get(
2153       Ctx, FnAttrs, AttributeSet::get(Ctx, RAttrs), ArgAttrs);
2154 
2155   SmallVector<OperandBundleDef, 1> OpBundles;
2156   Call.getOperandBundlesAsDefs(OpBundles);
2157 
2158   CallBase *NewCall;
2159   if (InvokeInst *II = dyn_cast<InvokeInst>(Caller)) {
2160     NewCall = Builder.CreateInvoke(Callee, II->getNormalDest(),
2161                                    II->getUnwindDest(), Args, OpBundles);
2162   } else if (CallBrInst *CBI = dyn_cast<CallBrInst>(Caller)) {
2163     NewCall = Builder.CreateCallBr(Callee, CBI->getDefaultDest(),
2164                                    CBI->getIndirectDests(), Args, OpBundles);
2165   } else {
2166     NewCall = Builder.CreateCall(Callee, Args, OpBundles);
2167     cast<CallInst>(NewCall)->setTailCallKind(
2168         cast<CallInst>(Caller)->getTailCallKind());
2169   }
2170   NewCall->takeName(Caller);
2171   NewCall->setCallingConv(Call.getCallingConv());
2172   NewCall->setAttributes(NewCallerPAL);
2173 
2174   // Preserve prof metadata if any.
2175   NewCall->copyMetadata(*Caller, {LLVMContext::MD_prof});
2176 
2177   // Insert a cast of the return type as necessary.
2178   Instruction *NC = NewCall;
2179   Value *NV = NC;
2180   if (OldRetTy != NV->getType() && !Caller->use_empty()) {
2181     if (!NV->getType()->isVoidTy()) {
2182       NV = NC = CastInst::CreateBitOrPointerCast(NC, OldRetTy);
2183       NC->setDebugLoc(Caller->getDebugLoc());
2184 
2185       // If this is an invoke/callbr instruction, we should insert it after the
2186       // first non-phi instruction in the normal successor block.
2187       if (InvokeInst *II = dyn_cast<InvokeInst>(Caller)) {
2188         BasicBlock::iterator I = II->getNormalDest()->getFirstInsertionPt();
2189         InsertNewInstBefore(NC, *I);
2190       } else if (CallBrInst *CBI = dyn_cast<CallBrInst>(Caller)) {
2191         BasicBlock::iterator I = CBI->getDefaultDest()->getFirstInsertionPt();
2192         InsertNewInstBefore(NC, *I);
2193       } else {
2194         // Otherwise, it's a call, just insert cast right after the call.
2195         InsertNewInstBefore(NC, *Caller);
2196       }
2197       Worklist.pushUsersToWorkList(*Caller);
2198     } else {
2199       NV = UndefValue::get(Caller->getType());
2200     }
2201   }
2202 
2203   if (!Caller->use_empty())
2204     replaceInstUsesWith(*Caller, NV);
2205   else if (Caller->hasValueHandle()) {
2206     if (OldRetTy == NV->getType())
2207       ValueHandleBase::ValueIsRAUWd(Caller, NV);
2208     else
2209       // We cannot call ValueIsRAUWd with a different type, and the
2210       // actual tracked value will disappear.
2211       ValueHandleBase::ValueIsDeleted(Caller);
2212   }
2213 
2214   eraseInstFromFunction(*Caller);
2215   return true;
2216 }
2217 
2218 /// Turn a call to a function created by init_trampoline / adjust_trampoline
2219 /// intrinsic pair into a direct call to the underlying function.
2220 Instruction *
2221 InstCombinerImpl::transformCallThroughTrampoline(CallBase &Call,
2222                                                  IntrinsicInst &Tramp) {
2223   Value *Callee = Call.getCalledOperand();
2224   Type *CalleeTy = Callee->getType();
2225   FunctionType *FTy = Call.getFunctionType();
2226   AttributeList Attrs = Call.getAttributes();
2227 
2228   // If the call already has the 'nest' attribute somewhere then give up -
2229   // otherwise 'nest' would occur twice after splicing in the chain.
2230   if (Attrs.hasAttrSomewhere(Attribute::Nest))
2231     return nullptr;
2232 
2233   Function *NestF = cast<Function>(Tramp.getArgOperand(1)->stripPointerCasts());
2234   FunctionType *NestFTy = NestF->getFunctionType();
2235 
2236   AttributeList NestAttrs = NestF->getAttributes();
2237   if (!NestAttrs.isEmpty()) {
2238     unsigned NestArgNo = 0;
2239     Type *NestTy = nullptr;
2240     AttributeSet NestAttr;
2241 
2242     // Look for a parameter marked with the 'nest' attribute.
2243     for (FunctionType::param_iterator I = NestFTy->param_begin(),
2244                                       E = NestFTy->param_end();
2245          I != E; ++NestArgNo, ++I) {
2246       AttributeSet AS = NestAttrs.getParamAttributes(NestArgNo);
2247       if (AS.hasAttribute(Attribute::Nest)) {
2248         // Record the parameter type and any other attributes.
2249         NestTy = *I;
2250         NestAttr = AS;
2251         break;
2252       }
2253     }
2254 
2255     if (NestTy) {
2256       std::vector<Value*> NewArgs;
2257       std::vector<AttributeSet> NewArgAttrs;
2258       NewArgs.reserve(Call.arg_size() + 1);
2259       NewArgAttrs.reserve(Call.arg_size());
2260 
2261       // Insert the nest argument into the call argument list, which may
2262       // mean appending it.  Likewise for attributes.
2263 
2264       {
2265         unsigned ArgNo = 0;
2266         auto I = Call.arg_begin(), E = Call.arg_end();
2267         do {
2268           if (ArgNo == NestArgNo) {
2269             // Add the chain argument and attributes.
2270             Value *NestVal = Tramp.getArgOperand(2);
2271             if (NestVal->getType() != NestTy)
2272               NestVal = Builder.CreateBitCast(NestVal, NestTy, "nest");
2273             NewArgs.push_back(NestVal);
2274             NewArgAttrs.push_back(NestAttr);
2275           }
2276 
2277           if (I == E)
2278             break;
2279 
2280           // Add the original argument and attributes.
2281           NewArgs.push_back(*I);
2282           NewArgAttrs.push_back(Attrs.getParamAttributes(ArgNo));
2283 
2284           ++ArgNo;
2285           ++I;
2286         } while (true);
2287       }
2288 
2289       // The trampoline may have been bitcast to a bogus type (FTy).
2290       // Handle this by synthesizing a new function type, equal to FTy
2291       // with the chain parameter inserted.
2292 
2293       std::vector<Type*> NewTypes;
2294       NewTypes.reserve(FTy->getNumParams()+1);
2295 
2296       // Insert the chain's type into the list of parameter types, which may
2297       // mean appending it.
2298       {
2299         unsigned ArgNo = 0;
2300         FunctionType::param_iterator I = FTy->param_begin(),
2301           E = FTy->param_end();
2302 
2303         do {
2304           if (ArgNo == NestArgNo)
2305             // Add the chain's type.
2306             NewTypes.push_back(NestTy);
2307 
2308           if (I == E)
2309             break;
2310 
2311           // Add the original type.
2312           NewTypes.push_back(*I);
2313 
2314           ++ArgNo;
2315           ++I;
2316         } while (true);
2317       }
2318 
2319       // Replace the trampoline call with a direct call.  Let the generic
2320       // code sort out any function type mismatches.
2321       FunctionType *NewFTy = FunctionType::get(FTy->getReturnType(), NewTypes,
2322                                                 FTy->isVarArg());
2323       Constant *NewCallee =
2324         NestF->getType() == PointerType::getUnqual(NewFTy) ?
2325         NestF : ConstantExpr::getBitCast(NestF,
2326                                          PointerType::getUnqual(NewFTy));
2327       AttributeList NewPAL =
2328           AttributeList::get(FTy->getContext(), Attrs.getFnAttributes(),
2329                              Attrs.getRetAttributes(), NewArgAttrs);
2330 
2331       SmallVector<OperandBundleDef, 1> OpBundles;
2332       Call.getOperandBundlesAsDefs(OpBundles);
2333 
2334       Instruction *NewCaller;
2335       if (InvokeInst *II = dyn_cast<InvokeInst>(&Call)) {
2336         NewCaller = InvokeInst::Create(NewFTy, NewCallee,
2337                                        II->getNormalDest(), II->getUnwindDest(),
2338                                        NewArgs, OpBundles);
2339         cast<InvokeInst>(NewCaller)->setCallingConv(II->getCallingConv());
2340         cast<InvokeInst>(NewCaller)->setAttributes(NewPAL);
2341       } else if (CallBrInst *CBI = dyn_cast<CallBrInst>(&Call)) {
2342         NewCaller =
2343             CallBrInst::Create(NewFTy, NewCallee, CBI->getDefaultDest(),
2344                                CBI->getIndirectDests(), NewArgs, OpBundles);
2345         cast<CallBrInst>(NewCaller)->setCallingConv(CBI->getCallingConv());
2346         cast<CallBrInst>(NewCaller)->setAttributes(NewPAL);
2347       } else {
2348         NewCaller = CallInst::Create(NewFTy, NewCallee, NewArgs, OpBundles);
2349         cast<CallInst>(NewCaller)->setTailCallKind(
2350             cast<CallInst>(Call).getTailCallKind());
2351         cast<CallInst>(NewCaller)->setCallingConv(
2352             cast<CallInst>(Call).getCallingConv());
2353         cast<CallInst>(NewCaller)->setAttributes(NewPAL);
2354       }
2355       NewCaller->setDebugLoc(Call.getDebugLoc());
2356 
2357       return NewCaller;
2358     }
2359   }
2360 
2361   // Replace the trampoline call with a direct call.  Since there is no 'nest'
2362   // parameter, there is no need to adjust the argument list.  Let the generic
2363   // code sort out any function type mismatches.
2364   Constant *NewCallee = ConstantExpr::getBitCast(NestF, CalleeTy);
2365   Call.setCalledFunction(FTy, NewCallee);
2366   return &Call;
2367 }
2368