LLVM 22.0.0git
SimpleExecutorMemoryManager.cpp
Go to the documentation of this file.
1//===- SimpleExecuorMemoryManagare.cpp - Simple executor-side memory mgmt -===//
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
10
11#include "llvm/ADT/ScopeExit.h"
14
15#define DEBUG_TYPE "orc"
16
17namespace llvm {
18namespace orc {
19namespace rt_bootstrap {
20
22 assert(Slabs.empty() && "shutdown not called?");
23}
24
26 std::error_code EC;
29 if (EC)
30 return errorCodeToError(EC);
31 std::lock_guard<std::mutex> Lock(M);
32 assert(!Slabs.count(MB.base()) && "Duplicate allocation addr");
33 Slabs[MB.base()].Size = Size;
34 return ExecutorAddr::fromPtr(MB.base());
35}
36
39 if (FR.Segments.empty()) {
40 if (FR.Actions.empty())
41 return make_error<StringError>("Finalization request is empty",
43 else
44 return make_error<StringError>("Finalization actions attached to empty "
45 "finalization request",
47 }
48
49 ExecutorAddrRange RR(FR.Segments.front().Addr, FR.Segments.front().Addr);
50
51 std::vector<sys::MemoryBlock> MBsToReset;
52 auto ResetMBs = make_scope_exit([&]() {
53 for (auto &MB : MBsToReset)
57 RR.size());
58 });
59
60 // Copy content and apply permissions.
61 for (auto &Seg : FR.Segments) {
62 RR.Start = std::min(RR.Start, Seg.Addr);
63 RR.End = std::max(RR.End, Seg.Addr + Seg.Size);
64
65 // Check segment ranges.
66 if (LLVM_UNLIKELY(Seg.Size < Seg.Content.size()))
68 formatv("Segment {0:x} content size ({1:x} bytes) "
69 "exceeds segment size ({2:x} bytes)",
70 Seg.Addr.getValue(), Seg.Content.size(), Seg.Size),
72 ExecutorAddr SegEnd = Seg.Addr + ExecutorAddrDiff(Seg.Size);
73 if (LLVM_UNLIKELY(Seg.Addr < RR.Start || SegEnd > RR.End))
75 formatv("Segment {0:x} -- {1:x} crosses boundary of "
76 "allocation {2:x} -- {3:x}",
77 Seg.Addr, SegEnd, RR.Start, RR.End),
79
80 char *Mem = Seg.Addr.toPtr<char *>();
81 if (!Seg.Content.empty())
82 memcpy(Mem, Seg.Content.data(), Seg.Content.size());
83 memset(Mem + Seg.Content.size(), 0, Seg.Size - Seg.Content.size());
84 assert(Seg.Size <= std::numeric_limits<size_t>::max());
85
86 sys::MemoryBlock MB(Mem, Seg.Size);
88 MB, toSysMemoryProtectionFlags(Seg.RAG.Prot)))
89 return errorCodeToError(EC);
90
91 MBsToReset.push_back(MB);
92
93 if ((Seg.RAG.Prot & MemProt::Exec) == MemProt::Exec)
95 }
96
97 auto DeallocActions = runFinalizeActions(FR.Actions);
98 if (!DeallocActions)
99 return DeallocActions.takeError();
100
101 {
102 std::lock_guard<std::mutex> Lock(M);
103 auto Region = createRegionInfo(RR, "In initialize");
104 if (!Region)
105 return Region.takeError();
106 Region->DeallocActions = std::move(*DeallocActions);
107 }
108
109 // Successful initialization.
110 ResetMBs.release();
111
112 return RR.Start;
113}
114
116 const std::vector<ExecutorAddr> &InitKeys) {
117 Error Err = Error::success();
118
119 for (auto &KeyAddr : llvm::reverse(InitKeys)) {
120 std::vector<shared::WrapperFunctionCall> DeallocActions;
121 {
122 std::scoped_lock<std::mutex> Lock(M);
123 auto Slab = getSlabInfo(KeyAddr, "In deinitialize");
124 if (!Slab) {
125 Err = joinErrors(std::move(Err), Slab.takeError());
126 continue;
127 }
128
129 auto RI = getRegionInfo(*Slab, KeyAddr, "In deinitialize");
130 if (!RI) {
131 Err = joinErrors(std::move(Err), RI.takeError());
132 continue;
133 }
134
135 DeallocActions = std::move(RI->DeallocActions);
136 }
137
138 Err = joinErrors(std::move(Err),
139 runDeallocActions(std::move(DeallocActions)));
140 }
141
142 return Err;
143}
144
146 const std::vector<ExecutorAddr> &Bases) {
147 Error Err = Error::success();
148
149 // TODO: Prohibit new initializations within the slabs being removed?
150 for (auto &Base : llvm::reverse(Bases)) {
151 std::vector<shared::WrapperFunctionCall> DeallocActions;
153
154 {
155 std::scoped_lock<std::mutex> Lock(M);
156
157 auto SlabI = Slabs.find(Base.toPtr<void *>());
158 if (SlabI == Slabs.end()) {
159 Err = joinErrors(
160 std::move(Err),
161 make_error<StringError>("In release, " + formatv("{0:x}", Base) +
162 " is not part of any reserved "
163 "address range",
165 continue;
166 }
167
168 auto &Slab = SlabI->second;
169
170 for (auto &[Addr, Region] : Slab.Regions)
171 llvm::copy(Region.DeallocActions, back_inserter(DeallocActions));
172
173 MB = {Base.toPtr<void *>(), Slab.Size};
174
175 Slabs.erase(SlabI);
176 }
177
178 Err = joinErrors(std::move(Err), runDeallocActions(DeallocActions));
179 if (auto EC = sys::Memory::releaseMappedMemory(MB))
180 Err = joinErrors(std::move(Err), errorCodeToError(EC));
181 }
182
183 return Err;
184}
185
187
188 // TODO: Prevent new allocations during shutdown.
189 std::vector<ExecutorAddr> Bases;
190 {
191 std::scoped_lock<std::mutex> Lock(M);
192 for (auto &[Base, Slab] : Slabs)
193 Bases.push_back(ExecutorAddr::fromPtr(Base));
194 }
195
196 return release(Bases);
197}
198
211
213SimpleExecutorMemoryManager::getSlabInfo(ExecutorAddr A, StringRef Context) {
214 auto MakeBadSlabError = [&]() {
216 Context + ", address " + formatv("{0:x}", A) +
217 " is not part of any reserved address range",
219 };
220
221 auto I = Slabs.upper_bound(A.toPtr<void *>());
222 if (I == Slabs.begin())
223 return MakeBadSlabError();
224 --I;
225 if (!ExecutorAddrRange(ExecutorAddr::fromPtr(I->first), I->second.Size)
226 .contains(A))
227 return MakeBadSlabError();
228
229 return I->second;
230}
231
233SimpleExecutorMemoryManager::getSlabInfo(ExecutorAddrRange R,
234 StringRef Context) {
235 auto MakeBadSlabError = [&]() {
237 Context + ", range " + formatv("{0:x}", R) +
238 " is not part of any reserved address range",
240 };
241
242 auto I = Slabs.upper_bound(R.Start.toPtr<void *>());
243 if (I == Slabs.begin())
244 return MakeBadSlabError();
245 --I;
246 if (!ExecutorAddrRange(ExecutorAddr::fromPtr(I->first), I->second.Size)
247 .contains(R))
248 return MakeBadSlabError();
249
250 return I->second;
251}
252
253Expected<SimpleExecutorMemoryManager::RegionInfo &>
254SimpleExecutorMemoryManager::createRegionInfo(ExecutorAddrRange R,
255 StringRef Context) {
256
257 auto Slab = getSlabInfo(R, Context);
258 if (!Slab)
259 return Slab.takeError();
260
261 auto MakeBadRegionError = [&](ExecutorAddrRange Other, bool Prev) {
262 return make_error<StringError>(Context + ", region " + formatv("{0:x}", R) +
263 " overlaps " +
264 (Prev ? "previous" : "following") +
265 " region " + formatv("{0:x}", Other),
267 };
268
269 auto I = Slab->Regions.upper_bound(R.Start);
270 if (I != Slab->Regions.begin()) {
271 auto J = std::prev(I);
272 ExecutorAddrRange PrevRange(J->first, J->second.Size);
273 if (PrevRange.overlaps(R))
274 return MakeBadRegionError(PrevRange, true);
275 }
276 if (I != Slab->Regions.end()) {
277 ExecutorAddrRange NextRange(I->first, I->second.Size);
278 if (NextRange.overlaps(R))
279 return MakeBadRegionError(NextRange, false);
280 }
281
282 auto &RInfo = Slab->Regions[R.Start];
283 RInfo.Size = R.size();
284 return RInfo;
285}
286
287Expected<SimpleExecutorMemoryManager::RegionInfo &>
288SimpleExecutorMemoryManager::getRegionInfo(SlabInfo &Slab, ExecutorAddr A,
289 StringRef Context) {
290 auto I = Slab.Regions.find(A);
291 if (I == Slab.Regions.end())
293 Context + ", address " + formatv("{0:x}", A) +
294 " does not correspond to the start of any initialized region",
296
297 return I->second;
298}
299
300Expected<SimpleExecutorMemoryManager::RegionInfo &>
301SimpleExecutorMemoryManager::getRegionInfo(ExecutorAddr A, StringRef Context) {
302 auto Slab = getSlabInfo(A, Context);
303 if (!Slab)
304 return Slab.takeError();
305
306 return getRegionInfo(*Slab, A, Context);
307}
308
309llvm::orc::shared::CWrapperFunctionResult
310SimpleExecutorMemoryManager::reserveWrapper(const char *ArgData,
311 size_t ArgSize) {
312 return shared::WrapperFunction<rt::SPSSimpleRemoteMemoryMapReserveSignature>::
313 handle(ArgData, ArgSize,
316 .release();
317}
318
319llvm::orc::shared::CWrapperFunctionResult
320SimpleExecutorMemoryManager::initializeWrapper(const char *ArgData,
321 size_t ArgSize) {
322 return shared::
323 WrapperFunction<rt::SPSSimpleRemoteMemoryMapInitializeSignature>::handle(
324 ArgData, ArgSize,
327 .release();
328}
329
330llvm::orc::shared::CWrapperFunctionResult
331SimpleExecutorMemoryManager::deinitializeWrapper(const char *ArgData,
332 size_t ArgSize) {
333 return shared::WrapperFunction<
335 handle(ArgData, ArgSize,
338 .release();
339}
340
341llvm::orc::shared::CWrapperFunctionResult
342SimpleExecutorMemoryManager::releaseWrapper(const char *ArgData,
343 size_t ArgSize) {
344 return shared::WrapperFunction<rt::SPSSimpleRemoteMemoryMapReleaseSignature>::
345 handle(ArgData, ArgSize,
348 .release();
349}
350
351} // namespace rt_bootstrap
352} // end namespace orc
353} // end namespace llvm
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
#define LLVM_UNLIKELY(EXPR)
Definition Compiler.h:336
#define I(x, y, z)
Definition MD5.cpp:57
This file defines the make_scope_exit function, which executes user-defined cleanup logic at scope ex...
Lightweight error class with error context and mandatory checking.
Definition Error.h:159
static ErrorSuccess success()
Create a success value.
Definition Error.h:336
Tagged union holding either a T or a Error.
Definition Error.h:485
StringMap - This is an unconventional map that is specialized for handling keys that are "strings",...
Definition StringMap.h:133
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
Represents an address in the executor process.
static ExecutorAddr fromPtr(T *Ptr, UnwrapFn &&Unwrap=UnwrapFn())
Create an ExecutorAddr from the given pointer.
std::enable_if_t< std::is_pointer< T >::value, T > toPtr(WrapFn &&Wrap=WrapFn()) const
Cast this ExecutorAddr to a pointer of the given type.
Error deinitialize(const std::vector< ExecutorAddr > &InitKeys)
Error release(const std::vector< ExecutorAddr > &Bases)
Expected< ExecutorAddr > initialize(tpctypes::FinalizeRequest &FR)
void addBootstrapSymbols(StringMap< ExecutorAddr > &M) override
This class encapsulates the notion of a memory block which has an address and a size.
Definition Memory.h:33
static LLVM_ABI std::error_code protectMappedMemory(const MemoryBlock &Block, unsigned Flags)
This method sets the protection flags for a block of memory to the state specified by /p Flags.
static LLVM_ABI std::error_code releaseMappedMemory(MemoryBlock &Block)
This method releases a block of memory that was allocated with the allocateMappedMemory method.
static LLVM_ABI void InvalidateInstructionCache(const void *Addr, size_t Len)
InvalidateInstructionCache - Before the JIT can run a block of code that has been emitted it must inv...
static LLVM_ABI MemoryBlock allocateMappedMemory(size_t NumBytes, const MemoryBlock *const NearBlock, unsigned Flags, std::error_code &EC)
This method allocates a block of memory that is suitable for loading dynamically generated code (e....
LLVM_ABI const char * SimpleExecutorMemoryManagerInitializeWrapperName
LLVM_ABI const char * SimpleExecutorMemoryManagerReserveWrapperName
LLVM_ABI const char * SimpleExecutorMemoryManagerReleaseWrapperName
LLVM_ABI const char * SimpleExecutorMemoryManagerDeinitializeWrapperName
shared::SPSError( shared::SPSExecutorAddr, shared::SPSSequence< shared::SPSExecutorAddr >) SPSSimpleRemoteMemoryMapDeinitializeSignature
LLVM_ABI const char * SimpleExecutorMemoryManagerInstanceName
MethodWrapperHandler< RetT, ClassT, ArgTs... > makeMethodWrapperHandler(RetT(ClassT::*Method)(ArgTs...))
Create a MethodWrapperHandler object from the given method pointer.
uint64_t ExecutorAddrDiff
sys::Memory::ProtectionFlags toSysMemoryProtectionFlags(MemProt MP)
Convert a MemProt value to a corresponding sys::Memory::ProtectionFlags value.
Definition MemoryFlags.h:44
This is an optimization pass for GlobalISel generic memory operations.
detail::scope_exit< std::decay_t< Callable > > make_scope_exit(Callable &&F)
Definition ScopeExit.h:59
LLVM_ABI 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)
auto reverse(ContainerTy &&C)
Definition STLExtras.h:406
Error joinErrors(Error E1, Error E2)
Concatenate errors.
Definition Error.h:442
Error make_error(ArgTs &&... Args)
Make a Error instance representing failure using the given error info type.
Definition Error.h:340
@ Other
Any other memory.
Definition ModRef.h:68
OutputIt copy(R &&Range, OutputIt Out)
Definition STLExtras.h:1835
LLVM_ABI Error errorCodeToError(std::error_code EC)
Helper for converting an std::error_code to a Error.
Definition Error.cpp:111
Represents an address range in the exceutor process.
ExecutorAddrDiff size() const
bool contains(ExecutorAddr Addr) const
std::vector< SegFinalizeRequest > Segments