LLVM 23.0.0git
Function.cpp
Go to the documentation of this file.
1//===- Function.cpp - Implement the Global object classes -----------------===//
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 Function class for the IR library.
10//
11//===----------------------------------------------------------------------===//
12
13#include "llvm/IR/Function.h"
15#include "llvm/ADT/ArrayRef.h"
16#include "llvm/ADT/BitVector.h"
17#include "llvm/ADT/DenseSet.h"
18#include "llvm/ADT/STLExtras.h"
21#include "llvm/ADT/StringRef.h"
23#include "llvm/IR/Argument.h"
24#include "llvm/IR/Attributes.h"
25#include "llvm/IR/BasicBlock.h"
26#include "llvm/IR/Constant.h"
28#include "llvm/IR/Constants.h"
30#include "llvm/IR/GlobalValue.h"
32#include "llvm/IR/Instruction.h"
34#include "llvm/IR/Intrinsics.h"
35#include "llvm/IR/LLVMContext.h"
36#include "llvm/IR/MDBuilder.h"
37#include "llvm/IR/Metadata.h"
38#include "llvm/IR/Module.h"
39#include "llvm/IR/Operator.h"
42#include "llvm/IR/Type.h"
43#include "llvm/IR/Use.h"
44#include "llvm/IR/User.h"
45#include "llvm/IR/Value.h"
51#include "llvm/Support/ModRef.h"
52#include <cassert>
53#include <cstddef>
54#include <cstdint>
55#include <cstring>
56#include <string>
57
58using namespace llvm;
60
61// Explicit instantiations of SymbolTableListTraits since some of the methods
62// are not in the public header file...
64
66 "non-global-value-max-name-size", cl::Hidden, cl::init(1024),
67 cl::desc("Maximum size for the name of non-global values."));
68
70 validateBlockNumbers();
71
72 NextBlockNum = 0;
73 for (auto &BB : *this)
74 BB.Number = NextBlockNum++;
75 BlockNumEpoch++;
76}
77
78void Function::validateBlockNumbers() const {
79#ifndef NDEBUG
80 BitVector Numbers(NextBlockNum);
81 for (const auto &BB : *this) {
82 unsigned Num = BB.getNumber();
83 assert(Num < NextBlockNum && "out of range block number");
84 assert(!Numbers[Num] && "duplicate block numbers");
85 Numbers.set(Num);
86 }
87#endif
88}
89
91 for (auto &BB : *this) {
92 BB.convertToNewDbgValues();
93 }
94}
95
97 for (auto &BB : *this) {
98 BB.convertFromNewDbgValues();
99 }
100}
101
102//===----------------------------------------------------------------------===//
103// Argument Implementation
104//===----------------------------------------------------------------------===//
105
106Argument::Argument(Type *Ty, const Twine &Name, Function *Par, unsigned ArgNo)
107 : Value(Ty, Value::ArgumentVal), Parent(Par), ArgNo(ArgNo) {
108 setName(Name);
109}
110
111void Argument::setParent(Function *parent) {
112 Parent = parent;
113}
114
115bool Argument::hasNonNullAttr(bool AllowUndefOrPoison) const {
116 if (!getType()->isPointerTy()) return false;
117 if (getParent()->hasParamAttribute(getArgNo(), Attribute::NonNull) &&
118 (AllowUndefOrPoison ||
119 getParent()->hasParamAttribute(getArgNo(), Attribute::NoUndef)))
120 return true;
121 else if (getDereferenceableBytes() > 0 &&
124 return true;
125 return false;
126}
127
128bool Argument::hasByValAttr() const {
129 if (!getType()->isPointerTy()) return false;
130 return hasAttribute(Attribute::ByVal);
131}
132
134 assert(getType()->isPointerTy() && "Only pointers have dead_on_return bytes");
135 return getParent()->getDeadOnReturnInfo(getArgNo());
136}
137
138bool Argument::hasByRefAttr() const {
139 if (!getType()->isPointerTy())
140 return false;
141 return hasAttribute(Attribute::ByRef);
142}
143
144bool Argument::hasSwiftSelfAttr() const {
145 return getParent()->hasParamAttribute(getArgNo(), Attribute::SwiftSelf);
146}
147
148bool Argument::hasSwiftErrorAttr() const {
149 return getParent()->hasParamAttribute(getArgNo(), Attribute::SwiftError);
150}
151
152bool Argument::hasInAllocaAttr() const {
153 if (!getType()->isPointerTy()) return false;
154 return hasAttribute(Attribute::InAlloca);
155}
156
158 if (!getType()->isPointerTy())
159 return false;
160 return hasAttribute(Attribute::Preallocated);
161}
162
164 if (!getType()->isPointerTy()) return false;
165 AttributeList Attrs = getParent()->getAttributes();
166 return Attrs.hasParamAttr(getArgNo(), Attribute::ByVal) ||
167 Attrs.hasParamAttr(getArgNo(), Attribute::InAlloca) ||
168 Attrs.hasParamAttr(getArgNo(), Attribute::Preallocated);
169}
170
172 if (!getType()->isPointerTy())
173 return false;
174 AttributeList Attrs = getParent()->getAttributes();
175 return Attrs.hasParamAttr(getArgNo(), Attribute::ByVal) ||
176 Attrs.hasParamAttr(getArgNo(), Attribute::StructRet) ||
177 Attrs.hasParamAttr(getArgNo(), Attribute::InAlloca) ||
178 Attrs.hasParamAttr(getArgNo(), Attribute::Preallocated) ||
179 Attrs.hasParamAttr(getArgNo(), Attribute::ByRef);
180}
181
182/// For a byval, sret, inalloca, or preallocated parameter, get the in-memory
183/// parameter type.
184static Type *getMemoryParamAllocType(AttributeSet ParamAttrs) {
185 // FIXME: All the type carrying attributes are mutually exclusive, so there
186 // should be a single query to get the stored type that handles any of them.
187 if (Type *ByValTy = ParamAttrs.getByValType())
188 return ByValTy;
189 if (Type *ByRefTy = ParamAttrs.getByRefType())
190 return ByRefTy;
191 if (Type *PreAllocTy = ParamAttrs.getPreallocatedType())
192 return PreAllocTy;
193 if (Type *InAllocaTy = ParamAttrs.getInAllocaType())
194 return InAllocaTy;
195 if (Type *SRetTy = ParamAttrs.getStructRetType())
196 return SRetTy;
197
198 return nullptr;
199}
200
202 AttributeSet ParamAttrs =
203 getParent()->getAttributes().getParamAttrs(getArgNo());
204 if (Type *MemTy = getMemoryParamAllocType(ParamAttrs))
205 return DL.getTypeAllocSize(MemTy);
206 return 0;
207}
208
210 AttributeSet ParamAttrs =
211 getParent()->getAttributes().getParamAttrs(getArgNo());
212 return getMemoryParamAllocType(ParamAttrs);
213}
214
216 assert(getType()->isPointerTy() && "Only pointers have alignments");
217 return getParent()->getParamAlign(getArgNo());
218}
219
221 return getParent()->getParamStackAlign(getArgNo());
222}
223
224Type *Argument::getParamByValType() const {
225 assert(getType()->isPointerTy() && "Only pointers have byval types");
226 return getParent()->getParamByValType(getArgNo());
227}
228
230 assert(getType()->isPointerTy() && "Only pointers have sret types");
231 return getParent()->getParamStructRetType(getArgNo());
232}
233
234Type *Argument::getParamByRefType() const {
235 assert(getType()->isPointerTy() && "Only pointers have byref types");
236 return getParent()->getParamByRefType(getArgNo());
237}
238
239Type *Argument::getParamInAllocaType() const {
240 assert(getType()->isPointerTy() && "Only pointers have inalloca types");
241 return getParent()->getParamInAllocaType(getArgNo());
242}
243
246 "Only pointers have dereferenceable bytes");
247 return getParent()->getParamDereferenceableBytes(getArgNo());
248}
249
252 "Only pointers have dereferenceable bytes");
253 return getParent()->getParamDereferenceableOrNullBytes(getArgNo());
254}
255
256FPClassTest Argument::getNoFPClass() const {
257 return getParent()->getParamNoFPClass(getArgNo());
258}
259
260std::optional<ConstantRange> Argument::getRange() const {
261 const Attribute RangeAttr = getAttribute(llvm::Attribute::Range);
262 if (RangeAttr.isValid())
263 return RangeAttr.getRange();
264 return std::nullopt;
265}
266
267bool Argument::hasNestAttr() const {
268 if (!getType()->isPointerTy()) return false;
269 return hasAttribute(Attribute::Nest);
270}
271
272bool Argument::hasNoAliasAttr() const {
273 if (!getType()->isPointerTy()) return false;
274 return hasAttribute(Attribute::NoAlias);
275}
276
277bool Argument::hasNoCaptureAttr() const {
278 if (!getType()->isPointerTy()) return false;
279 return capturesNothing(getAttributes().getCaptureInfo());
280}
281
282bool Argument::hasNoFreeAttr() const {
283 if (!getType()->isPointerTy()) return false;
284 return hasAttribute(Attribute::NoFree);
285}
286
287bool Argument::hasStructRetAttr() const {
288 if (!getType()->isPointerTy()) return false;
289 return hasAttribute(Attribute::StructRet);
290}
291
292bool Argument::hasInRegAttr() const {
293 return hasAttribute(Attribute::InReg);
294}
295
296bool Argument::hasReturnedAttr() const {
297 return hasAttribute(Attribute::Returned);
298}
299
300bool Argument::hasZExtAttr() const {
301 return hasAttribute(Attribute::ZExt);
302}
303
304bool Argument::hasSExtAttr() const {
305 return hasAttribute(Attribute::SExt);
306}
307
308bool Argument::onlyReadsMemory() const {
309 AttributeList Attrs = getParent()->getAttributes();
310 return Attrs.hasParamAttr(getArgNo(), Attribute::ReadOnly) ||
311 Attrs.hasParamAttr(getArgNo(), Attribute::ReadNone);
312}
313
314void Argument::addAttrs(AttrBuilder &B) {
315 AttributeList AL = getParent()->getAttributes();
316 AL = AL.addParamAttributes(Parent->getContext(), getArgNo(), B);
317 getParent()->setAttributes(AL);
318}
319
321 getParent()->addParamAttr(getArgNo(), Kind);
322}
323
324void Argument::addAttr(Attribute Attr) {
325 getParent()->addParamAttr(getArgNo(), Attr);
326}
327
329 getParent()->removeParamAttr(getArgNo(), Kind);
330}
331
332void Argument::removeAttrs(const AttributeMask &AM) {
333 AttributeList AL = getParent()->getAttributes();
334 AL = AL.removeParamAttributes(Parent->getContext(), getArgNo(), AM);
335 getParent()->setAttributes(AL);
336}
337
339 return getParent()->hasParamAttribute(getArgNo(), Kind);
340}
341
342bool Argument::hasAttribute(StringRef Kind) const {
343 return getParent()->hasParamAttribute(getArgNo(), Kind);
344}
345
346Attribute Argument::getAttribute(Attribute::AttrKind Kind) const {
347 return getParent()->getParamAttribute(getArgNo(), Kind);
348}
349
351 return getParent()->getAttributes().getParamAttrs(getArgNo());
352}
353
354//===----------------------------------------------------------------------===//
355// Helper Methods in Function
356//===----------------------------------------------------------------------===//
357
359 return getType()->getContext();
360}
361
362const DataLayout &Function::getDataLayout() const {
363 return getParent()->getDataLayout();
364}
365
366unsigned Function::getInstructionCount() const {
367 unsigned NumInstrs = 0;
368 for (const BasicBlock &BB : BasicBlocks)
369 NumInstrs += BB.size();
370 return NumInstrs;
371}
372
374 const Twine &N, Module &M) {
375 return Create(Ty, Linkage, M.getDataLayout().getProgramAddressSpace(), N, &M);
376}
377
379 LinkageTypes Linkage,
380 unsigned AddrSpace, const Twine &N,
381 Module *M) {
382 auto *F = new (AllocMarker) Function(Ty, Linkage, AddrSpace, N, M);
383 AttrBuilder B(F->getContext());
384 UWTableKind UWTable = M->getUwtable();
385 if (UWTable != UWTableKind::None)
386 B.addUWTableAttr(UWTable);
387 switch (M->getFramePointer()) {
389 // 0 ("none") is the default.
390 break;
392 B.addAttribute("frame-pointer", "reserved");
393 break;
395 B.addAttribute("frame-pointer", "non-leaf");
396 break;
398 B.addAttribute("frame-pointer", "non-leaf-no-reserve");
399 break;
401 B.addAttribute("frame-pointer", "all");
402 break;
403 }
404 if (M->getModuleFlag("function_return_thunk_extern"))
405 B.addAttribute(Attribute::FnRetThunkExtern);
406 StringRef DefaultCPU = F->getContext().getDefaultTargetCPU();
407 if (!DefaultCPU.empty())
408 B.addAttribute("target-cpu", DefaultCPU);
409 StringRef DefaultFeatures = F->getContext().getDefaultTargetFeatures();
410 if (!DefaultFeatures.empty())
411 B.addAttribute("target-features", DefaultFeatures);
412
413 // Check if the module attribute is present and not zero.
414 auto isModuleAttributeSet = [&](const StringRef &ModAttr) -> bool {
415 const auto *Attr =
416 mdconst::extract_or_null<ConstantInt>(M->getModuleFlag(ModAttr));
417 return Attr && !Attr->isZero();
418 };
419
420 auto AddAttributeIfSet = [&](const StringRef &ModAttr) {
421 if (isModuleAttributeSet(ModAttr))
422 B.addAttribute(ModAttr);
423 };
424
425 StringRef SignType = "none";
426 if (isModuleAttributeSet("sign-return-address"))
427 SignType = "non-leaf";
428 if (isModuleAttributeSet("sign-return-address-all"))
429 SignType = "all";
430 if (SignType != "none") {
431 B.addAttribute("sign-return-address", SignType);
432 B.addAttribute("sign-return-address-key",
433 isModuleAttributeSet("sign-return-address-with-bkey")
434 ? "b_key"
435 : "a_key");
436 }
437 AddAttributeIfSet("branch-target-enforcement");
438 AddAttributeIfSet("branch-protection-pauth-lr");
439 AddAttributeIfSet("guarded-control-stack");
440
441 F->addFnAttrs(B);
442 return F;
443}
444
446 getParent()->getFunctionList().remove(getIterator());
447}
448
450 getParent()->getFunctionList().erase(getIterator());
451}
452
454 Function::iterator FromBeginIt,
455 Function::iterator FromEndIt) {
456#ifdef EXPENSIVE_CHECKS
457 // Check that FromBeginIt is before FromEndIt.
458 auto FromFEnd = FromF->end();
459 for (auto It = FromBeginIt; It != FromEndIt; ++It)
460 assert(It != FromFEnd && "FromBeginIt not before FromEndIt!");
461#endif // EXPENSIVE_CHECKS
462 BasicBlocks.splice(ToIt, FromF->BasicBlocks, FromBeginIt, FromEndIt);
463}
464
466 Function::iterator ToIt) {
467 return BasicBlocks.erase(FromIt, ToIt);
468}
469
470//===----------------------------------------------------------------------===//
471// Function Implementation
472//===----------------------------------------------------------------------===//
473
474static unsigned computeAddrSpace(unsigned AddrSpace, Module *M) {
475 // If AS == -1 and we are passed a valid module pointer we place the function
476 // in the program address space. Otherwise we default to AS0.
477 if (AddrSpace == static_cast<unsigned>(-1))
478 return M ? M->getDataLayout().getProgramAddressSpace() : 0;
479 return AddrSpace;
480}
481
482Function::Function(FunctionType *Ty, LinkageTypes Linkage, unsigned AddrSpace,
483 const Twine &name, Module *ParentModule)
484 : GlobalObject(Ty, Value::FunctionVal, AllocMarker, Linkage, name,
485 computeAddrSpace(AddrSpace, ParentModule)),
486 NumArgs(Ty->getNumParams()) {
487 assert(FunctionType::isValidReturnType(getReturnType()) &&
488 "invalid return type");
489 setGlobalObjectSubClassData(0);
490
491 // We only need a symbol table for a function if the context keeps value names
492 if (!getContext().shouldDiscardValueNames())
493 SymTab = std::make_unique<ValueSymbolTable>(NonGlobalValueMaxNameSize);
494
495 // If the function has arguments, mark them as lazily built.
496 if (Ty->getNumParams())
497 setValueSubclassData(1); // Set the "has lazy arguments" bit.
498
499 if (ParentModule) {
500 ParentModule->getFunctionList().push_back(this);
501 }
502
503 HasLLVMReservedName = getName().starts_with("llvm.");
504 // Ensure intrinsics have the right parameter attributes.
505 // Note, the IntID field will have been set in Value::setName if this function
506 // name is a valid intrinsic ID.
507 if (IntID) {
508 // Don't set the attributes if the intrinsic signature is invalid. This
509 // case will either be auto-upgraded or fail verification.
510 SmallVector<Type *> OverloadTys;
511 if (!Intrinsic::getIntrinsicSignature(IntID, Ty, OverloadTys))
512 return;
513
514 setAttributes(Intrinsic::getAttributes(getContext(), IntID, Ty));
515 }
516}
517
519 validateBlockNumbers();
520
521 dropAllReferences(); // After this it is safe to delete instructions.
522
523 // Delete all of the method arguments and unlink from symbol table...
524 if (Arguments)
525 clearArguments();
526
527 // Remove the function from the on-the-side GC table.
528 clearGC();
529}
530
531void Function::BuildLazyArguments() const {
532 // Create the arguments vector, all arguments start out unnamed.
533 auto *FT = getFunctionType();
534 if (NumArgs > 0) {
535 Arguments = std::allocator<Argument>().allocate(NumArgs);
536 for (unsigned i = 0, e = NumArgs; i != e; ++i) {
537 Type *ArgTy = FT->getParamType(i);
538 assert(!ArgTy->isVoidTy() && "Cannot have void typed arguments!");
539 new (Arguments + i) Argument(ArgTy, "", const_cast<Function *>(this), i);
540 }
541 }
542
543 // Clear the lazy arguments bit.
544 unsigned SDC = getSubclassDataFromValue();
545 SDC &= ~(1 << 0);
546 const_cast<Function*>(this)->setValueSubclassData(SDC);
547 assert(!hasLazyArguments());
548}
549
551 return MutableArrayRef<Argument>(Args, Count);
552}
553
556}
557
558void Function::clearArguments() {
559 for (Argument &A : makeArgArray(Arguments, NumArgs)) {
560 A.setName("");
561 A.~Argument();
562 }
563 std::allocator<Argument>().deallocate(Arguments, NumArgs);
564 Arguments = nullptr;
565}
566
568 assert(isDeclaration() && "Expected no references to current arguments");
569
570 // Drop the current arguments, if any, and set the lazy argument bit.
571 if (!hasLazyArguments()) {
573 [](const Argument &A) { return A.use_empty(); }) &&
574 "Expected arguments to be unused in declaration");
575 clearArguments();
576 setValueSubclassData(getSubclassDataFromValue() | (1 << 0));
577 }
578
579 // Nothing to steal if Src has lazy arguments.
580 if (Src.hasLazyArguments())
581 return;
582
583 // Steal arguments from Src, and fix the lazy argument bits.
584 assert(arg_size() == Src.arg_size());
585 Arguments = Src.Arguments;
586 Src.Arguments = nullptr;
587 for (Argument &A : makeArgArray(Arguments, NumArgs)) {
588 // FIXME: This does the work of transferNodesFromList inefficiently.
590 if (A.hasName())
591 Name = A.getName();
592 if (!Name.empty())
593 A.setName("");
594 A.setParent(this);
595 if (!Name.empty())
596 A.setName(Name);
597 }
598
599 setValueSubclassData(getSubclassDataFromValue() & ~(1 << 0));
600 assert(!hasLazyArguments());
601 Src.setValueSubclassData(Src.getSubclassDataFromValue() | (1 << 0));
602}
603
604void Function::deleteBodyImpl(bool ShouldDrop) {
605 setIsMaterializable(false);
606
607 for (BasicBlock &BB : *this)
609
610 // Delete all basic blocks. They are now unused, except possibly by
611 // blockaddresses, but BasicBlock's destructor takes care of those.
612 while (!BasicBlocks.empty())
613 BasicBlocks.begin()->eraseFromParent();
614
615 if (getNumOperands()) {
616 if (ShouldDrop) {
617 // Drop uses of any optional data (real or placeholder).
619 setNumHungOffUseOperands(0);
620 } else {
621 // The code needs to match Function::allocHungoffUselist().
623 Op<0>().set(CPN);
624 Op<1>().set(CPN);
625 Op<2>().set(CPN);
626 }
627 setValueSubclassData(getSubclassDataFromValue() & ~0xe);
628 }
629
630 // Metadata is stored in a side-table.
631 clearMetadata();
632}
633
634void Function::addAttributeAtIndex(unsigned i, Attribute Attr) {
635 AttributeSets = AttributeSets.addAttributeAtIndex(getContext(), i, Attr);
636}
637
639 AttributeSets = AttributeSets.addFnAttribute(getContext(), Kind);
640}
641
643 AttributeSets = AttributeSets.addFnAttribute(getContext(), Kind, Val);
644}
645
646void Function::addFnAttr(Attribute Attr) {
647 AttributeSets = AttributeSets.addFnAttribute(getContext(), Attr);
648}
649
650void Function::addFnAttrs(const AttrBuilder &Attrs) {
651 AttributeSets = AttributeSets.addFnAttributes(getContext(), Attrs);
652}
653
655 AttributeSets = AttributeSets.addRetAttribute(getContext(), Kind);
656}
657
658void Function::addRetAttr(Attribute Attr) {
659 AttributeSets = AttributeSets.addRetAttribute(getContext(), Attr);
660}
661
662void Function::addRetAttrs(const AttrBuilder &Attrs) {
663 AttributeSets = AttributeSets.addRetAttributes(getContext(), Attrs);
664}
665
666void Function::addParamAttr(unsigned ArgNo, Attribute::AttrKind Kind) {
667 AttributeSets = AttributeSets.addParamAttribute(getContext(), ArgNo, Kind);
668}
669
670void Function::addParamAttr(unsigned ArgNo, Attribute Attr) {
671 AttributeSets = AttributeSets.addParamAttribute(getContext(), ArgNo, Attr);
672}
673
674void Function::addParamAttrs(unsigned ArgNo, const AttrBuilder &Attrs) {
675 AttributeSets = AttributeSets.addParamAttributes(getContext(), ArgNo, Attrs);
676}
677
679 AttributeSets = AttributeSets.removeAttributeAtIndex(getContext(), i, Kind);
680}
681
682void Function::removeAttributeAtIndex(unsigned i, StringRef Kind) {
683 AttributeSets = AttributeSets.removeAttributeAtIndex(getContext(), i, Kind);
684}
685
687 AttributeSets = AttributeSets.removeFnAttribute(getContext(), Kind);
688}
689
691 AttributeSets = AttributeSets.removeFnAttribute(getContext(), Kind);
692}
693
695 AttributeSets = AttributeSets.removeFnAttributes(getContext(), AM);
696}
697
699 AttributeSets = AttributeSets.removeRetAttribute(getContext(), Kind);
700}
701
703 AttributeSets = AttributeSets.removeRetAttribute(getContext(), Kind);
704}
705
706void Function::removeRetAttrs(const AttributeMask &Attrs) {
707 AttributeSets = AttributeSets.removeRetAttributes(getContext(), Attrs);
708}
709
710void Function::removeParamAttr(unsigned ArgNo, Attribute::AttrKind Kind) {
711 AttributeSets = AttributeSets.removeParamAttribute(getContext(), ArgNo, Kind);
712}
713
714void Function::removeParamAttr(unsigned ArgNo, StringRef Kind) {
715 AttributeSets = AttributeSets.removeParamAttribute(getContext(), ArgNo, Kind);
716}
717
718void Function::removeParamAttrs(unsigned ArgNo, const AttributeMask &Attrs) {
719 AttributeSets =
720 AttributeSets.removeParamAttributes(getContext(), ArgNo, Attrs);
721}
722
723void Function::addDereferenceableParamAttr(unsigned ArgNo, uint64_t Bytes) {
724 AttributeSets =
725 AttributeSets.addDereferenceableParamAttr(getContext(), ArgNo, Bytes);
726}
727
729 return AttributeSets.hasFnAttr(Kind);
730}
731
732bool Function::hasFnAttribute(StringRef Kind) const {
733 return AttributeSets.hasFnAttr(Kind);
734}
735
737 return AttributeSets.hasRetAttr(Kind);
738}
739
740bool Function::hasParamAttribute(unsigned ArgNo,
741 Attribute::AttrKind Kind) const {
742 return AttributeSets.hasParamAttr(ArgNo, Kind);
743}
744
745bool Function::hasParamAttribute(unsigned ArgNo, StringRef Kind) const {
746 return AttributeSets.hasParamAttr(ArgNo, Kind);
747}
748
749Attribute Function::getAttributeAtIndex(unsigned i,
750 Attribute::AttrKind Kind) const {
751 return AttributeSets.getAttributeAtIndex(i, Kind);
752}
753
754Attribute Function::getAttributeAtIndex(unsigned i, StringRef Kind) const {
755 return AttributeSets.getAttributeAtIndex(i, Kind);
756}
757
758bool Function::hasAttributeAtIndex(unsigned Idx,
759 Attribute::AttrKind Kind) const {
760 return AttributeSets.hasAttributeAtIndex(Idx, Kind);
761}
762
763Attribute Function::getFnAttribute(Attribute::AttrKind Kind) const {
764 return AttributeSets.getFnAttr(Kind);
765}
766
767Attribute Function::getFnAttribute(StringRef Kind) const {
768 return AttributeSets.getFnAttr(Kind);
769}
770
772 return AttributeSets.getRetAttr(Kind);
773}
774
776 uint64_t Default) const {
777 Attribute A = getFnAttribute(Name);
779 if (A.isStringAttribute()) {
780 StringRef Str = A.getValueAsString();
781 if (Str.getAsInteger(0, Result))
782 getContext().emitError("cannot parse integer attribute " + Name);
783 }
784
785 return Result;
786}
787
788/// gets the specified attribute from the list of attributes.
789Attribute Function::getParamAttribute(unsigned ArgNo,
790 Attribute::AttrKind Kind) const {
791 return AttributeSets.getParamAttr(ArgNo, Kind);
792}
793
795 uint64_t Bytes) {
796 AttributeSets = AttributeSets.addDereferenceableOrNullParamAttr(getContext(),
797 ArgNo, Bytes);
798}
799
801 AttributeSets = AttributeSets.addRangeRetAttr(getContext(), CR);
802}
803
805 Attribute Attr = getFnAttribute(Attribute::DenormalFPEnv);
806 if (!Attr.isValid())
808
809 DenormalFPEnv FPEnv = Attr.getDenormalFPEnv();
810 return &FPType == &APFloat::IEEEsingle() ? FPEnv.F32Mode : FPEnv.DefaultMode;
811}
812
814 Attribute Attr = getFnAttribute(Attribute::DenormalFPEnv);
815 return Attr.isValid() ? Attr.getDenormalFPEnv() : DenormalFPEnv::getDefault();
816}
817
818const std::string &Function::getGC() const {
819 assert(hasGC() && "Function has no collector");
820 return getContext().getGC(*this);
821}
822
823void Function::setGC(std::string Str) {
824 setValueSubclassDataBit(14, !Str.empty());
825 getContext().setGC(*this, std::move(Str));
826}
827
828void Function::clearGC() {
829 if (!hasGC())
830 return;
831 getContext().deleteGC(*this);
832 setValueSubclassDataBit(14, false);
833}
834
836 return hasFnAttribute(Attribute::StackProtect) ||
837 hasFnAttribute(Attribute::StackProtectStrong) ||
838 hasFnAttribute(Attribute::StackProtectReq);
839}
840
841/// Copy all additional attributes (those not needed to create a Function) from
842/// the Function Src to this one.
843void Function::copyAttributesFrom(const Function *Src) {
845 setCallingConv(Src->getCallingConv());
846 setAttributes(Src->getAttributes());
847 if (Src->hasGC())
848 setGC(Src->getGC());
849 else
850 clearGC();
851 if (Src->hasPersonalityFn())
852 setPersonalityFn(Src->getPersonalityFn());
853 if (Src->hasPrefixData())
854 setPrefixData(Src->getPrefixData());
855 if (Src->hasPrologueData())
856 setPrologueData(Src->getPrologueData());
857}
858
860 return getAttributes().getMemoryEffects();
861}
864}
865
866/// Determine if the function does not access memory.
868 return getMemoryEffects().doesNotAccessMemory();
869}
872}
873
874/// Determine if the function does not access or only reads memory.
875bool Function::onlyReadsMemory() const {
876 return getMemoryEffects().onlyReadsMemory();
877}
879 setMemoryEffects(getMemoryEffects() & MemoryEffects::readOnly());
880}
881
882/// Determine if the function does not access or only writes memory.
883bool Function::onlyWritesMemory() const {
884 return getMemoryEffects().onlyWritesMemory();
885}
887 setMemoryEffects(getMemoryEffects() & MemoryEffects::writeOnly());
888}
889
890/// Determine if the call can access memory only using pointers based
891/// on its arguments.
893 return getMemoryEffects().onlyAccessesArgPointees();
894}
896 setMemoryEffects(getMemoryEffects() & MemoryEffects::argMemOnly());
897}
898
899/// Determine if the function may only access memory that is
900/// inaccessible from the IR.
902 return getMemoryEffects().onlyAccessesInaccessibleMem();
903}
906}
907
908/// Determine if the function may only access memory that is
909/// either inaccessible from the IR or pointed to by its arguments.
911 return getMemoryEffects().onlyAccessesInaccessibleOrArgMem();
912}
914 setMemoryEffects(getMemoryEffects() &
916}
917
918bool Function::isTargetIntrinsic() const {
919 return Intrinsic::isTargetIntrinsic(IntID);
920}
921
923 LibFuncCache = UnknownLibFunc;
925 if (!Name.starts_with("llvm.")) {
926 HasLLVMReservedName = false;
928 return;
929 }
930 HasLLVMReservedName = true;
931 IntID = Intrinsic::lookupIntrinsicID(Name);
932}
933
934/// hasAddressTaken - returns true if there are any uses of this function
935/// other than direct calls or invokes to it. Optionally ignores callback
936/// uses, assume like pointer annotation calls, and references in llvm.used
937/// and llvm.compiler.used variables.
938bool Function::hasAddressTaken(const User **PutOffender,
939 bool IgnoreCallbackUses,
940 bool IgnoreAssumeLikeCalls, bool IgnoreLLVMUsed,
941 bool IgnoreARCAttachedCall,
942 bool IgnoreCastedDirectCall) const {
943 for (const Use &U : uses()) {
944 const User *FU = U.getUser();
945 if (IgnoreCallbackUses) {
946 AbstractCallSite ACS(&U);
947 if (ACS && ACS.isCallbackCall())
948 continue;
949 }
950
951 const auto *Call = dyn_cast<CallBase>(FU);
952 if (!Call) {
953 if (IgnoreAssumeLikeCalls &&
955 all_of(FU->users(), [](const User *U) {
956 if (const auto *I = dyn_cast<IntrinsicInst>(U))
957 return I->isAssumeLikeIntrinsic();
958 return false;
959 })) {
960 continue;
961 }
962
963 if (IgnoreLLVMUsed && !FU->user_empty()) {
964 const User *FUU = FU;
966 FU->hasOneUse() && !FU->user_begin()->user_empty())
967 FUU = *FU->user_begin();
968 if (llvm::all_of(FUU->users(), [](const User *U) {
969 if (const auto *GV = dyn_cast<GlobalVariable>(U))
970 return GV->hasName() &&
971 (GV->getName() == "llvm.compiler.used" ||
972 GV->getName() == "llvm.used");
973 return false;
974 }))
975 continue;
976 }
977 if (PutOffender)
978 *PutOffender = FU;
979 return true;
980 }
981
982 if (IgnoreAssumeLikeCalls) {
983 if (const auto *I = dyn_cast<IntrinsicInst>(Call))
984 if (I->isAssumeLikeIntrinsic())
985 continue;
986 }
987
988 if (!Call->isCallee(&U) || (!IgnoreCastedDirectCall &&
989 Call->getFunctionType() != getFunctionType())) {
990 if (IgnoreARCAttachedCall &&
991 Call->isOperandBundleOfType(LLVMContext::OB_clang_arc_attachedcall,
992 U.getOperandNo()))
993 continue;
994
995 if (PutOffender)
996 *PutOffender = FU;
997 return true;
998 }
999 }
1000 return false;
1001}
1002
1003bool Function::isDefTriviallyDead() const {
1004 // Check the linkage
1005 if (!hasLinkOnceLinkage() && !hasLocalLinkage() &&
1006 !hasAvailableExternallyLinkage())
1007 return false;
1008
1009 return use_empty();
1010}
1011
1012/// callsFunctionThatReturnsTwice - Return true if the function has a call to
1013/// setjmp or other function that gcc recognizes as "returning twice".
1015 for (const Instruction &I : instructions(this))
1016 if (const auto *Call = dyn_cast<CallBase>(&I))
1017 if (Call->hasFnAttr(Attribute::ReturnsTwice))
1018 return true;
1019
1020 return false;
1021}
1022
1024 assert(hasPersonalityFn() && getNumOperands());
1025 return cast<Constant>(Op<0>());
1026}
1027
1029 setHungoffOperand<0>(Fn);
1030 setValueSubclassDataBit(3, Fn != nullptr);
1031}
1032
1034 assert(hasPrefixData() && getNumOperands());
1035 return cast<Constant>(Op<1>());
1036}
1037
1038void Function::setPrefixData(Constant *PrefixData) {
1039 setHungoffOperand<1>(PrefixData);
1040 setValueSubclassDataBit(1, PrefixData != nullptr);
1041}
1042
1044 assert(hasPrologueData() && getNumOperands());
1045 return cast<Constant>(Op<2>());
1046}
1047
1048void Function::setPrologueData(Constant *PrologueData) {
1049 setHungoffOperand<2>(PrologueData);
1050 setValueSubclassDataBit(2, PrologueData != nullptr);
1051}
1052
1053void Function::allocHungoffUselist() {
1054 // If we've already allocated a uselist, stop here.
1055 if (getNumOperands())
1056 return;
1057
1058 allocHungoffUses(3, /*IsPhi=*/ false);
1059 setNumHungOffUseOperands(3);
1060
1061 // Initialize the uselist with placeholder operands to allow traversal.
1063 Op<0>().set(CPN);
1064 Op<1>().set(CPN);
1065 Op<2>().set(CPN);
1066}
1067
1068template <int Idx>
1069void Function::setHungoffOperand(Constant *C) {
1070 if (C) {
1071 allocHungoffUselist();
1072 Op<Idx>().set(C);
1073 } else if (getNumOperands()) {
1075 }
1076}
1077
1078void Function::setValueSubclassDataBit(unsigned Bit, bool On) {
1079 assert(Bit < 16 && "SubclassData contains only 16 bits");
1080 if (On)
1081 setValueSubclassData(getSubclassDataFromValue() | (1 << Bit));
1082 else
1083 setValueSubclassData(getSubclassDataFromValue() & ~(1 << Bit));
1084}
1085
1087 const DenseSet<GlobalValue::GUID> *S) {
1088#if !defined(NDEBUG)
1089 auto PrevCount = getEntryCount();
1090 assert(!PrevCount || PrevCount->getType() == Count.getType());
1091#endif
1092
1093 auto ImportGUIDs = getImportGUIDs();
1094 if (S == nullptr && ImportGUIDs.size())
1095 S = &ImportGUIDs;
1096
1097 MDBuilder MDB(getContext());
1098 setMetadata(
1099 LLVMContext::MD_prof,
1100 MDB.createFunctionEntryCount(Count.getCount(), Count.isSynthetic(), S));
1101}
1102
1104 const DenseSet<GlobalValue::GUID> *Imports) {
1105 setEntryCount(ProfileCount(Count, Type), Imports);
1106}
1107
1108std::optional<ProfileCount> Function::getEntryCount(bool AllowSynthetic) const {
1109 MDNode *MD = getMetadata(LLVMContext::MD_prof);
1110 if (MD && MD->getOperand(0))
1111 if (MDString *MDS = dyn_cast<MDString>(MD->getOperand(0))) {
1112 if (MDS->getString() == MDProfLabels::FunctionEntryCount) {
1115 // A value of -1 is used for SamplePGO when there were no samples.
1116 // Treat this the same as unknown.
1117 if (Count == (uint64_t)-1)
1118 return std::nullopt;
1119 return ProfileCount(Count, PCT_Real);
1120 } else if (AllowSynthetic &&
1121 MDS->getString() ==
1125 return ProfileCount(Count, PCT_Synthetic);
1126 }
1127 }
1128 return std::nullopt;
1129}
1130
1133 if (MDNode *MD = getMetadata(LLVMContext::MD_prof))
1134 if (MDString *MDS = dyn_cast<MDString>(MD->getOperand(0)))
1135 if (MDS->getString() == MDProfLabels::FunctionEntryCount)
1136 for (unsigned i = 2; i < MD->getNumOperands(); i++)
1138 ->getValue()
1139 .getZExtValue());
1140 return R;
1141}
1142
1143bool Function::nullPointerIsDefined() const {
1144 return hasFnAttribute(Attribute::NullPointerIsValid);
1145}
1146
1147unsigned Function::getVScaleValue() const {
1148 Attribute Attr = getFnAttribute(Attribute::VScaleRange);
1149 if (!Attr.isValid())
1150 return 0;
1151
1152 unsigned VScale = Attr.getVScaleRangeMin();
1153 if (VScale && VScale == Attr.getVScaleRangeMax())
1154 return VScale;
1155
1156 return 0;
1157}
1158
1159bool llvm::NullPointerIsDefined(const Function *F, unsigned AS) {
1160 if (F && F->nullPointerIsDefined())
1161 return true;
1162
1163 if (AS != 0)
1164 return true;
1165
1166 return false;
1167}
1168
1170 switch (CC) {
1171 case CallingConv::C:
1172 case CallingConv::Fast:
1173 case CallingConv::Cold:
1174 case CallingConv::GHC:
1175 case CallingConv::HiPE:
1179 case CallingConv::Swift:
1181 case CallingConv::Tail:
1196 case CallingConv::Win64:
1204 return true;
1209 return false;
1227 case CallingConv::GRAAL:
1244 return true;
1245 default:
1246 return false;
1247 }
1248
1249 llvm_unreachable("covered callingconv switch");
1250}
static unsigned getIntrinsicID(const SDNode *N)
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
AMDGPU Lower Kernel Arguments
MachineBasicBlock MachineBasicBlock::iterator DebugLoc DL
Expand Atomic instructions
This file contains the simple types necessary to represent the attributes associated with functions a...
static const Function * getParent(const Value *V)
This file implements the BitVector class.
static bool setMemoryEffects(Function &F, MemoryEffects ME)
static GCRegistry::Add< ShadowStackGC > C("shadow-stack", "Very portable GC for uncooperative code generators")
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
#define LLVM_EXPORT_TEMPLATE
Definition Compiler.h:215
This file contains the declarations for the subclasses of Constant, which represent the different fla...
DXIL Finalize Linkage
This file defines the DenseSet and SmallDenseSet classes.
@ Default
Module.h This file contains the declarations for the Module class.
This defines the Use class.
#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.
This file contains the declarations for profiling metadata utility functions.
static StringRef getName(Value *V)
static const char * name
This file contains some templates that are useful if you are working with the STL at all.
static Type * getMemoryParamAllocType(AttributeSet ParamAttrs)
For a byval, sret, inalloca, or preallocated parameter, get the in-memory parameter type.
Definition Function.cpp:184
static cl::opt< int > NonGlobalValueMaxNameSize("non-global-value-max-name-size", cl::Hidden, cl::init(1024), cl::desc("Maximum size for the name of non-global values."))
static MutableArrayRef< Argument > makeArgArray(Argument *Args, size_t Count)
Definition Function.cpp:550
static unsigned computeAddrSpace(unsigned AddrSpace, Module *M)
Definition Function.cpp:474
This file defines the SmallString class.
This file defines the SmallVector class.
static SymbolRef::Type getType(const Symbol *Sym)
Definition TapiFile.cpp:39
static const fltSemantics & IEEEsingle()
Definition APFloat.h:296
uint64_t getZExtValue() const
Get zero extended value.
Definition APInt.h:1555
This class represents an incoming formal argument to a Function.
Definition Argument.h:32
LLVM_ABI Type * getParamByRefType() const
If this is a byref argument, return its type.
Definition Function.cpp:234
LLVM_ABI DeadOnReturnInfo getDeadOnReturnInfo() const
Returns information on the memory marked dead_on_return for the argument.
Definition Function.cpp:133
LLVM_ABI Attribute getAttribute(Attribute::AttrKind Kind) const
Definition Function.cpp:346
LLVM_ABI bool hasNoAliasAttr() const
Return true if this argument has the noalias attribute.
Definition Function.cpp:272
LLVM_ABI bool hasNonNullAttr(bool AllowUndefOrPoison=true) const
Return true if this argument has the nonnull attribute.
Definition Function.cpp:115
LLVM_ABI bool hasByRefAttr() const
Return true if this argument has the byref attribute.
Definition Function.cpp:138
LLVM_ABI uint64_t getDereferenceableOrNullBytes() const
If this argument has the dereferenceable_or_null attribute, return the number of bytes known to be de...
Definition Function.cpp:250
LLVM_ABI void addAttr(Attribute::AttrKind Kind)
Definition Function.cpp:320
LLVM_ABI Argument(Type *Ty, const Twine &Name="", Function *F=nullptr, unsigned ArgNo=0)
Argument constructor.
Definition Function.cpp:106
LLVM_ABI bool onlyReadsMemory() const
Return true if this argument has the readonly or readnone attribute.
Definition Function.cpp:308
LLVM_ABI bool hasPointeeInMemoryValueAttr() const
Return true if this argument has the byval, sret, inalloca, preallocated, or byref attribute.
Definition Function.cpp:171
LLVM_ABI bool hasAttribute(Attribute::AttrKind Kind) const
Check if an argument has a given attribute.
Definition Function.cpp:338
LLVM_ABI bool hasReturnedAttr() const
Return true if this argument has the returned attribute.
Definition Function.cpp:296
LLVM_ABI Type * getParamStructRetType() const
If this is an sret argument, return its type.
Definition Function.cpp:229
LLVM_ABI bool hasInRegAttr() const
Return true if this argument has the inreg attribute.
Definition Function.cpp:292
LLVM_ABI bool hasByValAttr() const
Return true if this argument has the byval attribute.
Definition Function.cpp:128
LLVM_ABI bool hasPreallocatedAttr() const
Return true if this argument has the preallocated attribute.
Definition Function.cpp:157
LLVM_ABI bool hasSExtAttr() const
Return true if this argument has the sext attribute.
Definition Function.cpp:304
LLVM_ABI void removeAttr(Attribute::AttrKind Kind)
Remove attributes from an argument.
Definition Function.cpp:328
LLVM_ABI uint64_t getPassPointeeByValueCopySize(const DataLayout &DL) const
If this argument satisfies has hasPassPointeeByValueAttr, return the in-memory ABI size copied to the...
Definition Function.cpp:201
LLVM_ABI void removeAttrs(const AttributeMask &AM)
Definition Function.cpp:332
LLVM_ABI Type * getPointeeInMemoryValueType() const
If hasPointeeInMemoryValueAttr returns true, the in-memory ABI type is returned.
Definition Function.cpp:209
LLVM_ABI bool hasInAllocaAttr() const
Return true if this argument has the inalloca attribute.
Definition Function.cpp:152
LLVM_ABI bool hasSwiftErrorAttr() const
Return true if this argument has the swifterror attribute.
Definition Function.cpp:148
LLVM_ABI FPClassTest getNoFPClass() const
If this argument has nofpclass attribute, return the mask representing disallowed floating-point valu...
Definition Function.cpp:256
LLVM_ABI void addAttrs(AttrBuilder &B)
Add attributes to an argument.
Definition Function.cpp:314
LLVM_ABI bool hasNoFreeAttr() const
Return true if this argument has the nofree attribute.
Definition Function.cpp:282
LLVM_ABI bool hasSwiftSelfAttr() const
Return true if this argument has the swiftself attribute.
Definition Function.cpp:144
LLVM_ABI Type * getParamInAllocaType() const
If this is an inalloca argument, return its type.
Definition Function.cpp:239
LLVM_ABI bool hasZExtAttr() const
Return true if this argument has the zext attribute.
Definition Function.cpp:300
LLVM_ABI Type * getParamByValType() const
If this is a byval argument, return its type.
Definition Function.cpp:224
LLVM_ABI bool hasNestAttr() const
Return true if this argument has the nest attribute.
Definition Function.cpp:267
LLVM_ABI MaybeAlign getParamAlign() const
If this is a byval or inalloca argument, return its alignment.
Definition Function.cpp:215
LLVM_ABI std::optional< ConstantRange > getRange() const
If this argument has a range attribute, return the value range of the argument.
Definition Function.cpp:260
LLVM_ABI bool hasStructRetAttr() const
Return true if this argument has the sret attribute.
Definition Function.cpp:287
LLVM_ABI AttributeSet getAttributes() const
Definition Function.cpp:350
LLVM_ABI bool hasPassPointeeByValueCopyAttr() const
Return true if this argument has the byval, inalloca, or preallocated attribute.
Definition Function.cpp:163
LLVM_ABI MaybeAlign getParamStackAlign() const
Definition Function.cpp:220
LLVM_ABI bool hasNoCaptureAttr() const
Return true if this argument has the nocapture attribute.
Definition Function.cpp:277
LLVM_ABI uint64_t getDereferenceableBytes() const
If this argument has the dereferenceable attribute, return the number of bytes known to be dereferenc...
Definition Function.cpp:244
This class stores enough information to efficiently remove some attributes from an existing AttrBuild...
This class holds the attributes for a particular argument, parameter, function, or return value.
Definition Attributes.h:407
LLVM_ABI Type * getInAllocaType() const
LLVM_ABI Type * getByValType() const
LLVM_ABI Type * getStructRetType() const
LLVM_ABI Type * getPreallocatedType() const
LLVM_ABI Type * getByRefType() const
AttrKind
This enumeration lists the attributes that can be associated with parameters, function results,...
Definition Attributes.h:124
static LLVM_ABI Attribute getWithMemoryEffects(LLVMContext &Context, MemoryEffects ME)
LLVM Basic Block Representation.
Definition BasicBlock.h:62
LLVM_ABI void dropAllReferences()
Cause all subinstructions to "let go" of all the references that said subinstructions are maintaining...
This is the shared class of boolean and integer constants.
Definition Constants.h:87
const APInt & getValue() const
Return the constant as an APInt value reference.
Definition Constants.h:159
static LLVM_ABI ConstantPointerNull * get(PointerType *T)
Static factory methods - Return objects of the specified value.
This class represents a range of values.
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
Implements a dense probed hash-table based set.
Definition DenseSet.h:279
static LLVM_ABI bool isValidReturnType(Type *RetTy)
Return true if the specified type is valid as a return type.
Definition Type.cpp:468
Class to represent profile counts.
Definition Function.h:299
void addFnAttr(Attribute::AttrKind Kind)
Add function attributes to this function.
Definition Function.cpp:638
unsigned getVScaleValue() const
Return the value for vscale based on the vscale_range attribute or 0 when unknown.
static Function * Create(FunctionType *Ty, LinkageTypes Linkage, unsigned AddrSpace, const Twine &N="", Module *M=nullptr)
Definition Function.h:168
void addParamAttrs(unsigned ArgNo, const AttrBuilder &Attrs)
adds the attributes to the list of attributes for the given arg.
Definition Function.cpp:674
void removeRetAttr(Attribute::AttrKind Kind)
removes the attribute from the return value list of attributes.
Definition Function.cpp:698
void addRetAttrs(const AttrBuilder &Attrs)
Add return value attributes to this function.
Definition Function.cpp:662
bool isDefTriviallyDead() const
isDefTriviallyDead - Return true if it is trivially safe to remove this function definition from the ...
bool onlyAccessesInaccessibleMemOrArgMem() const
Determine if the function may only access memory that is either inaccessible from the IR or pointed t...
Definition Function.cpp:910
void splice(Function::iterator ToIt, Function *FromF)
Transfer all blocks from FromF to this function at ToIt.
Definition Function.h:761
BasicBlockListType::iterator iterator
Definition Function.h:70
bool hasAddressTaken(const User **=nullptr, bool IgnoreCallbackUses=false, bool IgnoreAssumeLikeCalls=true, bool IngoreLLVMUsed=false, bool IgnoreARCAttachedCall=false, bool IgnoreCastedDirectCall=false) const
hasAddressTaken - returns true if there are any uses of this function other than direct calls or invo...
Definition Function.cpp:938
void removeParamAttr(unsigned ArgNo, Attribute::AttrKind Kind)
removes the attribute from the list of attributes.
Definition Function.cpp:710
bool nullPointerIsDefined() const
Check if null pointer dereferencing is considered undefined behavior for the function.
Attribute getParamAttribute(unsigned ArgNo, Attribute::AttrKind Kind) const
gets the specified attribute from the list of attributes.
Definition Function.cpp:789
void setPrefixData(Constant *PrefixData)
bool hasStackProtectorFnAttr() const
Returns true if the function has ssp, sspstrong, or sspreq fn attrs.
Definition Function.cpp:835
void removeFromParent()
removeFromParent - This method unlinks 'this' from the containing module, but does not delete it.
Definition Function.cpp:445
const DataLayout & getDataLayout() const
Get the data layout of the module this function belongs to.
Definition Function.cpp:362
void addFnAttrs(const AttrBuilder &Attrs)
Add function attributes to this function.
Definition Function.cpp:650
void renumberBlocks()
Renumber basic blocks into a dense value range starting from 0.
Definition Function.cpp:69
void setDoesNotAccessMemory()
Definition Function.cpp:870
void setGC(std::string Str)
Definition Function.cpp:823
Attribute getFnAttribute(Attribute::AttrKind Kind) const
Return the attribute for the given attribute kind.
Definition Function.cpp:763
uint64_t getFnAttributeAsParsedInteger(StringRef Kind, uint64_t Default=0) const
For a string attribute Kind, parse attribute as an integer.
Definition Function.cpp:775
bool isConstrainedFPIntrinsic() const
Returns true if the function is one of the "Constrained Floating-PointIntrinsics".
Definition Function.cpp:554
void setOnlyAccessesArgMemory()
Definition Function.cpp:895
MemoryEffects getMemoryEffects() const
Definition Function.cpp:859
void setOnlyAccessesInaccessibleMemory()
Definition Function.cpp:904
void removeParamAttrs(unsigned ArgNo, const AttributeMask &Attrs)
removes the attribute from the list of attributes.
Definition Function.cpp:718
bool hasParamAttribute(unsigned ArgNo, Attribute::AttrKind Kind) const
check if an attributes is in the list of attributes.
Definition Function.cpp:740
bool hasAttributeAtIndex(unsigned Idx, Attribute::AttrKind Kind) const
Check if attribute of the given kind is set at the given index.
Definition Function.cpp:758
static Function * createWithDefaultAttr(FunctionType *Ty, LinkageTypes Linkage, unsigned AddrSpace, const Twine &N="", Module *M=nullptr)
Creates a function with some attributes recorded in llvm.module.flags and the LLVMContext applied.
Definition Function.cpp:378
void setOnlyReadsMemory()
Definition Function.cpp:878
bool isTargetIntrinsic() const
isTargetIntrinsic - Returns true if this function is an intrinsic and the intrinsic is specific to a ...
Definition Function.cpp:918
void removeFnAttrs(const AttributeMask &Attrs)
Definition Function.cpp:694
void addRetAttr(Attribute::AttrKind Kind)
Add return value attributes to this function.
Definition Function.cpp:654
DenormalFPEnv getDenormalFPEnv() const
Return the representational value of the denormal_fpenv attribute.
Definition Function.cpp:813
Constant * getPrologueData() const
Get the prologue data associated with this function.
void convertFromNewDbgValues()
Definition Function.cpp:96
Constant * getPersonalityFn() const
Get the personality function associated with this function.
void setOnlyWritesMemory()
Definition Function.cpp:886
void setPersonalityFn(Constant *Fn)
DenseSet< GlobalValue::GUID > getImportGUIDs() const
Returns the set of GUIDs that needs to be imported to the function for sample PGO,...
void removeAttributeAtIndex(unsigned i, Attribute::AttrKind Kind)
removes the attribute from the list of attributes.
Definition Function.cpp:678
void eraseFromParent()
eraseFromParent - This method unlinks 'this' from the containing module and deletes it.
Definition Function.cpp:449
void removeFnAttr(Attribute::AttrKind Kind)
Remove function attributes from this function.
Definition Function.cpp:686
void addDereferenceableOrNullParamAttr(unsigned ArgNo, uint64_t Bytes)
adds the dereferenceable_or_null attribute to the list of attributes for the given arg.
Definition Function.cpp:794
void addRangeRetAttr(const ConstantRange &CR)
adds the range attribute to the list of attributes for the return value.
Definition Function.cpp:800
void stealArgumentListFrom(Function &Src)
Steal arguments from another function.
Definition Function.cpp:567
LLVMContext & getContext() const
getContext - Return a reference to the LLVMContext associated with this function.
Definition Function.cpp:358
const std::string & getGC() const
Definition Function.cpp:818
void addParamAttr(unsigned ArgNo, Attribute::AttrKind Kind)
adds the attribute to the list of attributes for the given arg.
Definition Function.cpp:666
bool doesNotAccessMemory() const
Determine if the function does not access memory.
Definition Function.cpp:867
DenormalMode getDenormalMode(const fltSemantics &FPType) const
Returns the denormal handling type for the default rounding mode of the function.
Definition Function.cpp:804
void updateAfterNameChange()
Update internal caches that depend on the function name (such as the intrinsic ID and libcall cache).
Definition Function.cpp:922
bool callsFunctionThatReturnsTwice() const
callsFunctionThatReturnsTwice - Return true if the function has a call to setjmp or other function th...
bool hasRetAttribute(Attribute::AttrKind Kind) const
check if an attribute is in the list of attributes for the return value.
Definition Function.cpp:736
bool onlyWritesMemory() const
Determine if the function does not access or only writes memory.
Definition Function.cpp:883
std::optional< ProfileCount > getEntryCount(bool AllowSynthetic=false) const
Get the entry count for this function.
bool onlyAccessesInaccessibleMemory() const
Determine if the function may only access memory that is inaccessible from the IR.
Definition Function.cpp:901
void setPrologueData(Constant *PrologueData)
void removeRetAttrs(const AttributeMask &Attrs)
removes the attributes from the return value list of attributes.
Definition Function.cpp:706
bool onlyAccessesArgMemory() const
Determine if the call can access memory only using pointers based on its arguments.
Definition Function.cpp:892
Function::iterator erase(Function::iterator FromIt, Function::iterator ToIt)
Erases a range of BasicBlocks from FromIt to (not including) ToIt.
Definition Function.cpp:465
void setMemoryEffects(MemoryEffects ME)
Definition Function.cpp:862
Constant * getPrefixData() const
Get the prefix data associated with this function.
Attribute getAttributeAtIndex(unsigned i, Attribute::AttrKind Kind) const
gets the attribute from the list of attributes.
Definition Function.cpp:749
iterator end()
Definition Function.h:855
void convertToNewDbgValues()
Definition Function.cpp:90
void setOnlyAccessesInaccessibleMemOrArgMem()
Definition Function.cpp:913
void setEntryCount(ProfileCount Count, const DenseSet< GlobalValue::GUID > *Imports=nullptr)
Set the entry count for this function.
void addDereferenceableParamAttr(unsigned ArgNo, uint64_t Bytes)
adds the dereferenceable attribute to the list of attributes for the given arg.
Definition Function.cpp:723
unsigned getInstructionCount() const
Returns the number of non-debug IR instructions in this function.
Definition Function.cpp:366
bool onlyReadsMemory() const
Determine if the function does not access or only reads memory.
Definition Function.cpp:875
void addAttributeAtIndex(unsigned i, Attribute Attr)
adds the attribute to the list of attributes.
Definition Function.cpp:634
bool hasFnAttribute(Attribute::AttrKind Kind) const
Return true if the function has the attribute.
Definition Function.cpp:728
void copyAttributesFrom(const Function *Src)
copyAttributesFrom - copy all additional attributes (those not needed to create a Function) from the ...
Definition Function.cpp:843
Attribute getRetAttribute(Attribute::AttrKind Kind) const
Return the attribute for the given attribute kind for the return value.
Definition Function.cpp:771
LLVM_ABI void copyAttributesFrom(const GlobalObject *Src)
Definition Globals.cpp:156
This is an important class for using LLVM in a threaded context.
Definition LLVMContext.h:68
Metadata node.
Definition Metadata.h:1080
const MDOperand & getOperand(unsigned I) const
Definition Metadata.h:1444
unsigned getNumOperands() const
Return number of MDNode operands.
Definition Metadata.h:1450
A single uniqued string.
Definition Metadata.h:722
static MemoryEffectsBase readOnly()
Definition ModRef.h:133
static MemoryEffectsBase argMemOnly(ModRefInfo MR=ModRefInfo::ModRef)
Definition ModRef.h:143
static MemoryEffectsBase inaccessibleMemOnly(ModRefInfo MR=ModRefInfo::ModRef)
Definition ModRef.h:149
static MemoryEffectsBase writeOnly()
Definition ModRef.h:138
static MemoryEffectsBase inaccessibleOrArgMemOnly(ModRefInfo MR=ModRefInfo::ModRef)
Definition ModRef.h:166
static MemoryEffectsBase none()
Definition ModRef.h:128
const FunctionListType & getFunctionList() const
Get the Module's list of functions (constant).
Definition Module.h:596
MutableArrayRef - Represent a mutable reference to an array (0 or more elements consecutively in memo...
Definition ArrayRef.h:298
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.
SmallString - A SmallString is just a SmallVector with methods and accessors that make it work better...
Definition SmallString.h:26
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
constexpr bool empty() const
empty - Check if the string is empty.
Definition StringRef.h:140
Twine - A lightweight data structure for efficiently representing the concatenation of temporary valu...
Definition Twine.h:82
A Use represents the edge between a Value definition and its users.
Definition Use.h:35
void dropAllReferences()
Drop all references to operands.
Definition User.h:324
user_iterator user_begin()
Definition Value.h:403
bool hasOneUse() const
Return true if there is exactly one use of this value.
Definition Value.h:440
iterator_range< user_iterator > users()
Definition Value.h:427
bool user_empty() const
Definition Value.h:390
void push_back(pointer val)
Definition ilist.h:250
CallInst * Call
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
constexpr char Attrs[]
Key for Kernel::Metadata::mAttrs.
LLVM_ABI LLVM_READNONE bool supportsNonVoidReturnType(CallingConv::ID CC)
unsigned ID
LLVM IR allows to use arbitrary numbers as calling convention identifiers.
Definition CallingConv.h:24
@ ARM64EC_Thunk_Native
Calling convention used in the ARM64EC ABI to implement calls between ARM64 code and thunks.
@ AArch64_VectorCall
Used between AArch64 Advanced SIMD functions.
@ X86_64_SysV
The C convention as specified in the x86-64 supplement to the System V ABI, used on most non-Windows ...
@ RISCV_VectorCall
Calling convention used for RISC-V V-extension.
@ AMDGPU_CS
Used for Mesa/AMDPAL compute shaders.
@ M68k_INTR
Used for M68k interrupt routines.
@ AMDGPU_VS
Used for Mesa vertex shaders, or AMDPAL last shader stage before rasterization (vertex shader if tess...
@ MSP430_BUILTIN
Used for special MSP430 rtlib functions which have an "optimized" convention using additional registe...
@ AVR_SIGNAL
Used for AVR signal routines.
@ HiPE
Used by the High-Performance Erlang Compiler (HiPE).
Definition CallingConv.h:53
@ Swift
Calling convention for Swift.
Definition CallingConv.h:69
@ AMDGPU_KERNEL
Used for AMDGPU code object kernels.
@ AArch64_SVE_VectorCall
Used between AArch64 SVE functions.
@ ARM_APCS
ARM Procedure Calling Standard (obsolete, but still used on some targets).
@ CFGuard_Check
Special calling convention on Windows for calling the Control Guard Check ICall funtion.
Definition CallingConv.h:82
@ AVR_INTR
Used for AVR interrupt routines.
@ PreserveMost
Used for runtime calls that preserves most registers.
Definition CallingConv.h:63
@ AnyReg
OBSOLETED - Used for stack based JavaScript calls.
Definition CallingConv.h:60
@ AMDGPU_Gfx
Used for AMD graphics targets.
@ DUMMY_HHVM
Placeholders for HHVM calling conventions (deprecated, removed).
@ AMDGPU_CS_ChainPreserve
Used on AMDGPUs to give the middle-end more control over argument placement.
@ AMDGPU_HS
Used for Mesa/AMDPAL hull shaders (= tessellation control shaders).
@ ARM_AAPCS
ARM Architecture Procedure Calling Standard calling convention (aka EABI).
@ AMDGPU_GS
Used for Mesa/AMDPAL geometry shaders.
@ AArch64_SME_ABI_Support_Routines_PreserveMost_From_X2
Preserve X2-X15, X19-X29, SP, Z0-Z31, P0-P15.
@ CXX_FAST_TLS
Used for access functions.
Definition CallingConv.h:72
@ X86_INTR
x86 hardware interrupt context.
@ RISCV_VLSCall_32
Calling convention used for RISC-V V-extension fixed vectors.
@ AArch64_SME_ABI_Support_Routines_PreserveMost_From_X0
Preserve X0-X13, X19-X29, SP, Z0-Z31, P0-P15.
@ WASM_EmscriptenInvoke
For emscripten __invoke_* functions.
@ AMDGPU_CS_Chain
Used on AMDGPUs to give the middle-end more control over argument placement.
@ AVR_BUILTIN
Used for special AVR rtlib functions which have an "optimized" convention to preserve registers.
@ GHC
Used by the Glasgow Haskell Compiler (GHC).
Definition CallingConv.h:50
@ AMDGPU_PS
Used for Mesa/AMDPAL pixel shaders.
@ Cold
Attempts to make code in the caller as efficient as possible under the assumption that the call is no...
Definition CallingConv.h:47
@ AArch64_SME_ABI_Support_Routines_PreserveMost_From_X1
Preserve X1-X15, X19-X29, SP, Z0-Z31, P0-P15.
@ X86_ThisCall
Similar to X86_StdCall.
@ PTX_Device
Call to a PTX device function.
@ SPIR_KERNEL
Used for SPIR kernel functions.
@ PreserveAll
Used for runtime calls that preserves (almost) all registers.
Definition CallingConv.h:66
@ X86_StdCall
stdcall is mostly used by the Win32 API.
Definition CallingConv.h:99
@ SPIR_FUNC
Used for SPIR non-kernel device functions.
@ Fast
Attempts to make calls as fast as possible (e.g.
Definition CallingConv.h:41
@ MSP430_INTR
Used for MSP430 interrupt routines.
@ X86_VectorCall
MSVC calling convention that passes vectors and vector aggregates in SSE registers.
@ Intel_OCL_BI
Used for Intel OpenCL built-ins.
@ PreserveNone
Used for runtime calls that preserves none general registers.
Definition CallingConv.h:90
@ AMDGPU_ES
Used for AMDPAL shader stage before geometry shader if geometry is in use.
@ Tail
Attemps to make calls as fast as possible while guaranteeing that tail call optimization can always b...
Definition CallingConv.h:76
@ Win64
The C convention as implemented on Windows/x86-64 and AArch64.
@ SwiftTail
This follows the Swift calling convention in how arguments are passed but guarantees tail calls will ...
Definition CallingConv.h:87
@ GRAAL
Used by GraalVM. Two additional registers are reserved.
@ AMDGPU_LS
Used for AMDPAL vertex shader if tessellation is in use.
@ ARM_AAPCS_VFP
Same as ARM_AAPCS, but uses hard floating point ABI.
@ ARM64EC_Thunk_X64
Calling convention used in the ARM64EC ABI to implement calls between x64 code and thunks.
@ M68k_RTD
Used for M68k rtd-based CC (similar to X86's stdcall).
@ C
The default llvm calling convention, compatible with C.
Definition CallingConv.h:34
@ X86_FastCall
'fast' analog of X86_StdCall.
LLVM_ABI bool isConstrainedFPIntrinsic(ID QID)
Returns true if the intrinsic ID is for one of the "ConstrainedFloating-Point Intrinsics".
LLVM_ABI ID lookupIntrinsicID(StringRef Name)
This does the actual lookup of an intrinsic ID which matches the given function name.
LLVM_ABI AttributeList getAttributes(LLVMContext &C, ID id, FunctionType *FT)
Return the attributes for an intrinsic.
LLVM_ABI bool getIntrinsicSignature(Intrinsic::ID, FunctionType *FT, SmallVectorImpl< Type * > &ArgTys)
Gets the type arguments of an intrinsic call by matching type contraints specified by the ....
LLVM_ABI bool isTargetIntrinsic(ID IID)
isTargetIntrinsic - Returns true if IID is an intrinsic specific to a certain target.
initializer< Ty > init(const Ty &Val)
std::enable_if_t< detail::IsValidPointer< X, Y >::value, X * > extract_or_null(Y &&MD)
Extract a Value from Metadata, allowing null.
Definition Metadata.h:683
std::enable_if_t< detail::IsValidPointer< X, Y >::value, X * > extract(Y &&MD)
Extract a Value from Metadata.
Definition Metadata.h:668
constexpr double e
Context & getContext() const
Definition BasicBlock.h:99
This is an optimization pass for GlobalISel generic memory operations.
Definition Types.h:26
bool all_of(R &&range, UnaryPredicate P)
Provide wrappers to std::all_of which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1739
unsigned getPointerAddressSpace(const Type *T)
Definition SPIRVUtils.h:374
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
MemoryEffectsBase< IRMemLocation > MemoryEffects
Summary of how a function affects memory in the program.
Definition ModRef.h:356
UWTableKind
Definition CodeGen.h:154
@ None
No unwind table requested.
Definition CodeGen.h:155
LLVM_ABI bool NullPointerIsDefined(const Function *F, unsigned AS=0)
Check whether null pointer dereferencing is considered undefined behavior for a given function or an ...
bool isPointerTy(const Type *T)
Definition SPIRVUtils.h:368
FunctionAddr VTableAddr Count
Definition InstrProf.h:139
Function::ProfileCount ProfileCount
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
DWARFExpression::Operation Op
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
bool capturesNothing(CaptureComponents CC)
Definition ModRef.h:375
#define N
Represents the full denormal controls for a function, including the default mode and the f32 specific...
static constexpr DenormalFPEnv getDefault()
Represent subnormal handling kind for floating point instruction inputs and outputs.
static constexpr DenormalMode getDefault()
Return the assumed default mode for a function without denormal-fp-math.
static LLVM_ABI const char * SyntheticFunctionEntryCount
static LLVM_ABI const char * FunctionEntryCount
This struct is a compact representation of a valid (power of two) or undefined (0) alignment.
Definition Alignment.h:106