1 //===-- MCJIT.cpp - MC-based Just-in-Time Compiler ------------------------===//
2 //
3 // The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9
10 #include "MCJIT.h"
11 #include "llvm/ADT/STLExtras.h"
12 #include "llvm/ExecutionEngine/GenericValue.h"
13 #include "llvm/ExecutionEngine/JITEventListener.h"
14 #include "llvm/ExecutionEngine/MCJIT.h"
15 #include "llvm/ExecutionEngine/SectionMemoryManager.h"
16 #include "llvm/IR/DataLayout.h"
17 #include "llvm/IR/DerivedTypes.h"
18 #include "llvm/IR/Function.h"
19 #include "llvm/IR/LegacyPassManager.h"
20 #include "llvm/IR/Mangler.h"
21 #include "llvm/IR/Module.h"
22 #include "llvm/Object/Archive.h"
23 #include "llvm/Object/ObjectFile.h"
24 #include "llvm/Support/DynamicLibrary.h"
25 #include "llvm/Support/ErrorHandling.h"
26 #include "llvm/Support/MemoryBuffer.h"
27 #include "llvm/Support/MutexGuard.h"
28
29 using namespace llvm;
30
31 namespace {
32
33 static struct RegisterJIT {
RegisterJIT__anon0291f4000111::RegisterJIT34 RegisterJIT() { MCJIT::Register(); }
35 } JITRegistrator;
36
37 }
38
LLVMLinkInMCJIT()39 extern "C" void LLVMLinkInMCJIT() {
40 }
41
42 ExecutionEngine *
createJIT(std::unique_ptr<Module> M,std::string * ErrorStr,std::shared_ptr<MCJITMemoryManager> MemMgr,std::shared_ptr<LegacyJITSymbolResolver> Resolver,std::unique_ptr<TargetMachine> TM)43 MCJIT::createJIT(std::unique_ptr<Module> M, std::string *ErrorStr,
44 std::shared_ptr<MCJITMemoryManager> MemMgr,
45 std::shared_ptr<LegacyJITSymbolResolver> Resolver,
46 std::unique_ptr<TargetMachine> TM) {
47 // Try to register the program as a source of symbols to resolve against.
48 //
49 // FIXME: Don't do this here.
50 sys::DynamicLibrary::LoadLibraryPermanently(nullptr, nullptr);
51
52 if (!MemMgr || !Resolver) {
53 auto RTDyldMM = std::make_shared<SectionMemoryManager>();
54 if (!MemMgr)
55 MemMgr = RTDyldMM;
56 if (!Resolver)
57 Resolver = RTDyldMM;
58 }
59
60 return new MCJIT(std::move(M), std::move(TM), std::move(MemMgr),
61 std::move(Resolver));
62 }
63
MCJIT(std::unique_ptr<Module> M,std::unique_ptr<TargetMachine> TM,std::shared_ptr<MCJITMemoryManager> MemMgr,std::shared_ptr<LegacyJITSymbolResolver> Resolver)64 MCJIT::MCJIT(std::unique_ptr<Module> M, std::unique_ptr<TargetMachine> TM,
65 std::shared_ptr<MCJITMemoryManager> MemMgr,
66 std::shared_ptr<LegacyJITSymbolResolver> Resolver)
67 : ExecutionEngine(TM->createDataLayout(), std::move(M)), TM(std::move(TM)),
68 Ctx(nullptr), MemMgr(std::move(MemMgr)),
69 Resolver(*this, std::move(Resolver)), Dyld(*this->MemMgr, this->Resolver),
70 ObjCache(nullptr) {
71 // FIXME: We are managing our modules, so we do not want the base class
72 // ExecutionEngine to manage them as well. To avoid double destruction
73 // of the first (and only) module added in ExecutionEngine constructor
74 // we remove it from EE and will destruct it ourselves.
75 //
76 // It may make sense to move our module manager (based on SmallStPtr) back
77 // into EE if the JIT and Interpreter can live with it.
78 // If so, additional functions: addModule, removeModule, FindFunctionNamed,
79 // runStaticConstructorsDestructors could be moved back to EE as well.
80 //
81 std::unique_ptr<Module> First = std::move(Modules[0]);
82 Modules.clear();
83
84 if (First->getDataLayout().isDefault())
85 First->setDataLayout(getDataLayout());
86
87 OwnedModules.addModule(std::move(First));
88 RegisterJITEventListener(JITEventListener::createGDBRegistrationListener());
89 }
90
~MCJIT()91 MCJIT::~MCJIT() {
92 MutexGuard locked(lock);
93
94 Dyld.deregisterEHFrames();
95
96 for (auto &Obj : LoadedObjects)
97 if (Obj)
98 NotifyFreeingObject(*Obj);
99
100 Archives.clear();
101 }
102
addModule(std::unique_ptr<Module> M)103 void MCJIT::addModule(std::unique_ptr<Module> M) {
104 MutexGuard locked(lock);
105
106 if (M->getDataLayout().isDefault())
107 M->setDataLayout(getDataLayout());
108
109 OwnedModules.addModule(std::move(M));
110 }
111
removeModule(Module * M)112 bool MCJIT::removeModule(Module *M) {
113 MutexGuard locked(lock);
114 return OwnedModules.removeModule(M);
115 }
116
addObjectFile(std::unique_ptr<object::ObjectFile> Obj)117 void MCJIT::addObjectFile(std::unique_ptr<object::ObjectFile> Obj) {
118 std::unique_ptr<RuntimeDyld::LoadedObjectInfo> L = Dyld.loadObject(*Obj);
119 if (Dyld.hasError())
120 report_fatal_error(Dyld.getErrorString());
121
122 NotifyObjectEmitted(*Obj, *L);
123
124 LoadedObjects.push_back(std::move(Obj));
125 }
126
addObjectFile(object::OwningBinary<object::ObjectFile> Obj)127 void MCJIT::addObjectFile(object::OwningBinary<object::ObjectFile> Obj) {
128 std::unique_ptr<object::ObjectFile> ObjFile;
129 std::unique_ptr<MemoryBuffer> MemBuf;
130 std::tie(ObjFile, MemBuf) = Obj.takeBinary();
131 addObjectFile(std::move(ObjFile));
132 Buffers.push_back(std::move(MemBuf));
133 }
134
addArchive(object::OwningBinary<object::Archive> A)135 void MCJIT::addArchive(object::OwningBinary<object::Archive> A) {
136 Archives.push_back(std::move(A));
137 }
138
setObjectCache(ObjectCache * NewCache)139 void MCJIT::setObjectCache(ObjectCache* NewCache) {
140 MutexGuard locked(lock);
141 ObjCache = NewCache;
142 }
143
emitObject(Module * M)144 std::unique_ptr<MemoryBuffer> MCJIT::emitObject(Module *M) {
145 assert(M && "Can not emit a null module");
146
147 MutexGuard locked(lock);
148
149 // Materialize all globals in the module if they have not been
150 // materialized already.
151 cantFail(M->materializeAll());
152
153 // This must be a module which has already been added but not loaded to this
154 // MCJIT instance, since these conditions are tested by our caller,
155 // generateCodeForModule.
156
157 legacy::PassManager PM;
158
159 // The RuntimeDyld will take ownership of this shortly
160 SmallVector<char, 4096> ObjBufferSV;
161 raw_svector_ostream ObjStream(ObjBufferSV);
162
163 // Turn the machine code intermediate representation into bytes in memory
164 // that may be executed.
165 if (TM->addPassesToEmitMC(PM, Ctx, ObjStream, !getVerifyModules()))
166 report_fatal_error("Target does not support MC emission!");
167
168 // Initialize passes.
169 PM.run(*M);
170 // Flush the output buffer to get the generated code into memory
171
172 std::unique_ptr<MemoryBuffer> CompiledObjBuffer(
173 new SmallVectorMemoryBuffer(std::move(ObjBufferSV)));
174
175 // If we have an object cache, tell it about the new object.
176 // Note that we're using the compiled image, not the loaded image (as below).
177 if (ObjCache) {
178 // MemoryBuffer is a thin wrapper around the actual memory, so it's OK
179 // to create a temporary object here and delete it after the call.
180 MemoryBufferRef MB = CompiledObjBuffer->getMemBufferRef();
181 ObjCache->notifyObjectCompiled(M, MB);
182 }
183
184 return CompiledObjBuffer;
185 }
186
generateCodeForModule(Module * M)187 void MCJIT::generateCodeForModule(Module *M) {
188 // Get a thread lock to make sure we aren't trying to load multiple times
189 MutexGuard locked(lock);
190
191 // This must be a module which has already been added to this MCJIT instance.
192 assert(OwnedModules.ownsModule(M) &&
193 "MCJIT::generateCodeForModule: Unknown module.");
194
195 // Re-compilation is not supported
196 if (OwnedModules.hasModuleBeenLoaded(M))
197 return;
198
199 std::unique_ptr<MemoryBuffer> ObjectToLoad;
200 // Try to load the pre-compiled object from cache if possible
201 if (ObjCache)
202 ObjectToLoad = ObjCache->getObject(M);
203
204 assert(M->getDataLayout() == getDataLayout() && "DataLayout Mismatch");
205
206 // If the cache did not contain a suitable object, compile the object
207 if (!ObjectToLoad) {
208 ObjectToLoad = emitObject(M);
209 assert(ObjectToLoad && "Compilation did not produce an object.");
210 }
211
212 // Load the object into the dynamic linker.
213 // MCJIT now owns the ObjectImage pointer (via its LoadedObjects list).
214 Expected<std::unique_ptr<object::ObjectFile>> LoadedObject =
215 object::ObjectFile::createObjectFile(ObjectToLoad->getMemBufferRef());
216 if (!LoadedObject) {
217 std::string Buf;
218 raw_string_ostream OS(Buf);
219 logAllUnhandledErrors(LoadedObject.takeError(), OS, "");
220 OS.flush();
221 report_fatal_error(Buf);
222 }
223 std::unique_ptr<RuntimeDyld::LoadedObjectInfo> L =
224 Dyld.loadObject(*LoadedObject.get());
225
226 if (Dyld.hasError())
227 report_fatal_error(Dyld.getErrorString());
228
229 NotifyObjectEmitted(*LoadedObject.get(), *L);
230
231 Buffers.push_back(std::move(ObjectToLoad));
232 LoadedObjects.push_back(std::move(*LoadedObject));
233
234 OwnedModules.markModuleAsLoaded(M);
235 }
236
finalizeLoadedModules()237 void MCJIT::finalizeLoadedModules() {
238 MutexGuard locked(lock);
239
240 // Resolve any outstanding relocations.
241 Dyld.resolveRelocations();
242
243 OwnedModules.markAllLoadedModulesAsFinalized();
244
245 // Register EH frame data for any module we own which has been loaded
246 Dyld.registerEHFrames();
247
248 // Set page permissions.
249 MemMgr->finalizeMemory();
250 }
251
252 // FIXME: Rename this.
finalizeObject()253 void MCJIT::finalizeObject() {
254 MutexGuard locked(lock);
255
256 // Generate code for module is going to move objects out of the 'added' list,
257 // so we need to copy that out before using it:
258 SmallVector<Module*, 16> ModsToAdd;
259 for (auto M : OwnedModules.added())
260 ModsToAdd.push_back(M);
261
262 for (auto M : ModsToAdd)
263 generateCodeForModule(M);
264
265 finalizeLoadedModules();
266 }
267
finalizeModule(Module * M)268 void MCJIT::finalizeModule(Module *M) {
269 MutexGuard locked(lock);
270
271 // This must be a module which has already been added to this MCJIT instance.
272 assert(OwnedModules.ownsModule(M) && "MCJIT::finalizeModule: Unknown module.");
273
274 // If the module hasn't been compiled, just do that.
275 if (!OwnedModules.hasModuleBeenLoaded(M))
276 generateCodeForModule(M);
277
278 finalizeLoadedModules();
279 }
280
findExistingSymbol(const std::string & Name)281 JITSymbol MCJIT::findExistingSymbol(const std::string &Name) {
282 if (void *Addr = getPointerToGlobalIfAvailable(Name))
283 return JITSymbol(static_cast<uint64_t>(
284 reinterpret_cast<uintptr_t>(Addr)),
285 JITSymbolFlags::Exported);
286
287 return Dyld.getSymbol(Name);
288 }
289
findModuleForSymbol(const std::string & Name,bool CheckFunctionsOnly)290 Module *MCJIT::findModuleForSymbol(const std::string &Name,
291 bool CheckFunctionsOnly) {
292 StringRef DemangledName = Name;
293 if (DemangledName[0] == getDataLayout().getGlobalPrefix())
294 DemangledName = DemangledName.substr(1);
295
296 MutexGuard locked(lock);
297
298 // If it hasn't already been generated, see if it's in one of our modules.
299 for (ModulePtrSet::iterator I = OwnedModules.begin_added(),
300 E = OwnedModules.end_added();
301 I != E; ++I) {
302 Module *M = *I;
303 Function *F = M->getFunction(DemangledName);
304 if (F && !F->isDeclaration())
305 return M;
306 if (!CheckFunctionsOnly) {
307 GlobalVariable *G = M->getGlobalVariable(DemangledName);
308 if (G && !G->isDeclaration())
309 return M;
310 // FIXME: Do we need to worry about global aliases?
311 }
312 }
313 // We didn't find the symbol in any of our modules.
314 return nullptr;
315 }
316
getSymbolAddress(const std::string & Name,bool CheckFunctionsOnly)317 uint64_t MCJIT::getSymbolAddress(const std::string &Name,
318 bool CheckFunctionsOnly) {
319 std::string MangledName;
320 {
321 raw_string_ostream MangledNameStream(MangledName);
322 Mangler::getNameWithPrefix(MangledNameStream, Name, getDataLayout());
323 }
324 if (auto Sym = findSymbol(MangledName, CheckFunctionsOnly)) {
325 if (auto AddrOrErr = Sym.getAddress())
326 return *AddrOrErr;
327 else
328 report_fatal_error(AddrOrErr.takeError());
329 } else
330 report_fatal_error(Sym.takeError());
331 }
332
findSymbol(const std::string & Name,bool CheckFunctionsOnly)333 JITSymbol MCJIT::findSymbol(const std::string &Name,
334 bool CheckFunctionsOnly) {
335 MutexGuard locked(lock);
336
337 // First, check to see if we already have this symbol.
338 if (auto Sym = findExistingSymbol(Name))
339 return Sym;
340
341 for (object::OwningBinary<object::Archive> &OB : Archives) {
342 object::Archive *A = OB.getBinary();
343 // Look for our symbols in each Archive
344 auto OptionalChildOrErr = A->findSym(Name);
345 if (!OptionalChildOrErr)
346 report_fatal_error(OptionalChildOrErr.takeError());
347 auto &OptionalChild = *OptionalChildOrErr;
348 if (OptionalChild) {
349 // FIXME: Support nested archives?
350 Expected<std::unique_ptr<object::Binary>> ChildBinOrErr =
351 OptionalChild->getAsBinary();
352 if (!ChildBinOrErr) {
353 // TODO: Actually report errors helpfully.
354 consumeError(ChildBinOrErr.takeError());
355 continue;
356 }
357 std::unique_ptr<object::Binary> &ChildBin = ChildBinOrErr.get();
358 if (ChildBin->isObject()) {
359 std::unique_ptr<object::ObjectFile> OF(
360 static_cast<object::ObjectFile *>(ChildBin.release()));
361 // This causes the object file to be loaded.
362 addObjectFile(std::move(OF));
363 // The address should be here now.
364 if (auto Sym = findExistingSymbol(Name))
365 return Sym;
366 }
367 }
368 }
369
370 // If it hasn't already been generated, see if it's in one of our modules.
371 Module *M = findModuleForSymbol(Name, CheckFunctionsOnly);
372 if (M) {
373 generateCodeForModule(M);
374
375 // Check the RuntimeDyld table again, it should be there now.
376 return findExistingSymbol(Name);
377 }
378
379 // If a LazyFunctionCreator is installed, use it to get/create the function.
380 // FIXME: Should we instead have a LazySymbolCreator callback?
381 if (LazyFunctionCreator) {
382 auto Addr = static_cast<uint64_t>(
383 reinterpret_cast<uintptr_t>(LazyFunctionCreator(Name)));
384 return JITSymbol(Addr, JITSymbolFlags::Exported);
385 }
386
387 return nullptr;
388 }
389
getGlobalValueAddress(const std::string & Name)390 uint64_t MCJIT::getGlobalValueAddress(const std::string &Name) {
391 MutexGuard locked(lock);
392 uint64_t Result = getSymbolAddress(Name, false);
393 if (Result != 0)
394 finalizeLoadedModules();
395 return Result;
396 }
397
getFunctionAddress(const std::string & Name)398 uint64_t MCJIT::getFunctionAddress(const std::string &Name) {
399 MutexGuard locked(lock);
400 uint64_t Result = getSymbolAddress(Name, true);
401 if (Result != 0)
402 finalizeLoadedModules();
403 return Result;
404 }
405
406 // Deprecated. Use getFunctionAddress instead.
getPointerToFunction(Function * F)407 void *MCJIT::getPointerToFunction(Function *F) {
408 MutexGuard locked(lock);
409
410 Mangler Mang;
411 SmallString<128> Name;
412 TM->getNameWithPrefix(Name, F, Mang);
413
414 if (F->isDeclaration() || F->hasAvailableExternallyLinkage()) {
415 bool AbortOnFailure = !F->hasExternalWeakLinkage();
416 void *Addr = getPointerToNamedFunction(Name, AbortOnFailure);
417 updateGlobalMapping(F, Addr);
418 return Addr;
419 }
420
421 Module *M = F->getParent();
422 bool HasBeenAddedButNotLoaded = OwnedModules.hasModuleBeenAddedButNotLoaded(M);
423
424 // Make sure the relevant module has been compiled and loaded.
425 if (HasBeenAddedButNotLoaded)
426 generateCodeForModule(M);
427 else if (!OwnedModules.hasModuleBeenLoaded(M)) {
428 // If this function doesn't belong to one of our modules, we're done.
429 // FIXME: Asking for the pointer to a function that hasn't been registered,
430 // and isn't a declaration (which is handled above) should probably
431 // be an assertion.
432 return nullptr;
433 }
434
435 // FIXME: Should the Dyld be retaining module information? Probably not.
436 //
437 // This is the accessor for the target address, so make sure to check the
438 // load address of the symbol, not the local address.
439 return (void*)Dyld.getSymbol(Name).getAddress();
440 }
441
runStaticConstructorsDestructorsInModulePtrSet(bool isDtors,ModulePtrSet::iterator I,ModulePtrSet::iterator E)442 void MCJIT::runStaticConstructorsDestructorsInModulePtrSet(
443 bool isDtors, ModulePtrSet::iterator I, ModulePtrSet::iterator E) {
444 for (; I != E; ++I) {
445 ExecutionEngine::runStaticConstructorsDestructors(**I, isDtors);
446 }
447 }
448
runStaticConstructorsDestructors(bool isDtors)449 void MCJIT::runStaticConstructorsDestructors(bool isDtors) {
450 // Execute global ctors/dtors for each module in the program.
451 runStaticConstructorsDestructorsInModulePtrSet(
452 isDtors, OwnedModules.begin_added(), OwnedModules.end_added());
453 runStaticConstructorsDestructorsInModulePtrSet(
454 isDtors, OwnedModules.begin_loaded(), OwnedModules.end_loaded());
455 runStaticConstructorsDestructorsInModulePtrSet(
456 isDtors, OwnedModules.begin_finalized(), OwnedModules.end_finalized());
457 }
458
FindFunctionNamedInModulePtrSet(StringRef FnName,ModulePtrSet::iterator I,ModulePtrSet::iterator E)459 Function *MCJIT::FindFunctionNamedInModulePtrSet(StringRef FnName,
460 ModulePtrSet::iterator I,
461 ModulePtrSet::iterator E) {
462 for (; I != E; ++I) {
463 Function *F = (*I)->getFunction(FnName);
464 if (F && !F->isDeclaration())
465 return F;
466 }
467 return nullptr;
468 }
469
FindGlobalVariableNamedInModulePtrSet(StringRef Name,bool AllowInternal,ModulePtrSet::iterator I,ModulePtrSet::iterator E)470 GlobalVariable *MCJIT::FindGlobalVariableNamedInModulePtrSet(StringRef Name,
471 bool AllowInternal,
472 ModulePtrSet::iterator I,
473 ModulePtrSet::iterator E) {
474 for (; I != E; ++I) {
475 GlobalVariable *GV = (*I)->getGlobalVariable(Name, AllowInternal);
476 if (GV && !GV->isDeclaration())
477 return GV;
478 }
479 return nullptr;
480 }
481
482
FindFunctionNamed(StringRef FnName)483 Function *MCJIT::FindFunctionNamed(StringRef FnName) {
484 Function *F = FindFunctionNamedInModulePtrSet(
485 FnName, OwnedModules.begin_added(), OwnedModules.end_added());
486 if (!F)
487 F = FindFunctionNamedInModulePtrSet(FnName, OwnedModules.begin_loaded(),
488 OwnedModules.end_loaded());
489 if (!F)
490 F = FindFunctionNamedInModulePtrSet(FnName, OwnedModules.begin_finalized(),
491 OwnedModules.end_finalized());
492 return F;
493 }
494
FindGlobalVariableNamed(StringRef Name,bool AllowInternal)495 GlobalVariable *MCJIT::FindGlobalVariableNamed(StringRef Name, bool AllowInternal) {
496 GlobalVariable *GV = FindGlobalVariableNamedInModulePtrSet(
497 Name, AllowInternal, OwnedModules.begin_added(), OwnedModules.end_added());
498 if (!GV)
499 GV = FindGlobalVariableNamedInModulePtrSet(Name, AllowInternal, OwnedModules.begin_loaded(),
500 OwnedModules.end_loaded());
501 if (!GV)
502 GV = FindGlobalVariableNamedInModulePtrSet(Name, AllowInternal, OwnedModules.begin_finalized(),
503 OwnedModules.end_finalized());
504 return GV;
505 }
506
runFunction(Function * F,ArrayRef<GenericValue> ArgValues)507 GenericValue MCJIT::runFunction(Function *F, ArrayRef<GenericValue> ArgValues) {
508 assert(F && "Function *F was null at entry to run()");
509
510 void *FPtr = getPointerToFunction(F);
511 finalizeModule(F->getParent());
512 assert(FPtr && "Pointer to fn's code was null after getPointerToFunction");
513 FunctionType *FTy = F->getFunctionType();
514 Type *RetTy = FTy->getReturnType();
515
516 assert((FTy->getNumParams() == ArgValues.size() ||
517 (FTy->isVarArg() && FTy->getNumParams() <= ArgValues.size())) &&
518 "Wrong number of arguments passed into function!");
519 assert(FTy->getNumParams() == ArgValues.size() &&
520 "This doesn't support passing arguments through varargs (yet)!");
521
522 // Handle some common cases first. These cases correspond to common `main'
523 // prototypes.
524 if (RetTy->isIntegerTy(32) || RetTy->isVoidTy()) {
525 switch (ArgValues.size()) {
526 case 3:
527 if (FTy->getParamType(0)->isIntegerTy(32) &&
528 FTy->getParamType(1)->isPointerTy() &&
529 FTy->getParamType(2)->isPointerTy()) {
530 int (*PF)(int, char **, const char **) =
531 (int(*)(int, char **, const char **))(intptr_t)FPtr;
532
533 // Call the function.
534 GenericValue rv;
535 rv.IntVal = APInt(32, PF(ArgValues[0].IntVal.getZExtValue(),
536 (char **)GVTOP(ArgValues[1]),
537 (const char **)GVTOP(ArgValues[2])));
538 return rv;
539 }
540 break;
541 case 2:
542 if (FTy->getParamType(0)->isIntegerTy(32) &&
543 FTy->getParamType(1)->isPointerTy()) {
544 int (*PF)(int, char **) = (int(*)(int, char **))(intptr_t)FPtr;
545
546 // Call the function.
547 GenericValue rv;
548 rv.IntVal = APInt(32, PF(ArgValues[0].IntVal.getZExtValue(),
549 (char **)GVTOP(ArgValues[1])));
550 return rv;
551 }
552 break;
553 case 1:
554 if (FTy->getNumParams() == 1 &&
555 FTy->getParamType(0)->isIntegerTy(32)) {
556 GenericValue rv;
557 int (*PF)(int) = (int(*)(int))(intptr_t)FPtr;
558 rv.IntVal = APInt(32, PF(ArgValues[0].IntVal.getZExtValue()));
559 return rv;
560 }
561 break;
562 }
563 }
564
565 // Handle cases where no arguments are passed first.
566 if (ArgValues.empty()) {
567 GenericValue rv;
568 switch (RetTy->getTypeID()) {
569 default: llvm_unreachable("Unknown return type for function call!");
570 case Type::IntegerTyID: {
571 unsigned BitWidth = cast<IntegerType>(RetTy)->getBitWidth();
572 if (BitWidth == 1)
573 rv.IntVal = APInt(BitWidth, ((bool(*)())(intptr_t)FPtr)());
574 else if (BitWidth <= 8)
575 rv.IntVal = APInt(BitWidth, ((char(*)())(intptr_t)FPtr)());
576 else if (BitWidth <= 16)
577 rv.IntVal = APInt(BitWidth, ((short(*)())(intptr_t)FPtr)());
578 else if (BitWidth <= 32)
579 rv.IntVal = APInt(BitWidth, ((int(*)())(intptr_t)FPtr)());
580 else if (BitWidth <= 64)
581 rv.IntVal = APInt(BitWidth, ((int64_t(*)())(intptr_t)FPtr)());
582 else
583 llvm_unreachable("Integer types > 64 bits not supported");
584 return rv;
585 }
586 case Type::VoidTyID:
587 rv.IntVal = APInt(32, ((int(*)())(intptr_t)FPtr)());
588 return rv;
589 case Type::FloatTyID:
590 rv.FloatVal = ((float(*)())(intptr_t)FPtr)();
591 return rv;
592 case Type::DoubleTyID:
593 rv.DoubleVal = ((double(*)())(intptr_t)FPtr)();
594 return rv;
595 case Type::X86_FP80TyID:
596 case Type::FP128TyID:
597 case Type::PPC_FP128TyID:
598 llvm_unreachable("long double not supported yet");
599 case Type::PointerTyID:
600 return PTOGV(((void*(*)())(intptr_t)FPtr)());
601 }
602 }
603
604 report_fatal_error("MCJIT::runFunction does not support full-featured "
605 "argument passing. Please use "
606 "ExecutionEngine::getFunctionAddress and cast the result "
607 "to the desired function pointer type.");
608 }
609
getPointerToNamedFunction(StringRef Name,bool AbortOnFailure)610 void *MCJIT::getPointerToNamedFunction(StringRef Name, bool AbortOnFailure) {
611 if (!isSymbolSearchingDisabled()) {
612 if (auto Sym = Resolver.findSymbol(Name)) {
613 if (auto AddrOrErr = Sym.getAddress())
614 return reinterpret_cast<void*>(
615 static_cast<uintptr_t>(*AddrOrErr));
616 } else if (auto Err = Sym.takeError())
617 report_fatal_error(std::move(Err));
618 }
619
620 /// If a LazyFunctionCreator is installed, use it to get/create the function.
621 if (LazyFunctionCreator)
622 if (void *RP = LazyFunctionCreator(Name))
623 return RP;
624
625 if (AbortOnFailure) {
626 report_fatal_error("Program used external function '"+Name+
627 "' which could not be resolved!");
628 }
629 return nullptr;
630 }
631
RegisterJITEventListener(JITEventListener * L)632 void MCJIT::RegisterJITEventListener(JITEventListener *L) {
633 if (!L)
634 return;
635 MutexGuard locked(lock);
636 EventListeners.push_back(L);
637 }
638
UnregisterJITEventListener(JITEventListener * L)639 void MCJIT::UnregisterJITEventListener(JITEventListener *L) {
640 if (!L)
641 return;
642 MutexGuard locked(lock);
643 auto I = find(reverse(EventListeners), L);
644 if (I != EventListeners.rend()) {
645 std::swap(*I, EventListeners.back());
646 EventListeners.pop_back();
647 }
648 }
649
NotifyObjectEmitted(const object::ObjectFile & Obj,const RuntimeDyld::LoadedObjectInfo & L)650 void MCJIT::NotifyObjectEmitted(const object::ObjectFile& Obj,
651 const RuntimeDyld::LoadedObjectInfo &L) {
652 MutexGuard locked(lock);
653 MemMgr->notifyObjectLoaded(this, Obj);
654 for (unsigned I = 0, S = EventListeners.size(); I < S; ++I) {
655 EventListeners[I]->NotifyObjectEmitted(Obj, L);
656 }
657 }
658
NotifyFreeingObject(const object::ObjectFile & Obj)659 void MCJIT::NotifyFreeingObject(const object::ObjectFile& Obj) {
660 MutexGuard locked(lock);
661 for (JITEventListener *L : EventListeners)
662 L->NotifyFreeingObject(Obj);
663 }
664
665 JITSymbol
findSymbol(const std::string & Name)666 LinkingSymbolResolver::findSymbol(const std::string &Name) {
667 auto Result = ParentEngine.findSymbol(Name, false);
668 if (Result)
669 return Result;
670 if (ParentEngine.isSymbolSearchingDisabled())
671 return nullptr;
672 return ClientResolver->findSymbol(Name);
673 }
674
anchor()675 void LinkingSymbolResolver::anchor() {}
676