LLVM 23.0.0git
PreISelIntrinsicLowering.cpp
Go to the documentation of this file.
1//===- PreISelIntrinsicLowering.cpp - Pre-ISel intrinsic lowering pass ----===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// This pass implements IR lowering for the llvm.memcpy, llvm.memmove,
10// llvm.memset, llvm.load.relative and llvm.objc.* intrinsics.
11//
12//===----------------------------------------------------------------------===//
13
15#include "llvm/ADT/STLExtras.h"
22#include "llvm/CodeGen/Passes.h"
25#include "llvm/IR/Function.h"
26#include "llvm/IR/GlobalValue.h"
27#include "llvm/IR/IRBuilder.h"
30#include "llvm/IR/Metadata.h"
31#include "llvm/IR/Module.h"
34#include "llvm/IR/Type.h"
35#include "llvm/IR/Use.h"
37#include "llvm/Pass.h"
45
46using namespace llvm;
47
48#define DEBUG_TYPE "pre-isel-intrinsic-lowering"
49
50/// Threshold to leave statically sized memory intrinsic calls. Calls of known
51/// size larger than this will be expanded by the pass. Calls of unknown or
52/// lower size will be left for expansion in codegen.
54 "mem-intrinsic-expand-size",
55 cl::desc("Set minimum mem intrinsic size to expand in IR"), cl::init(-1),
57
58namespace {
59
60struct PreISelIntrinsicLowering {
61 const TargetMachine *TM;
62 const LibcallLoweringModuleAnalysisResult &ModuleLibcalls;
63 const function_ref<TargetTransformInfo &(Function &)> LookupTTI;
64 const function_ref<TargetLibraryInfo &(Function &)> LookupTLI;
65
66 /// If this is true, assume it's preferably to leave memory intrinsic calls
67 /// for replacement with a library call later. Otherwise this depends on
68 /// TargetLoweringInfo availability of the corresponding function.
69 const bool UseMemIntrinsicLibFunc;
70
71 explicit PreISelIntrinsicLowering(
72 const TargetMachine *TM_,
73 const LibcallLoweringModuleAnalysisResult &ModuleLibcalls_,
76 bool UseMemIntrinsicLibFunc_ = true)
77 : TM(TM_), ModuleLibcalls(ModuleLibcalls_), LookupTTI(LookupTTI_),
78 LookupTLI(LookupTLI_), UseMemIntrinsicLibFunc(UseMemIntrinsicLibFunc_) {
79 }
80
81 static bool shouldExpandMemIntrinsicWithSize(Value *Size,
82 const TargetTransformInfo &TTI);
83 bool
84 expandMemIntrinsicUses(Function &F,
85 DenseMap<Constant *, GlobalVariable *> &CMap) const;
86 bool lowerIntrinsics(Module &M) const;
87};
88
89} // namespace
90
91template <class T> static bool forEachCall(Function &Intrin, T Callback) {
92 // Lowering all intrinsics in a function will delete multiple uses, so we
93 // can't use an early-inc-range. In case some remain, we don't want to look
94 // at them again. Unfortunately, Value::UseList is private, so we can't use a
95 // simple Use**. If LastUse is null, the next use to consider is
96 // Intrin.use_begin(), otherwise it's LastUse->getNext().
97 Use *LastUse = nullptr;
98 bool Changed = false;
99 while (!Intrin.use_empty() && (!LastUse || LastUse->getNext())) {
100 Use *U = LastUse ? LastUse->getNext() : &*Intrin.use_begin();
101 bool Removed = false;
102 // An intrinsic cannot have its address taken, so it cannot be an argument
103 // operand. It might be used as operand in debug metadata, though.
104 if (auto CI = dyn_cast<CallInst>(U->getUser()))
105 Changed |= Removed = Callback(CI);
106 if (!Removed)
107 LastUse = U;
108 }
109 return Changed;
110}
111
113 if (F.use_empty())
114 return false;
115
116 bool Changed = false;
117 Type *Int32Ty = Type::getInt32Ty(F.getContext());
118
119 for (Use &U : llvm::make_early_inc_range(F.uses())) {
120 auto CI = dyn_cast<CallInst>(U.getUser());
121 if (!CI || CI->getCalledOperand() != &F)
122 continue;
123
124 IRBuilder<> B(CI);
125 Value *OffsetPtr =
126 B.CreatePtrAdd(CI->getArgOperand(0), CI->getArgOperand(1));
127 Value *OffsetI32 = B.CreateAlignedLoad(Int32Ty, OffsetPtr, Align(4));
128
129 Value *ResultPtr = B.CreatePtrAdd(CI->getArgOperand(0), OffsetI32);
130
131 CI->replaceAllUsesWith(ResultPtr);
132 CI->eraseFromParent();
133 Changed = true;
134 }
135
136 return Changed;
137}
138
139// ObjCARC has knowledge about whether an obj-c runtime function needs to be
140// always tail-called or never tail-called.
149
150static bool lowerObjCCall(Function &F, RTLIB::LibcallImpl NewFn,
151 bool setNonLazyBind = false) {
153 "Pre-ISel intrinsics do lower into regular function calls");
154 if (F.use_empty())
155 return false;
156
157 // FIXME: When RuntimeLibcalls is an analysis, check if the function is really
158 // supported, and go through RTLIB::Libcall.
160
161 // If we haven't already looked up this function, check to see if the
162 // program already contains a function with this name.
163 Module *M = F.getParent();
164 FunctionCallee FCache =
165 M->getOrInsertFunction(NewFnName, F.getFunctionType());
166
167 if (Function *Fn = dyn_cast<Function>(FCache.getCallee())) {
168 Fn->setLinkage(F.getLinkage());
169 if (setNonLazyBind && !Fn->isWeakForLinker()) {
170 // If we have Native ARC, set nonlazybind attribute for these APIs for
171 // performance.
172 Fn->addFnAttr(Attribute::NonLazyBind);
173 }
174 }
175
177
178 for (Use &U : llvm::make_early_inc_range(F.uses())) {
179 auto *CB = cast<CallBase>(U.getUser());
180
181 if (CB->getCalledFunction() != &F) {
183 "use expected to be the argument of operand bundle "
184 "\"clang.arc.attachedcall\"");
185 U.set(FCache.getCallee());
186 continue;
187 }
188
189 auto *CI = cast<CallInst>(CB);
190 assert(CI->getCalledFunction() && "Cannot lower an indirect call!");
191
192 IRBuilder<> Builder(CI->getParent(), CI->getIterator());
193 SmallVector<Value *, 8> Args(CI->args());
195 CI->getOperandBundlesAsDefs(BundleList);
196 CallInst *NewCI = Builder.CreateCall(FCache, Args, BundleList);
197 NewCI->setName(CI->getName());
198
199 // Try to set the most appropriate TailCallKind based on both the current
200 // attributes and the ones that we could get from ObjCARC's special
201 // knowledge of the runtime functions.
202 //
203 // std::max respects both requirements of notail and tail here:
204 // * notail on either the call or from ObjCARC becomes notail
205 // * tail on either side is stronger than none, but not notail
206 CallInst::TailCallKind TCK = CI->getTailCallKind();
207 NewCI->setTailCallKind(std::max(TCK, OverridingTCK));
208
209 // Transfer the 'returned' attribute from the intrinsic to the call site.
210 // By applying this only to intrinsic call sites, we avoid applying it to
211 // non-ARC explicit calls to things like objc_retain which have not been
212 // auto-upgraded to use the intrinsics.
213 unsigned Index;
214 if (F.getAttributes().hasAttrSomewhere(Attribute::Returned, &Index) &&
215 Index)
216 NewCI->addParamAttr(Index - AttributeList::FirstArgIndex,
217 Attribute::Returned);
218
219 if (!CI->use_empty())
220 CI->replaceAllUsesWith(NewCI);
221 CI->eraseFromParent();
222 }
223
224 return true;
225}
226
227// TODO: Should refine based on estimated number of accesses (e.g. does it
228// require splitting based on alignment)
229bool PreISelIntrinsicLowering::shouldExpandMemIntrinsicWithSize(
231 ConstantInt *CI = dyn_cast<ConstantInt>(Size);
232 if (!CI)
233 return true;
234 uint64_t Threshold = MemIntrinsicExpandSizeThresholdOpt.getNumOccurrences()
237 uint64_t SizeVal = CI->getZExtValue();
238
239 // Treat a threshold of 0 as a special case to force expansion of all
240 // intrinsics, including size 0.
241 return SizeVal > Threshold || Threshold == 0;
242}
243
244static bool
246 const TargetMachine *TM, Function *F, RTLIB::Libcall LC) {
247 // TODO: Should this consider the address space of the memcpy?
248 if (!TM)
249 return true;
251 ModuleLowering.getLibcallLowering(*TM->getSubtargetImpl(*F));
252 return Lowering.getLibcallImpl(LC) != RTLIB::Unsupported;
253}
254
255static bool
257 const TargetMachine *TM, Function *F) {
258 // TODO: Should this consider the address space of the memcpy?
259 if (!TM)
260 return true;
262 ModuleLowering.getLibcallLowering(*TM->getSubtargetImpl(*F));
263 return Lowering.getMemcpyImpl() != RTLIB::Unsupported;
264}
265
266// Return a value appropriate for use with the memset_pattern16 libcall, if
267// possible and if we know how. (Adapted from equivalent helper in
268// LoopIdiomRecognize).
270 const TargetLibraryInfo &TLI) {
271 // TODO: This could check for UndefValue because it can be merged into any
272 // other valid pattern.
273
274 // Don't emit libcalls if a non-default address space is being used.
275 if (Inst->getRawDest()->getType()->getPointerAddressSpace() != 0)
276 return nullptr;
277
278 Value *V = Inst->getValue();
279 Type *VTy = V->getType();
280 const DataLayout &DL = Inst->getDataLayout();
281 Module *M = Inst->getModule();
282
283 if (!isLibFuncEmittable(M, &TLI, LibFunc_memset_pattern16))
284 return nullptr;
285
286 // If the value isn't a constant, we can't promote it to being in a constant
287 // array. We could theoretically do a store to an alloca or something, but
288 // that doesn't seem worthwhile.
290 if (!C || isa<ConstantExpr>(C))
291 return nullptr;
292
293 // Only handle simple values that are a power of two bytes in size.
294 uint64_t Size = DL.getTypeSizeInBits(VTy);
295 if (!DL.typeSizeEqualsStoreSize(VTy) || !isPowerOf2_64(Size))
296 return nullptr;
297
298 // Don't care enough about darwin/ppc to implement this.
299 if (DL.isBigEndian())
300 return nullptr;
301
302 // Convert to size in bytes.
303 Size /= 8;
304
305 // TODO: If CI is larger than 16-bytes, we can try slicing it in half to see
306 // if the top and bottom are the same (e.g. for vectors and large integers).
307 if (Size > 16)
308 return nullptr;
309
310 // If the constant is exactly 16 bytes, just use it.
311 if (Size == 16)
312 return C;
313
314 // Otherwise, we'll use an array of the constants.
315 uint64_t ArraySize = 16 / Size;
316 ArrayType *AT = ArrayType::get(V->getType(), ArraySize);
317 return ConstantArray::get(AT, std::vector<Constant *>(ArraySize, C));
318}
319
320// TODO: Handle atomic memcpy and memcpy.inline
321// TODO: Pass ScalarEvolution
322bool PreISelIntrinsicLowering::expandMemIntrinsicUses(
323 Function &F, DenseMap<Constant *, GlobalVariable *> &CMap) const {
324 Intrinsic::ID ID = F.getIntrinsicID();
325 bool Changed = false;
326
327 for (User *U : llvm::make_early_inc_range(F.users())) {
329
330 switch (ID) {
331 case Intrinsic::memcpy: {
332 auto *Memcpy = cast<MemCpyInst>(Inst);
333 Function *ParentFunc = Memcpy->getFunction();
334 const TargetTransformInfo &TTI = LookupTTI(*ParentFunc);
335 if (shouldExpandMemIntrinsicWithSize(Memcpy->getLength(), TTI)) {
336 if (UseMemIntrinsicLibFunc &&
337 canEmitMemcpy(ModuleLibcalls, TM, ParentFunc))
338 break;
339
340 // TODO: For optsize, emit the loop into a separate function
341 expandMemCpyAsLoop(Memcpy, TTI);
342 Changed = true;
343 Memcpy->eraseFromParent();
344 }
345
346 break;
347 }
348 case Intrinsic::memcpy_inline: {
349 // Only expand llvm.memcpy.inline with non-constant length in this
350 // codepath, leaving the current SelectionDAG expansion for constant
351 // length memcpy intrinsics undisturbed.
352 auto *Memcpy = cast<MemCpyInst>(Inst);
353 if (isa<ConstantInt>(Memcpy->getLength()))
354 break;
355
356 Function *ParentFunc = Memcpy->getFunction();
357 const TargetTransformInfo &TTI = LookupTTI(*ParentFunc);
358 expandMemCpyAsLoop(Memcpy, TTI);
359 Changed = true;
360 Memcpy->eraseFromParent();
361 break;
362 }
363 case Intrinsic::memmove: {
364 auto *Memmove = cast<MemMoveInst>(Inst);
365 Function *ParentFunc = Memmove->getFunction();
366 const TargetTransformInfo &TTI = LookupTTI(*ParentFunc);
367 if (shouldExpandMemIntrinsicWithSize(Memmove->getLength(), TTI)) {
368 if (UseMemIntrinsicLibFunc &&
369 canEmitLibcall(ModuleLibcalls, TM, ParentFunc, RTLIB::MEMMOVE))
370 break;
371
372 if (expandMemMoveAsLoop(Memmove, TTI)) {
373 Changed = true;
374 Memmove->eraseFromParent();
375 }
376 }
377
378 break;
379 }
380 case Intrinsic::memset: {
381 auto *Memset = cast<MemSetInst>(Inst);
382 Function *ParentFunc = Memset->getFunction();
383 const TargetTransformInfo &TTI = LookupTTI(*ParentFunc);
384 if (shouldExpandMemIntrinsicWithSize(Memset->getLength(), TTI)) {
385 if (UseMemIntrinsicLibFunc &&
386 canEmitLibcall(ModuleLibcalls, TM, ParentFunc, RTLIB::MEMSET))
387 break;
388
389 expandMemSetAsLoop(Memset, TTI);
390 Changed = true;
391 Memset->eraseFromParent();
392 }
393
394 break;
395 }
396 case Intrinsic::memset_inline: {
397 // Only expand llvm.memset.inline with non-constant length in this
398 // codepath, leaving the current SelectionDAG expansion for constant
399 // length memset intrinsics undisturbed.
400 auto *Memset = cast<MemSetInst>(Inst);
401 if (isa<ConstantInt>(Memset->getLength()))
402 break;
403
404 Function *ParentFunc = Memset->getFunction();
405 const TargetTransformInfo &TTI = LookupTTI(*ParentFunc);
406 expandMemSetAsLoop(Memset, TTI);
407 Changed = true;
408 Memset->eraseFromParent();
409 break;
410 }
411 case Intrinsic::experimental_memset_pattern: {
412 auto *Memset = cast<MemSetPatternInst>(Inst);
413 Function *ParentFunc = Memset->getFunction();
414 const TargetLibraryInfo &TLI = LookupTLI(*ParentFunc);
415 Constant *PatternValue = getMemSetPattern16Value(Memset, TLI);
416 if (!PatternValue) {
417 // If it isn't possible to emit a memset_pattern16 libcall, expand to
418 // a loop instead.
419 const TargetTransformInfo &TTI = LookupTTI(*ParentFunc);
421 Changed = true;
422 Memset->eraseFromParent();
423 break;
424 }
425 // FIXME: There is currently no profitability calculation for emitting
426 // the libcall vs expanding the memset.pattern directly.
427 IRBuilder<> Builder(Inst);
428 Module *M = Memset->getModule();
429 const DataLayout &DL = Memset->getDataLayout();
430
431 Type *DestPtrTy = Memset->getRawDest()->getType();
432 Type *SizeTTy = TLI.getSizeTType(*M);
433 StringRef FuncName = "memset_pattern16";
434 FunctionCallee MSP = getOrInsertLibFunc(M, TLI, LibFunc_memset_pattern16,
435 Builder.getVoidTy(), DestPtrTy,
436 Builder.getPtrTy(), SizeTTy);
437 inferNonMandatoryLibFuncAttrs(M, FuncName, TLI);
438
439 // Otherwise we should form a memset_pattern16. PatternValue is known
440 // to be an constant array of 16-bytes. Put the value into a mergable
441 // global.
442 assert(Memset->getRawDest()->getType()->getPointerAddressSpace() == 0 &&
443 "Should have skipped if non-zero AS");
444 GlobalVariable *GV;
445 auto It = CMap.find(PatternValue);
446 if (It != CMap.end()) {
447 GV = It->second;
448 } else {
449 GV = new GlobalVariable(
450 *M, PatternValue->getType(), /*isConstant=*/true,
451 GlobalValue::PrivateLinkage, PatternValue, ".memset_pattern");
452 GV->setUnnamedAddr(
453 GlobalValue::UnnamedAddr::Global); // Ok to merge these.
454 // TODO: Consider relaxing alignment requirement.
455 GV->setAlignment(Align(16));
456 CMap[PatternValue] = GV;
457 }
458 Value *PatternPtr = GV;
459 Value *NumBytes = Builder.CreateMul(
460 TLI.getAsSizeT(DL.getTypeAllocSize(Memset->getValue()->getType()),
461 *M),
462 Builder.CreateZExtOrTrunc(Memset->getLength(), SizeTTy));
463 CallInst *MemsetPattern16Call =
464 Builder.CreateCall(MSP, {Memset->getRawDest(), PatternPtr, NumBytes});
465 MemsetPattern16Call->setAAMetadata(Memset->getAAMetadata());
466 // Preserve any call site attributes on the destination pointer
467 // argument (e.g. alignment).
468 AttrBuilder ArgAttrs(Memset->getContext(),
469 Memset->getAttributes().getParamAttrs(0));
470 MemsetPattern16Call->setAttributes(
471 MemsetPattern16Call->getAttributes().addParamAttributes(
472 Memset->getContext(), 0, ArgAttrs));
473 Changed = true;
474 Memset->eraseFromParent();
475 break;
476 }
477 default:
478 llvm_unreachable("unhandled intrinsic");
479 }
480 }
481
482 return Changed;
483}
484
486 Module &M = *Intr.getParent();
487
488 SmallPtrSet<GlobalValue *, 2> DSsToDeactivate;
489
490 Type *Int8Ty = Type::getInt8Ty(M.getContext());
491 Type *Int64Ty = Type::getInt64Ty(M.getContext());
492 PointerType *PtrTy = PointerType::get(M.getContext(), 0);
493
494 Function *SignIntr =
495 Intrinsic::getOrInsertDeclaration(&M, Intrinsic::ptrauth_sign, {});
496 Function *AuthIntr =
497 Intrinsic::getOrInsertDeclaration(&M, Intrinsic::ptrauth_auth, {});
498
499 auto *EmuFnTy = FunctionType::get(Int64Ty, {Int64Ty, Int64Ty}, false);
500
501 auto CreateSign = [&](IRBuilder<> &B, Value *Val, Value *Disc,
502 OperandBundleDef DSBundle) {
503 Function *F = B.GetInsertBlock()->getParent();
504 Attribute FSAttr = F->getFnAttribute("target-features");
505 if (FSAttr.isValid() && FSAttr.getValueAsString().contains("+pauth"))
506 return B.CreateCall(
507 SignIntr, {Val, B.getInt32(/*AArch64PACKey::DA*/ 2), Disc}, DSBundle);
508 FunctionCallee EmuSignIntr =
509 M.getOrInsertFunction("__emupac_pacda", EmuFnTy);
510 return B.CreateCall(EmuSignIntr, {Val, Disc}, DSBundle);
511 };
512
513 auto CreateAuth = [&](IRBuilder<> &B, Value *Val, Value *Disc,
514 OperandBundleDef DSBundle) {
515 Function *F = B.GetInsertBlock()->getParent();
516 Attribute FSAttr = F->getFnAttribute("target-features");
517 if (FSAttr.isValid() && FSAttr.getValueAsString().contains("+pauth"))
518 return B.CreateCall(
519 AuthIntr, {Val, B.getInt32(/*AArch64PACKey::DA*/ 2), Disc}, DSBundle);
520 FunctionCallee EmuAuthIntr =
521 M.getOrInsertFunction("__emupac_autda", EmuFnTy);
522 return B.CreateCall(EmuAuthIntr, {Val, Disc}, DSBundle);
523 };
524
525 auto GetDeactivationSymbol = [&](CallInst *Call) -> GlobalValue * {
526 if (auto Bundle =
527 Call->getOperandBundle(LLVMContext::OB_deactivation_symbol))
528 return cast<GlobalValue>(Bundle->Inputs[0]);
529 return nullptr;
530 };
531
532 for (User *U : llvm::make_early_inc_range(Intr.users())) {
533 auto *Call = cast<CallInst>(U);
534
535 auto *Pointer = Call->getArgOperand(0);
536 auto *Disc = Call->getArgOperand(1);
537 bool UseHWEncoding =
538 cast<ConstantInt>(Call->getArgOperand(2))->getZExtValue();
539 if (!UseHWEncoding)
540 reportFatalUsageError("software encoding currently unsupported");
541
542 auto *DS = GetDeactivationSymbol(Call);
543 OperandBundleDef DSBundle("deactivation-symbol", DS);
544
545 for (Use &U : llvm::make_early_inc_range(Call->uses())) {
546 // Insert code to encode each pointer stored to the pointer returned by
547 // the intrinsic.
548 if (auto *SI = dyn_cast<StoreInst>(U.getUser())) {
549 if (U.getOperandNo() == 1 &&
550 isa<PointerType>(SI->getValueOperand()->getType())) {
552 auto *SIValInt =
553 B.CreatePtrToInt(SI->getValueOperand(), B.getInt64Ty());
554 Value *Sign = CreateSign(B, SIValInt, Disc, DSBundle);
555 SI->setOperand(0, B.CreateIntToPtr(Sign, B.getPtrTy()));
556 SI->setOperand(1, Pointer);
557 continue;
558 }
559 }
560
561 // Insert code to decode each pointer loaded from the pointer returned by
562 // the intrinsic. This is the inverse of the encode operation implemented
563 // above.
564 if (auto *LI = dyn_cast<LoadInst>(U.getUser())) {
565 if (isa<PointerType>(LI->getType())) {
566 IRBuilder<> B(LI);
567 auto *NewLI = cast<LoadInst>(LI->clone());
568 NewLI->setOperand(0, Pointer);
569 B.Insert(NewLI);
570 auto *LIInt = B.CreatePtrToInt(NewLI, B.getInt64Ty());
571 Value *Auth = CreateAuth(B, LIInt, Disc, DSBundle);
572 LI->replaceAllUsesWith(B.CreateIntToPtr(Auth, B.getPtrTy()));
573 LI->eraseFromParent();
574 continue;
575 }
576 }
577 // Comparisons against null cannot be used to recover the original
578 // pointer so we replace them with comparisons against the original
579 // pointer.
580 if (auto *CI = dyn_cast<ICmpInst>(U.getUser())) {
581 if (auto *Op = dyn_cast<Constant>(CI->getOperand(0))) {
582 if (Op->isNullValue()) {
583 CI->setOperand(1, Pointer);
584 continue;
585 }
586 }
587 if (auto *Op = dyn_cast<Constant>(CI->getOperand(1))) {
588 if (Op->isNullValue()) {
589 CI->setOperand(0, Pointer);
590 continue;
591 }
592 }
593 }
594
595 // We couldn't rewrite away this use of the intrinsic. Replace it with the
596 // pointer operand, and arrange to define a deactivation symbol.
597 U.set(Pointer);
598 if (DS)
599 DSsToDeactivate.insert(DS);
600 }
601
602 Call->eraseFromParent();
603 }
604
605 if (!DSsToDeactivate.empty()) {
606 // This is an AArch64 NOP instruction. When the deactivation symbol support
607 // is expanded to more architectures, there will likely need to be an API
608 // for retrieving this constant.
609 Constant *Nop =
610 ConstantExpr::getIntToPtr(ConstantInt::get(Int64Ty, 0xd503201f), PtrTy);
611 for (GlobalValue *OldDS : DSsToDeactivate) {
613 Int8Ty, 0, GlobalValue::ExternalLinkage, OldDS->getName(), Nop, &M);
614 DS->setVisibility(GlobalValue::HiddenVisibility);
615 DS->takeName(OldDS);
616 OldDS->replaceAllUsesWith(DS);
617 OldDS->eraseFromParent();
618 }
619 }
620 return true;
621}
622
623static bool expandCondLoop(Function &Intr) {
624 for (User *U : llvm::make_early_inc_range(Intr.users())) {
625 auto *Call = cast<CallInst>(U);
626
627 auto *Br = cast<UncondBrInst>(
628 SplitBlockAndInsertIfThen(Call->getArgOperand(0), Call, false,
630 *Call->getFunction(), DEBUG_TYPE)));
631 Br->setSuccessor(Br->getParent());
632 Call->eraseFromParent();
633 }
634 return true;
635}
636
637static bool expandLoopTrap(Function &Intr) {
638 for (User *U : make_early_inc_range(Intr.users())) {
639 auto *Call = cast<CallInst>(U);
640 if (!Call->getParent()->isEntryBlock() &&
641 std::all_of(Call->getParent()->begin(), BasicBlock::iterator(Call),
642 [](Instruction &I) { return !I.mayHaveSideEffects(); })) {
643 for (auto *BB : predecessors(Call->getParent())) {
644 auto *BI = dyn_cast<CondBrInst>(BB->getTerminator());
645 if (!BI)
646 continue;
647 IRBuilder<> B(BI);
648 Value *Cond;
649 // The looptrap can either be on the true branch or the false branch.
650 // We insert the cond loop before the branch, which uses the branch's
651 // original condition for going to the looptrap as its condition, and
652 // force the branch to take whichever path does not lead to the
653 // looptrap, as the original path to the looptrap is now unreachable
654 // thanks to the cond loop. The codegenprepare pass will clean up our
655 // "unconditional conditional branch" by combining the two basic blocks
656 // if possible, or replacing it with an unconditional branch.
657 if (BI->getSuccessor(0) == Call->getParent()) {
658 // The looptrap is on the true branch.
659 Cond = BI->getCondition();
660 BI->setCondition(ConstantInt::getFalse(BI->getContext()));
661 } else {
662 // The looptrap is on the false branch, which means that we need to
663 // invert the condition.
664 Cond = B.CreateNot(BI->getCondition());
665 BI->setCondition(ConstantInt::getTrue(BI->getContext()));
666 }
667 B.CreateIntrinsic(Intrinsic::cond_loop, Cond);
668 }
669 }
671 B.CreateIntrinsic(Intrinsic::cond_loop,
672 ConstantInt::getTrue(Call->getContext()));
673 Call->eraseFromParent();
674 }
675 return true;
676}
677
678bool PreISelIntrinsicLowering::lowerIntrinsics(Module &M) const {
679 // Map unique constants to globals.
680 DenseMap<Constant *, GlobalVariable *> CMap;
681 bool Changed = false;
682 for (Function &F : M) {
683 switch (F.getIntrinsicID()) {
684 default:
685 break;
686 case Intrinsic::memcpy:
687 case Intrinsic::memcpy_inline:
688 case Intrinsic::memmove:
689 case Intrinsic::memset:
690 case Intrinsic::memset_inline:
691 case Intrinsic::experimental_memset_pattern:
692 Changed |= expandMemIntrinsicUses(F, CMap);
693 break;
694 case Intrinsic::load_relative:
696 break;
697 case Intrinsic::is_constant:
698 case Intrinsic::objectsize:
699 Changed |= forEachCall(F, [&](CallInst *CI) {
700 Function *Parent = CI->getParent()->getParent();
701 TargetLibraryInfo &TLI = LookupTLI(*Parent);
702 // Intrinsics in unreachable code are not lowered.
703 bool Changed = lowerConstantIntrinsics(*Parent, TLI, /*DT=*/nullptr);
704 return Changed;
705 });
706 break;
707#define BEGIN_REGISTER_VP_INTRINSIC(VPID, MASKPOS, VLENPOS) \
708 case Intrinsic::VPID:
709#include "llvm/IR/VPIntrinsics.def"
710 forEachCall(F, [&](CallInst *CI) {
711 Function *Parent = CI->getParent()->getParent();
712 const TargetTransformInfo &TTI = LookupTTI(*Parent);
713 auto *VPI = cast<VPIntrinsic>(CI);
715 // Expansion of VP intrinsics may change the IR but not actually
716 // replace the intrinsic, so update Changed for the pass
717 // and compute Removed for forEachCall.
718 Changed |= ED != VPExpansionDetails::IntrinsicUnchanged;
719 bool Removed = ED == VPExpansionDetails::IntrinsicReplaced;
720 return Removed;
721 });
722 break;
723 case Intrinsic::objc_autorelease:
724 Changed |= lowerObjCCall(F, RTLIB::impl_objc_autorelease);
725 break;
726 case Intrinsic::objc_autoreleasePoolPop:
727 Changed |= lowerObjCCall(F, RTLIB::impl_objc_autoreleasePoolPop);
728 break;
729 case Intrinsic::objc_autoreleasePoolPush:
730 Changed |= lowerObjCCall(F, RTLIB::impl_objc_autoreleasePoolPush);
731 break;
732 case Intrinsic::objc_autoreleaseReturnValue:
733 Changed |= lowerObjCCall(F, RTLIB::impl_objc_autoreleaseReturnValue);
734 break;
735 case Intrinsic::objc_copyWeak:
736 Changed |= lowerObjCCall(F, RTLIB::impl_objc_copyWeak);
737 break;
738 case Intrinsic::objc_destroyWeak:
739 Changed |= lowerObjCCall(F, RTLIB::impl_objc_destroyWeak);
740 break;
741 case Intrinsic::objc_initWeak:
742 Changed |= lowerObjCCall(F, RTLIB::impl_objc_initWeak);
743 break;
744 case Intrinsic::objc_loadWeak:
745 Changed |= lowerObjCCall(F, RTLIB::impl_objc_loadWeak);
746 break;
747 case Intrinsic::objc_loadWeakRetained:
748 Changed |= lowerObjCCall(F, RTLIB::impl_objc_loadWeakRetained);
749 break;
750 case Intrinsic::objc_moveWeak:
751 Changed |= lowerObjCCall(F, RTLIB::impl_objc_moveWeak);
752 break;
753 case Intrinsic::objc_release:
754 Changed |= lowerObjCCall(F, RTLIB::impl_objc_release, true);
755 break;
756 case Intrinsic::objc_retain:
757 Changed |= lowerObjCCall(F, RTLIB::impl_objc_retain, true);
758 break;
759 case Intrinsic::objc_retainAutorelease:
760 Changed |= lowerObjCCall(F, RTLIB::impl_objc_retainAutorelease);
761 break;
762 case Intrinsic::objc_retainAutoreleaseReturnValue:
763 Changed |=
764 lowerObjCCall(F, RTLIB::impl_objc_retainAutoreleaseReturnValue);
765 break;
766 case Intrinsic::objc_retainAutoreleasedReturnValue:
767 Changed |=
768 lowerObjCCall(F, RTLIB::impl_objc_retainAutoreleasedReturnValue);
769 break;
770 case Intrinsic::objc_claimAutoreleasedReturnValue:
771 Changed |=
772 lowerObjCCall(F, RTLIB::impl_objc_claimAutoreleasedReturnValue);
773 break;
774 case Intrinsic::objc_retainBlock:
775 Changed |= lowerObjCCall(F, RTLIB::impl_objc_retainBlock);
776 break;
777 case Intrinsic::objc_storeStrong:
778 Changed |= lowerObjCCall(F, RTLIB::impl_objc_storeStrong);
779 break;
780 case Intrinsic::objc_storeWeak:
781 Changed |= lowerObjCCall(F, RTLIB::impl_objc_storeWeak);
782 break;
783 case Intrinsic::objc_unsafeClaimAutoreleasedReturnValue:
784 Changed |=
785 lowerObjCCall(F, RTLIB::impl_objc_unsafeClaimAutoreleasedReturnValue);
786 break;
787 case Intrinsic::objc_retainedObject:
788 Changed |= lowerObjCCall(F, RTLIB::impl_objc_retainedObject);
789 break;
790 case Intrinsic::objc_unretainedObject:
791 Changed |= lowerObjCCall(F, RTLIB::impl_objc_unretainedObject);
792 break;
793 case Intrinsic::objc_unretainedPointer:
794 Changed |= lowerObjCCall(F, RTLIB::impl_objc_unretainedPointer);
795 break;
796 case Intrinsic::objc_retain_autorelease:
797 Changed |= lowerObjCCall(F, RTLIB::impl_objc_retain_autorelease);
798 break;
799 case Intrinsic::objc_sync_enter:
800 Changed |= lowerObjCCall(F, RTLIB::impl_objc_sync_enter);
801 break;
802 case Intrinsic::objc_sync_exit:
803 Changed |= lowerObjCCall(F, RTLIB::impl_objc_sync_exit);
804 break;
805 case Intrinsic::exp:
806 case Intrinsic::exp2:
807 case Intrinsic::log:
808 Changed |= forEachCall(F, [&](CallInst *CI) {
809 Type *Ty = CI->getArgOperand(0)->getType();
810 if (!TM || !isa<ScalableVectorType>(Ty))
811 return false;
812 const TargetLowering *TL = TM->getSubtargetImpl(F)->getTargetLowering();
813 unsigned Op = TL->IntrinsicIDToISD(F.getIntrinsicID());
814 assert(Op != ISD::DELETED_NODE && "unsupported intrinsic");
815 if (!TL->isOperationExpand(Op, EVT::getEVT(Ty)))
816 return false;
818 });
819 break;
820 case Intrinsic::protected_field_ptr:
822 break;
823 case Intrinsic::cond_loop:
824 if (!TM->canLowerCondLoop())
826 break;
827 case Intrinsic::looptrap:
829 if (!TM->canLowerCondLoop())
830 if (auto *CondLoop = M.getFunction("llvm.cond.loop"))
831 Changed |= expandCondLoop(*CondLoop);
832 break;
833 }
834 }
835 return Changed;
836}
837
838namespace {
839
840class PreISelIntrinsicLoweringLegacyPass : public ModulePass {
841public:
842 static char ID;
843
844 PreISelIntrinsicLoweringLegacyPass() : ModulePass(ID) {}
845
846 void getAnalysisUsage(AnalysisUsage &AU) const override {
847 AU.addRequired<TargetTransformInfoWrapperPass>();
848 AU.addRequired<TargetLibraryInfoWrapperPass>();
849 AU.addRequired<LibcallLoweringInfoWrapper>();
850 AU.addRequired<TargetPassConfig>();
851 }
852
853 bool runOnModule(Module &M) override {
854 const LibcallLoweringModuleAnalysisResult &ModuleLibcalls =
855 getAnalysis<LibcallLoweringInfoWrapper>().getResult(M);
856
857 auto LookupTTI = [this](Function &F) -> TargetTransformInfo & {
858 return this->getAnalysis<TargetTransformInfoWrapperPass>().getTTI(F);
859 };
860 auto LookupTLI = [this](Function &F) -> TargetLibraryInfo & {
861 return this->getAnalysis<TargetLibraryInfoWrapperPass>().getTLI(F);
862 };
863
864 const auto *TM = &getAnalysis<TargetPassConfig>().getTM<TargetMachine>();
865 PreISelIntrinsicLowering Lowering(TM, ModuleLibcalls, LookupTTI, LookupTLI);
866 return Lowering.lowerIntrinsics(M);
867 }
868};
869
870} // end anonymous namespace
871
872char PreISelIntrinsicLoweringLegacyPass::ID;
873
874INITIALIZE_PASS_BEGIN(PreISelIntrinsicLoweringLegacyPass,
875 "pre-isel-intrinsic-lowering",
876 "Pre-ISel Intrinsic Lowering", false, false)
882INITIALIZE_PASS_END(PreISelIntrinsicLoweringLegacyPass,
883 "pre-isel-intrinsic-lowering",
884 "Pre-ISel Intrinsic Lowering", false, false)
885
887 return new PreISelIntrinsicLoweringLegacyPass();
888}
889
892 const LibcallLoweringModuleAnalysisResult &LibcallLowering =
894
895 auto &FAM = MAM.getResult<FunctionAnalysisManagerModuleProxy>(M).getManager();
896
897 auto LookupTTI = [&FAM](Function &F) -> TargetTransformInfo & {
898 return FAM.getResult<TargetIRAnalysis>(F);
899 };
900 auto LookupTLI = [&FAM](Function &F) -> TargetLibraryInfo & {
901 return FAM.getResult<TargetLibraryAnalysis>(F);
902 };
903
904 PreISelIntrinsicLowering Lowering(TM, LibcallLowering, LookupTTI, LookupTLI);
905 if (!Lowering.lowerIntrinsics(M))
906 return PreservedAnalyses::all();
907 else
909}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock MachineBasicBlock::iterator DebugLoc DL
static bool setNonLazyBind(Function &F)
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
#define DEBUG_TYPE
Module.h This file contains the declarations for the Module class.
This defines the Use class.
The header file for the LowerConstantIntrinsics pass as used by the new pass manager.
#define F(x, y, z)
Definition MD5.cpp:54
#define I(x, y, z)
Definition MD5.cpp:57
Machine Check Debug Module
This file contains the declarations for metadata subclasses.
#define T
This file defines ARC utility functions which are used by various parts of the compiler.
FunctionAnalysisManager FAM
ModuleAnalysisManager MAM
#define INITIALIZE_PASS_DEPENDENCY(depName)
Definition PassSupport.h:42
#define INITIALIZE_PASS_END(passName, arg, name, cfg, analysis)
Definition PassSupport.h:44
#define INITIALIZE_PASS_BEGIN(passName, arg, name, cfg, analysis)
Definition PassSupport.h:39
static cl::opt< int64_t > MemIntrinsicExpandSizeThresholdOpt("mem-intrinsic-expand-size", cl::desc("Set minimum mem intrinsic size to expand in IR"), cl::init(-1), cl::Hidden)
Threshold to leave statically sized memory intrinsic calls.
static bool forEachCall(Function &Intrin, T Callback)
static bool expandLoopTrap(Function &Intr)
static bool expandCondLoop(Function &Intr)
pre isel intrinsic Pre ISel Intrinsic Lowering
static bool canEmitLibcall(const LibcallLoweringModuleAnalysisResult &ModuleLowering, const TargetMachine *TM, Function *F, RTLIB::Libcall LC)
static CallInst::TailCallKind getOverridingTailCallKind(const Function &F)
static bool canEmitMemcpy(const LibcallLoweringModuleAnalysisResult &ModuleLowering, const TargetMachine *TM, Function *F)
static Constant * getMemSetPattern16Value(MemSetPatternInst *Inst, const TargetLibraryInfo &TLI)
static bool expandProtectedFieldPtr(Function &Intr)
static bool lowerObjCCall(Function &F, RTLIB::LibcallImpl NewFn, bool setNonLazyBind=false)
static bool lowerLoadRelative(Function &F)
This file contains the declarations for profiling metadata utility functions.
const SmallVectorImpl< MachineOperand > & Cond
This file contains some templates that are useful if you are working with the STL at all.
This file describes how to lower LLVM code to machine code.
Target-Independent Code Generator Pass Configuration Options pass.
This pass exposes codegen information to IR-level passes.
AnalysisUsage & addRequired()
static LLVM_ABI ArrayType * get(Type *ElementType, uint64_t NumElements)
This static method is the primary way to construct an ArrayType.
Functions, function parameters, and return types can have attributes to indicate how they should be t...
Definition Attributes.h:105
LLVM_ABI StringRef getValueAsString() const
Return the attribute's value as a string.
bool isValid() const
Return true if the attribute is any kind of attribute.
Definition Attributes.h:261
InstListType::iterator iterator
Instruction iterators...
Definition BasicBlock.h:170
void setAttributes(AttributeList A)
Set the attributes for this call.
Value * getArgOperand(unsigned i) const
AttributeList getAttributes() const
Return the attributes for this call.
void addParamAttr(unsigned ArgNo, Attribute::AttrKind Kind)
Adds the attribute to the indicated argument.
This class represents a function call, abstracting a target machine's calling convention.
void setTailCallKind(TailCallKind TCK)
static LLVM_ABI Constant * get(ArrayType *T, ArrayRef< Constant * > V)
static LLVM_ABI Constant * getIntToPtr(Constant *C, Type *Ty, bool OnlyIfReduced=false)
static LLVM_ABI ConstantInt * getTrue(LLVMContext &Context)
static LLVM_ABI ConstantInt * getFalse(LLVMContext &Context)
uint64_t getZExtValue() const
Return the constant as a 64-bit unsigned integer value after it has been zero extended as appropriate...
Definition Constants.h:168
This is an important base class in LLVM.
Definition Constant.h:43
A parsed version of the target data layout string in and methods for querying it.
Definition DataLayout.h:64
iterator find(const_arg_type_t< KeyT > Val)
Definition DenseMap.h:178
iterator end()
Definition DenseMap.h:81
A handy container for a FunctionType+Callee-pointer pair, which can be passed around as a single enti...
static LLVM_ABI FunctionType * get(Type *Result, ArrayRef< Type * > Params, bool isVarArg)
This static method is the primary way of constructing a FunctionType.
const Function & getFunction() const
Definition Function.h:166
static LLVM_ABI GlobalAlias * create(Type *Ty, unsigned AddressSpace, LinkageTypes Linkage, const Twine &Name, Constant *Aliasee, Module *Parent)
If a parent module is specified, the alias is automatically inserted into the end of the specified mo...
Definition Globals.cpp:613
void setUnnamedAddr(UnnamedAddr Val)
Module * getParent()
Get the module that this global value is contained inside of...
@ HiddenVisibility
The GV is hidden.
Definition GlobalValue.h:69
@ PrivateLinkage
Like Internal, but omit from symbol table.
Definition GlobalValue.h:61
@ ExternalLinkage
Externally visible function.
Definition GlobalValue.h:53
void setAlignment(Align Align)
Sets the alignment attribute of the GlobalVariable.
This provides a uniform API for creating instructions and inserting them into a basic block: either a...
Definition IRBuilder.h:2811
LLVM_ABI const Module * getModule() const
Return the module owning the function this instruction belongs to or nullptr it the function does not...
LLVM_ABI void setAAMetadata(const AAMDNodes &N)
Sets the AA metadata on this instruction from the AAMDNodes structure.
LLVM_ABI const DataLayout & getDataLayout() const
Get the data layout of the module this instruction belongs to.
static LLVM_ABI bool mayLowerToFunctionCall(Intrinsic::ID IID)
Check if the intrinsic might lower into a regular function call in the course of IR transformations.
Tracks which library functions to use for a particular subtarget.
Record a mapping from subtarget to LibcallLoweringInfo.
const LibcallLoweringInfo & getLibcallLowering(const TargetSubtargetInfo &Subtarget) const
Value * getRawDest() const
Value * getValue() const
This class wraps the llvm.experimental.memset.pattern intrinsic.
ModulePass class - This class is used to implement unstructured interprocedural optimizations and ana...
Definition Pass.h:255
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
static LLVM_ABI PointerType * get(Type *ElementType, unsigned AddressSpace)
This constructs a pointer to an object of the specified type in a numbered address space.
A set of analyses that are preserved following a run of a transformation pass.
Definition Analysis.h:112
static PreservedAnalyses none()
Convenience factory function for the empty preserved set.
Definition Analysis.h:115
static PreservedAnalyses all()
Construct a special preserved set that preserves all passes.
Definition Analysis.h:118
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements.
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
bool contains(StringRef Other) const
Return true if the given string is a substring of *this, and false otherwise.
Definition StringRef.h:446
Analysis pass providing the TargetTransformInfo.
Analysis pass providing the TargetLibraryInfo.
Provides information about what library functions are available for the current target.
ConstantInt * getAsSizeT(uint64_t V, const Module &M) const
Returns a constant materialized as a size_t type.
IntegerType * getSizeTType(const Module &M) const
Returns an IntegerType corresponding to size_t.
bool isOperationExpand(unsigned Op, EVT VT) const
Return true if the specified operation is illegal on this target or unlikely to be made legal with cu...
int IntrinsicIDToISD(Intrinsic::ID ID) const
Get the ISD node that corresponds to the Intrinsic ID.
Primary interface to the complete machine description for the target machine.
virtual const TargetSubtargetInfo * getSubtargetImpl(const Function &) const
Virtual method implemented by subclasses that returns a reference to that target's TargetSubtargetInf...
virtual bool canLowerCondLoop() const
Returns whether the backend can lower the llvm.cond.loop intrinsic.
Target-Independent Code Generator Pass Configuration Options.
virtual const TargetLowering * getTargetLowering() const
Wrapper pass for TargetTransformInfo.
This pass provides access to the codegen interfaces that are needed for IR-level transformations.
LLVM_ABI uint64_t getMaxMemIntrinsicInlineSizeThreshold() const
Returns the maximum memset / memcpy size in bytes that still makes it profitable to inline the call.
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:46
static LLVM_ABI IntegerType * getInt64Ty(LLVMContext &C)
Definition Type.cpp:314
static LLVM_ABI IntegerType * getInt32Ty(LLVMContext &C)
Definition Type.cpp:313
LLVM_ABI unsigned getPointerAddressSpace() const
Get the address space of this pointer or pointer vector type.
static LLVM_ABI IntegerType * getInt8Ty(LLVMContext &C)
Definition Type.cpp:311
A Use represents the edge between a Value definition and its users.
Definition Use.h:35
void setOperand(unsigned i, Value *Val)
Definition User.h:212
Value * getOperand(unsigned i) const
Definition User.h:207
LLVM Value Representation.
Definition Value.h:75
Type * getType() const
All values are typed, get the type of this value.
Definition Value.h:256
LLVM_ABI void setName(const Twine &Name)
Change the name of the value.
Definition Value.cpp:397
iterator_range< user_iterator > users()
Definition Value.h:427
use_iterator use_begin()
Definition Value.h:365
bool use_empty() const
Definition Value.h:347
An efficient, type-erasing, non-owning reference to a callable.
const ParentTy * getParent() const
Definition ilist_node.h:34
CallInst * Call
Changed
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
constexpr char Align[]
Key for Kernel::Arg::Metadata::mAlign.
unsigned ID
LLVM IR allows to use arbitrary numbers as calling convention identifiers.
Definition CallingConv.h:24
@ C
The default llvm calling convention, compatible with C.
Definition CallingConv.h:34
@ DELETED_NODE
DELETED_NODE - This is an illegal value that is used to catch errors.
Definition ISDOpcodes.h:45
LLVM_ABI Function * getOrInsertDeclaration(Module *M, ID id, ArrayRef< Type * > Tys={})
Look up the Function declaration of the intrinsic id in the Module M.
initializer< Ty > init(const Ty &Val)
bool IsNeverTail(ARCInstKind Class)
Test if the given class represents instructions which are never safe to mark with the "tail" keyword.
bool IsAlwaysTail(ARCInstKind Class)
Test if the given class represents instructions which are always safe to mark with the "tail" keyword...
ARCInstKind
Equivalence classes of instructions in the ARC Model.
ARCInstKind GetFunctionClass(const Function *F)
Determine if F is one of the special known Functions.
std::optional< Function * > getAttachedARCFunction(const CallBase *CB)
This function returns operand bundle clang_arc_attachedcall's argument, which is the address of the A...
Definition ObjCARCUtil.h:43
friend class Instruction
Iterator for Instructions in a `BasicBlock.
Definition BasicBlock.h:73
This is an optimization pass for GlobalISel generic memory operations.
Definition Types.h:26
FunctionAddr VTableAddr Value
Definition InstrProf.h:137
bool lowerUnaryVectorIntrinsicAsLoop(Module &M, CallInst *CI)
Lower CI as a loop.
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
FunctionAddr VTableAddr uintptr_t uintptr_t Int32Ty
Definition InstrProf.h:296
bool lowerConstantIntrinsics(Function &F, const TargetLibraryInfo &TLI, DominatorTree *DT)
LLVM_ABI bool expandMemMoveAsLoop(MemMoveInst *MemMove, const TargetTransformInfo &TTI)
Expand MemMove as a loop.
iterator_range< early_inc_iterator_impl< detail::IterOfRange< RangeT > > > make_early_inc_range(RangeT &&Range)
Make a range that does early increment to allow mutation of the underlying range without disrupting i...
Definition STLExtras.h:634
InnerAnalysisManagerProxy< FunctionAnalysisManager, Module > FunctionAnalysisManagerModuleProxy
Provide the FunctionAnalysisManager to Module proxy.
constexpr bool isPowerOf2_64(uint64_t Value)
Return true if the argument is a power of two > 0 (64 bit edition.)
Definition MathExtras.h:284
LLVM_ABI bool inferNonMandatoryLibFuncAttrs(Module *M, StringRef Name, const TargetLibraryInfo &TLI)
Analyze the name and prototype of the given function and set any applicable attributes.
LLVM_ABI bool isLibFuncEmittable(const Module *M, const TargetLibraryInfo *TLI, LibFunc TheLibFunc)
Check whether the library function is available on target and also that it in the current Module is a...
LLVM_ABI ModulePass * createPreISelIntrinsicLoweringPass()
This pass lowers the @llvm.load.relative and @llvm.objc.
LLVM_ABI FunctionCallee getOrInsertLibFunc(Module *M, const TargetLibraryInfo &TLI, LibFunc TheLibFunc, FunctionType *T, AttributeList AttributeList)
Calls getOrInsertFunction() and then makes sure to add mandatory argument attributes.
bool isa(const From &Val)
isa<X> - Return true if the parameter to the template is an instance of one of the template type argu...
Definition Casting.h:547
LLVM_ABI MDNode * getExplicitlyUnknownBranchWeightsIfProfiled(Function &F, StringRef PassName)
Returns a metadata node containing unknown branch weights if the function has an entry count,...
VPExpansionDetails expandVectorPredicationIntrinsic(VPIntrinsic &VPI, const TargetTransformInfo &TTI)
Expand a vector predication intrinsic.
TargetTransformInfo TTI
IRBuilder(LLVMContext &, FolderTy, InserterTy, MDNode *, ArrayRef< OperandBundleDef >) -> IRBuilder< FolderTy, InserterTy >
OperandBundleDefT< Value * > OperandBundleDef
Definition AutoUpgrade.h:34
DWARFExpression::Operation Op
LLVM_ABI void expandMemSetAsLoop(MemSetInst *MemSet, const TargetTransformInfo *TTI=nullptr)
Expand MemSet as a loop.
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
LLVM_ABI void expandMemSetPatternAsLoop(MemSetPatternInst *MemSet, const TargetTransformInfo *TTI=nullptr)
Expand MemSetPattern as a loop.
auto predecessors(const MachineBasicBlock *BB)
LLVM_ABI void expandMemCpyAsLoop(MemCpyInst *MemCpy, const TargetTransformInfo &TTI, ScalarEvolution *SE=nullptr)
Expand MemCpy as a loop. MemCpy is not deleted.
LLVM_ABI Instruction * SplitBlockAndInsertIfThen(Value *Cond, BasicBlock::iterator SplitBefore, bool Unreachable, MDNode *BranchWeights=nullptr, DomTreeUpdater *DTU=nullptr, LoopInfo *LI=nullptr, BasicBlock *ThenBlock=nullptr)
Split the containing block at the specified instruction - everything before SplitBefore stays in the ...
VPExpansionDetails
Represents the details the expansion of a VP intrinsic.
AnalysisManager< Module > ModuleAnalysisManager
Convenience typedef for the Module analysis manager.
Definition MIRParser.h:39
LLVM_ABI void reportFatalUsageError(Error Err)
Report a fatal error that does not indicate a bug in LLVM.
Definition Error.cpp:177
This struct is a compact representation of a valid (non-zero power of two) alignment.
Definition Alignment.h:39
static LLVM_ABI EVT getEVT(Type *Ty, bool HandleUnknown=false)
Return the value type corresponding to the specified type.
PreservedAnalyses run(Module &M, ModuleAnalysisManager &AM)
static StringRef getLibcallImplName(RTLIB::LibcallImpl CallImpl)
Get the libcall routine name for the specified libcall implementation.