LLVM 20.0.0git
IndirectionUtils.cpp
Go to the documentation of this file.
1//===---- IndirectionUtils.cpp - Utilities for call indirection in Orc ----===//
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
12#include "llvm/IR/IRBuilder.h"
13#include "llvm/IR/Module.h"
18
19#define DEBUG_TYPE "orc"
20
21using namespace llvm;
22using namespace llvm::orc;
23
24namespace {
25
26class CompileCallbackMaterializationUnit : public orc::MaterializationUnit {
27public:
28 using CompileFunction = JITCompileCallbackManager::CompileFunction;
29
30 CompileCallbackMaterializationUnit(SymbolStringPtr Name,
31 CompileFunction Compile)
32 : MaterializationUnit(Interface(
34 Name(std::move(Name)), Compile(std::move(Compile)) {}
35
36 StringRef getName() const override { return "<Compile Callbacks>"; }
37
38private:
39 void materialize(std::unique_ptr<MaterializationResponsibility> R) override {
41 Result[Name] = {Compile(), JITSymbolFlags::Exported};
42 // No dependencies, so these calls cannot fail.
43 cantFail(R->notifyResolved(Result));
44 cantFail(R->notifyEmitted({}));
45 }
46
47 void discard(const JITDylib &JD, const SymbolStringPtr &Name) override {
48 llvm_unreachable("Discard should never occur on a LMU?");
49 }
50
52 CompileFunction Compile;
53};
54
55} // namespace
56
57namespace llvm {
58namespace orc {
59
61void IndirectStubsManager::anchor() {}
62
65 if (auto TrampolineAddr = TP->getTrampoline()) {
66 auto CallbackName =
67 ES.intern(std::string("cc") + std::to_string(++NextCallbackId));
68
69 std::lock_guard<std::mutex> Lock(CCMgrMutex);
70 AddrToSymbol[*TrampolineAddr] = CallbackName;
72 CallbacksJD.define(std::make_unique<CompileCallbackMaterializationUnit>(
73 std::move(CallbackName), std::move(Compile))));
74 return *TrampolineAddr;
75 } else
76 return TrampolineAddr.takeError();
77}
78
82
83 {
84 std::unique_lock<std::mutex> Lock(CCMgrMutex);
85 auto I = AddrToSymbol.find(TrampolineAddr);
86
87 // If this address is not associated with a compile callback then report an
88 // error to the execution session and return ErrorHandlerAddress to the
89 // callee.
90 if (I == AddrToSymbol.end()) {
91 Lock.unlock();
92 ES.reportError(
93 make_error<StringError>("No compile callback for trampoline at " +
94 formatv("{0:x}", TrampolineAddr),
96 return ErrorHandlerAddress;
97 } else
98 Name = I->second;
99 }
100
101 if (auto Sym =
104 Name))
105 return Sym->getAddress();
106 else {
107 llvm::dbgs() << "Didn't find callback.\n";
108 // If anything goes wrong materializing Sym then report it to the session
109 // and return the ErrorHandlerAddress;
110 ES.reportError(Sym.takeError());
111 return ErrorHandlerAddress;
112 }
113}
114
116 for (auto &[Name, Dest] : NewDests)
117 if (auto Err = updatePointer(*Name, Dest.getAddress()))
118 return Err;
119 return Error::success();
120}
121
123 std::unique_ptr<MaterializationResponsibility> MR, SymbolMap InitialDests) {
124 StubInitsMap StubInits;
125 for (auto &[Name, Dest] : InitialDests)
126 StubInits[*Name] = {Dest.getAddress(), Dest.getFlags()};
127 if (auto Err = createStubs(StubInits)) {
128 MR->getExecutionSession().reportError(std::move(Err));
129 return MR->failMaterialization();
130 }
131 SymbolMap Stubs;
132 for (auto &[Name, Dest] : InitialDests) {
133 auto StubSym = findStub(*Name, false);
134 assert(StubSym.getAddress() && "Stub symbol should be present");
135 Stubs[Name] = StubSym;
136 }
137 if (auto Err = MR->notifyResolved(Stubs)) {
138 MR->getExecutionSession().reportError(std::move(Err));
139 return MR->failMaterialization();
140 }
141 if (auto Err = MR->notifyEmitted({})) {
142 MR->getExecutionSession().reportError(std::move(Err));
143 return MR->failMaterialization();
144 }
145}
146
149 ExecutorAddr ErrorHandlerAddress) {
150 switch (T.getArch()) {
151 default:
152 return make_error<StringError>(
153 std::string("No callback manager available for ") + T.str(),
155 case Triple::aarch64:
156 case Triple::aarch64_32: {
158 return CCMgrT::Create(ES, ErrorHandlerAddress);
159 }
160
161 case Triple::x86: {
163 return CCMgrT::Create(ES, ErrorHandlerAddress);
164 }
165
166 case Triple::loongarch64: {
168 return CCMgrT::Create(ES, ErrorHandlerAddress);
169 }
170
171 case Triple::mips: {
173 return CCMgrT::Create(ES, ErrorHandlerAddress);
174 }
175 case Triple::mipsel: {
177 return CCMgrT::Create(ES, ErrorHandlerAddress);
178 }
179
180 case Triple::mips64:
181 case Triple::mips64el: {
183 return CCMgrT::Create(ES, ErrorHandlerAddress);
184 }
185
186 case Triple::riscv64: {
188 return CCMgrT::Create(ES, ErrorHandlerAddress);
189 }
190
191 case Triple::x86_64: {
192 if (T.getOS() == Triple::OSType::Win32) {
194 return CCMgrT::Create(ES, ErrorHandlerAddress);
195 } else {
197 return CCMgrT::Create(ES, ErrorHandlerAddress);
198 }
199 }
200
201 }
202}
203
204std::function<std::unique_ptr<IndirectStubsManager>()>
206 switch (T.getArch()) {
207 default:
208 return [](){
209 return std::make_unique<
211 };
212
213 case Triple::aarch64:
215 return [](){
216 return std::make_unique<
218 };
219
220 case Triple::x86:
221 return [](){
222 return std::make_unique<
224 };
225
227 return []() {
228 return std::make_unique<
230 };
231
232 case Triple::mips:
233 return [](){
234 return std::make_unique<
236 };
237
238 case Triple::mipsel:
239 return [](){
240 return std::make_unique<
242 };
243
244 case Triple::mips64:
245 case Triple::mips64el:
246 return [](){
247 return std::make_unique<
249 };
250
251 case Triple::riscv64:
252 return []() {
253 return std::make_unique<
255 };
256
257 case Triple::x86_64:
258 if (T.getOS() == Triple::OSType::Win32) {
259 return [](){
260 return std::make_unique<
262 };
263 } else {
264 return [](){
265 return std::make_unique<
267 };
268 }
269
270 }
271}
272
274 Constant *AddrIntVal =
275 ConstantInt::get(Type::getInt64Ty(FT.getContext()), Addr.getValue());
276 Constant *AddrPtrVal =
277 ConstantExpr::getIntToPtr(AddrIntVal, PointerType::get(&FT, 0));
278 return AddrPtrVal;
279}
280
282 const Twine &Name, Constant *Initializer) {
283 auto IP = new GlobalVariable(M, &PT, false, GlobalValue::ExternalLinkage,
284 Initializer, Name, nullptr,
286 IP->setVisibility(GlobalValue::HiddenVisibility);
287 return IP;
288}
289
290void makeStub(Function &F, Value &ImplPointer) {
291 assert(F.isDeclaration() && "Can't turn a definition into a stub.");
292 assert(F.getParent() && "Function isn't in a module.");
293 Module &M = *F.getParent();
294 BasicBlock *EntryBlock = BasicBlock::Create(M.getContext(), "entry", &F);
295 IRBuilder<> Builder(EntryBlock);
296 LoadInst *ImplAddr = Builder.CreateLoad(F.getType(), &ImplPointer);
297 std::vector<Value*> CallArgs;
298 for (auto &A : F.args())
299 CallArgs.push_back(&A);
300 CallInst *Call = Builder.CreateCall(F.getFunctionType(), ImplAddr, CallArgs);
301 Call->setTailCall();
302 Call->setAttributes(F.getAttributes());
303 if (F.getReturnType()->isVoidTy())
304 Builder.CreateRetVoid();
305 else
306 Builder.CreateRet(Call);
307}
308
309std::vector<GlobalValue *> SymbolLinkagePromoter::operator()(Module &M) {
310 std::vector<GlobalValue *> PromotedGlobals;
311
312 for (auto &GV : M.global_values()) {
313 bool Promoted = true;
314
315 // Rename if necessary.
316 if (!GV.hasName())
317 GV.setName("__orc_anon." + Twine(NextId++));
318 else if (GV.getName().starts_with("\01L"))
319 GV.setName("__" + GV.getName().substr(1) + "." + Twine(NextId++));
320 else if (GV.hasLocalLinkage())
321 GV.setName("__orc_lcl." + GV.getName() + "." + Twine(NextId++));
322 else
323 Promoted = false;
324
325 if (GV.hasLocalLinkage()) {
326 GV.setLinkage(GlobalValue::ExternalLinkage);
327 GV.setVisibility(GlobalValue::HiddenVisibility);
328 Promoted = true;
329 }
330 GV.setUnnamedAddr(GlobalValue::UnnamedAddr::None);
331
332 if (Promoted)
333 PromotedGlobals.push_back(&GV);
334 }
335
336 return PromotedGlobals;
337}
338
340 ValueToValueMapTy *VMap) {
341 Function *NewF =
342 Function::Create(cast<FunctionType>(F.getValueType()),
343 F.getLinkage(), F.getName(), &Dst);
344 NewF->copyAttributesFrom(&F);
345
346 if (VMap) {
347 (*VMap)[&F] = NewF;
348 auto NewArgI = NewF->arg_begin();
349 for (auto ArgI = F.arg_begin(), ArgE = F.arg_end(); ArgI != ArgE;
350 ++ArgI, ++NewArgI)
351 (*VMap)[&*ArgI] = &*NewArgI;
352 }
353
354 return NewF;
355}
356
358 ValueToValueMapTy *VMap) {
359 GlobalVariable *NewGV = new GlobalVariable(
360 Dst, GV.getValueType(), GV.isConstant(),
361 GV.getLinkage(), nullptr, GV.getName(), nullptr,
363 NewGV->copyAttributesFrom(&GV);
364 if (VMap)
365 (*VMap)[&GV] = NewGV;
366 return NewGV;
367}
368
370 ValueToValueMapTy &VMap) {
371 assert(OrigA.getAliasee() && "Original alias doesn't have an aliasee?");
372 auto *NewA = GlobalAlias::create(OrigA.getValueType(),
374 OrigA.getLinkage(), OrigA.getName(), &Dst);
375 NewA->copyAttributesFrom(&OrigA);
376 VMap[&OrigA] = NewA;
377 return NewA;
378}
379
382 MCDisassembler &Disassembler,
383 MCInstrAnalysis &MIA) {
384 // AArch64 appears to already come with the necessary relocations. Among other
385 // architectures, only x86_64 is currently implemented here.
386 if (G.getTargetTriple().getArch() != Triple::x86_64)
387 return Error::success();
388
389 raw_null_ostream CommentStream;
390 auto &STI = Disassembler.getSubtargetInfo();
391
392 // Determine the function bounds
393 auto &B = Sym.getBlock();
394 assert(!B.isZeroFill() && "expected content block");
395 auto SymAddress = Sym.getAddress();
396 auto SymStartInBlock =
397 (const uint8_t *)B.getContent().data() + Sym.getOffset();
398 auto SymSize = Sym.getSize() ? Sym.getSize() : B.getSize() - Sym.getOffset();
399 auto Content = ArrayRef(SymStartInBlock, SymSize);
400
401 LLVM_DEBUG(dbgs() << "Adding self-relocations to " << Sym.getName() << "\n");
402
403 SmallDenseSet<uintptr_t, 8> ExistingRelocations;
404 for (auto &E : B.edges()) {
405 if (E.isRelocation())
406 ExistingRelocations.insert(E.getOffset());
407 }
408
409 size_t I = 0;
410 while (I < Content.size()) {
411 MCInst Instr;
412 uint64_t InstrSize = 0;
413 uint64_t InstrStart = SymAddress.getValue() + I;
414 auto DecodeStatus = Disassembler.getInstruction(
415 Instr, InstrSize, Content.drop_front(I), InstrStart, CommentStream);
417 LLVM_DEBUG(dbgs() << "Aborting due to disassembly failure at address "
418 << InstrStart);
419 return make_error<StringError>(
420 formatv("failed to disassemble at address {0:x16}", InstrStart),
422 }
423 // Advance to the next instruction.
424 I += InstrSize;
425
426 // Check for a PC-relative address equal to the symbol itself.
427 auto PCRelAddr =
428 MIA.evaluateMemoryOperandAddress(Instr, &STI, InstrStart, InstrSize);
429 if (!PCRelAddr || *PCRelAddr != SymAddress.getValue())
430 continue;
431
432 auto RelocOffInInstr =
433 MIA.getMemoryOperandRelocationOffset(Instr, InstrSize);
434 if (!RelocOffInInstr || InstrSize - *RelocOffInInstr != 4) {
435 LLVM_DEBUG(dbgs() << "Skipping unknown self-relocation at "
436 << InstrStart);
437 continue;
438 }
439
440 auto RelocOffInBlock = orc::ExecutorAddr(InstrStart) + *RelocOffInInstr -
441 SymAddress + Sym.getOffset();
442 if (ExistingRelocations.contains(RelocOffInBlock))
443 continue;
444
445 LLVM_DEBUG(dbgs() << "Adding delta32 self-relocation at " << InstrStart);
446 B.addEdge(jitlink::x86_64::Delta32, RelocOffInBlock, Sym, /*Addend=*/-4);
447 }
448 return Error::success();
449}
450
451} // End namespace orc.
452} // End namespace llvm.
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
#define LLVM_DEBUG(...)
Definition: Debug.h:106
T Content
uint64_t Addr
std::string Name
Symbol * Sym
Definition: ELF_riscv.cpp:479
Module.h This file contains the declarations for the Module class.
#define F(x, y, z)
Definition: MD5.cpp:55
#define I(x, y, z)
Definition: MD5.cpp:58
#define G(x, y, z)
Definition: MD5.cpp:56
assert(ImpDefSCC.getReg()==AMDGPU::SCC &&ImpDefSCC.isDef())
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition: ArrayRef.h:41
LLVM Basic Block Representation.
Definition: BasicBlock.h:61
static BasicBlock * Create(LLVMContext &Context, const Twine &Name="", Function *Parent=nullptr, BasicBlock *InsertBefore=nullptr)
Creates a new BasicBlock.
Definition: BasicBlock.h:212
This class represents a function call, abstracting a target machine's calling convention.
static Constant * getIntToPtr(Constant *C, Type *Ty, bool OnlyIfReduced=false)
Definition: Constants.cpp:2307
This is an important base class in LLVM.
Definition: Constant.h:42
Lightweight error class with error context and mandatory checking.
Definition: Error.h:160
static ErrorSuccess success()
Create a success value.
Definition: Error.h:337
Tagged union holding either a T or a Error.
Definition: Error.h:481
Class to represent function types.
Definition: DerivedTypes.h:105
static Function * Create(FunctionType *Ty, LinkageTypes Linkage, unsigned AddrSpace, const Twine &N="", Module *M=nullptr)
Definition: Function.h:173
arg_iterator arg_begin()
Definition: Function.h:868
void copyAttributesFrom(const Function *Src)
copyAttributesFrom - copy all additional attributes (those not needed to create a Function) from the ...
Definition: Function.cpp:860
const Constant * getAliasee() const
Definition: GlobalAlias.h:86
static 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:557
LinkageTypes getLinkage() const
Definition: GlobalValue.h:546
ThreadLocalMode getThreadLocalMode() const
Definition: GlobalValue.h:271
PointerType * getType() const
Global values are always pointers.
Definition: GlobalValue.h:294
@ HiddenVisibility
The GV is hidden.
Definition: GlobalValue.h:68
@ ExternalLinkage
Externally visible function.
Definition: GlobalValue.h:52
Type * getValueType() const
Definition: GlobalValue.h:296
void copyAttributesFrom(const GlobalVariable *Src)
copyAttributesFrom - copy all additional attributes (those not needed to create a GlobalVariable) fro...
Definition: Globals.cpp:521
bool isConstant() const
If the value is a global constant, its value is immutable throughout the runtime execution of the pro...
ReturnInst * CreateRet(Value *V)
Create a 'ret <val>' instruction.
Definition: IRBuilder.h:1119
LoadInst * CreateLoad(Type *Ty, Value *Ptr, const char *Name)
Provided to resolve 'CreateLoad(Ty, Ptr, "...")' correctly, instead of converting the string to 'bool...
Definition: IRBuilder.h:1813
ReturnInst * CreateRetVoid()
Create a 'ret void' instruction.
Definition: IRBuilder.h:1114
CallInst * CreateCall(FunctionType *FTy, Value *Callee, ArrayRef< Value * > Args={}, const Twine &Name="", MDNode *FPMathTag=nullptr)
Definition: IRBuilder.h:2444
This provides a uniform API for creating instructions and inserting them into a basic block: either a...
Definition: IRBuilder.h:2697
An instruction for reading from memory.
Definition: Instructions.h:176
Superclass for all disassemblers.
const MCSubtargetInfo & getSubtargetInfo() const
DecodeStatus
Ternary decode status.
virtual DecodeStatus getInstruction(MCInst &Instr, uint64_t &Size, ArrayRef< uint8_t > Bytes, uint64_t Address, raw_ostream &CStream) const =0
Returns the disassembly of a single instruction.
Instances of this class represent a single low-level machine instruction.
Definition: MCInst.h:185
virtual std::optional< uint64_t > getMemoryOperandRelocationOffset(const MCInst &Inst, uint64_t Size) const
Given an instruction with a memory operand that could require relocation, returns the offset within t...
virtual std::optional< uint64_t > evaluateMemoryOperandAddress(const MCInst &Inst, const MCSubtargetInfo *STI, uint64_t Addr, uint64_t Size) const
Given an instruction tries to get the address of a memory operand.
A Module instance is used to store all the information related to an LLVM module.
Definition: Module.h:65
Class to represent pointers.
Definition: DerivedTypes.h:670
static PointerType * get(Type *ElementType, unsigned AddressSpace)
This constructs a pointer to an object of the specified type in a numbered address space.
unsigned getAddressSpace() const
Return the address space of the Pointer type.
Definition: DerivedTypes.h:703
Implements a dense probed hash-table based set with some number of buckets stored inline.
Definition: DenseSet.h:298
StringMap - This is an unconventional map that is specialized for handling keys that are "strings",...
Definition: StringMap.h:128
StringRef - Represent a constant reference to a string, i.e.
Definition: StringRef.h:51
Triple - Helper class for working with autoconf configuration names.
Definition: Triple.h:44
@ loongarch64
Definition: Triple.h:62
@ mips64el
Definition: Triple.h:67
@ aarch64_32
Definition: Triple.h:53
Twine - A lightweight data structure for efficiently representing the concatenation of temporary valu...
Definition: Twine.h:81
unsigned getPointerAddressSpace() const
Get the address space of this pointer or pointer vector type.
LLVMContext & getContext() const
Return the LLVMContext in which this type was uniqued.
Definition: Type.h:128
static IntegerType * getInt64Ty(LLVMContext &C)
LLVM Value Representation.
Definition: Value.h:74
StringRef getName() const
Return a constant reference to the value's name.
Definition: Value.cpp:309
std::pair< iterator, bool > insert(const ValueT &V)
Definition: DenseSet.h:213
bool contains(const_arg_type_t< ValueT > V) const
Check if the set contains the given element.
Definition: DenseSet.h:193
An ExecutionSession represents a running JIT program.
Definition: Core.h:1339
void reportError(Error Err)
Report a error for this execution session.
Definition: Core.h:1474
SymbolStringPtr intern(StringRef SymName)
Add a symbol name to the SymbolStringPool and return a pointer to it.
Definition: Core.h:1393
void lookup(LookupKind K, const JITDylibSearchOrder &SearchOrder, SymbolLookupSet Symbols, SymbolState RequiredState, SymbolsResolvedCallback NotifyComplete, RegisterDependenciesFunction RegisterDependencies)
Search the given JITDylibs for the given symbols.
Definition: Core.cpp:1788
Represents an address in the executor process.
virtual ExecutorSymbolDef findStub(StringRef Name, bool ExportedStubsOnly)=0
Find the stub with the given name.
virtual Error updatePointer(StringRef Name, ExecutorAddr NewAddr)=0
Change the value of the implementation pointer for the stub.
virtual Error createStubs(const StubInitsMap &StubInits)=0
Create StubInits.size() stubs with the given names, target addresses, and flags.
void emitRedirectableSymbols(std::unique_ptr< MaterializationResponsibility > MR, SymbolMap InitialDests) override
Emit redirectable symbol.
Error redirect(JITDylib &JD, const SymbolMap &NewDests) override
— RedirectableSymbolManager implementation —
ExecutorAddr executeCompileCallback(ExecutorAddr TrampolineAddr)
Execute the callback for the given trampoline id.
Expected< ExecutorAddr > getCompileCallback(CompileFunction Compile)
Reserve a compile callback.
std::function< ExecutorAddr()> CompileFunction
Represents a JIT'd dynamic library.
Definition: Core.h:897
Error define(std::unique_ptr< MaterializationUnitType > &&MU, ResourceTrackerSP RT=nullptr)
Define all symbols provided by the materialization unit to be part of this JITDylib.
Definition: Core.h:1822
IndirectStubsManager implementation for the host architecture, e.g.
Manage compile callbacks for in-process JITs.
A MaterializationUnit represents a set of symbol definitions that can be materialized as a group,...
virtual StringRef getName() const =0
Return the name of this materialization unit.
virtual void materialize(std::unique_ptr< MaterializationResponsibility > R)=0
Implementations of this method should materialize all symbols in the materialzation unit,...
std::vector< GlobalValue * > operator()(Module &M)
Promote symbols in the given module.
Pointer to a pooled string representing a symbol name.
A raw_ostream that discards all output.
Definition: raw_ostream.h:731
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
JITDylibSearchOrder makeJITDylibSearchOrder(ArrayRef< JITDylib * > JDs, JITDylibLookupFlags Flags=JITDylibLookupFlags::MatchExportedSymbolsOnly)
Convenience function for creating a search order from an ArrayRef of JITDylib*, all with the same fla...
Definition: Core.h:177
Constant * createIRTypedAddress(FunctionType &FT, ExecutorAddr Addr)
Build a function pointer of FunctionType with the given constant address.
Expected< std::unique_ptr< JITCompileCallbackManager > > createLocalCompileCallbackManager(const Triple &T, ExecutionSession &ES, ExecutorAddr ErrorHandlerAddress)
Create a local compile callback manager.
void makeStub(Function &F, Value &ImplPointer)
Turn a function declaration into a stub function that makes an indirect call using the given function...
Error addFunctionPointerRelocationsToCurrentSymbol(jitlink::Symbol &Sym, jitlink::LinkGraph &G, MCDisassembler &Disassembler, MCInstrAnalysis &MIA)
Introduce relocations to Sym in its own definition if there are any pointers formed via PC-relative a...
DenseMap< SymbolStringPtr, JITSymbolFlags > SymbolFlagsMap
A map from symbol names (as SymbolStringPtrs) to JITSymbolFlags.
GlobalVariable * cloneGlobalVariableDecl(Module &Dst, const GlobalVariable &GV, ValueToValueMapTy *VMap=nullptr)
Clone a global variable declaration into a new module.
Function * cloneFunctionDecl(Module &Dst, const Function &F, ValueToValueMapTy *VMap=nullptr)
Clone a function declaration into a new module.
std::function< std::unique_ptr< IndirectStubsManager >()> createLocalIndirectStubsManagerBuilder(const Triple &T)
Create a local indirect stubs manager builder.
GlobalAlias * cloneGlobalAliasDecl(Module &Dst, const GlobalAlias &OrigA, ValueToValueMapTy &VMap)
Clone a global alias declaration into a new module.
GlobalVariable * createImplPointer(PointerType &PT, Module &M, const Twine &Name, Constant *Initializer)
Create a function pointer with the given type, name, and initializer in the given Module.
This is an optimization pass for GlobalISel generic memory operations.
Definition: AddressRanges.h:18
std::error_code inconvertibleErrorCode()
The value returned by this function can be returned from convertToErrorCode for Error values where no...
Definition: Error.cpp:98
auto formatv(bool Validate, const char *Fmt, Ts &&...Vals)
raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
Definition: Debug.cpp:163
void cantFail(Error Err, const char *Msg=nullptr)
Report a fatal error if Err is a failure value.
Definition: Error.h:756