source: doc/theses/mubeen_zulfiqar_MMath/allocator.tex @ 37ef5e41

ADTast-experimentalpthread-emulationqualifiedEnum
Last change on this file since 37ef5e41 was 47204d4, checked in by Peter A. Buhr <pabuhr@…>, 2 years ago

add label for chapter Allocator

  • Property mode set to 100644
File size: 60.4 KB
Line 
1\chapter{Allocator}
2\label{c:Allocator}
3
4This chapter presents a new stand-alone concurrent low-latency memory-allocator ($\approx$1,200 lines of code), called llheap (low-latency heap), for C/\CC programs using kernel threads (1:1 threading), and specialized versions of the allocator for the programming languages \uC and \CFA using user-level threads running over multiple kernel threads (M:N threading).
5The new allocator fulfills the GNU C Library allocator API~\cite{GNUallocAPI}.
6
7
8\section{llheap}
9
10The primary design objective for llheap is low-latency across all allocator calls independent of application access-patterns and/or number of threads, \ie very seldom does the allocator have a delay during an allocator call.
11(Large allocations requiring initialization, \eg zero fill, and/or copying are not covered by the low-latency objective.)
12A direct consequence of this objective is very simple or no storage coalescing;
13hence, llheap's design is willing to use more storage to lower latency.
14This objective is apropos because systems research and industrial applications are striving for low latency and computers have huge amounts of RAM memory.
15Finally, llheap's performance should be comparable with the current best allocators (see performance comparison in \VRef[Chapter]{c:Performance}).
16
17% The objective of llheap's new design was to fulfill following requirements:
18% \begin{itemize}
19% \item It should be concurrent and thread-safe for multi-threaded programs.
20% \item It should avoid global locks, on resources shared across all threads, as much as possible.
21% \item It's performance (FIX ME: cite performance benchmarks) should be comparable to the commonly used allocators (FIX ME: cite common allocators).
22% \item It should be a lightweight memory allocator.
23% \end{itemize}
24
25%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
26
27\section{Design Choices}
28
29llheap's design was reviewed and changed multiple times throughout the thesis.
30Some of the rejected designs are discussed because they show the path to the final design (see discussion in \VRef{s:MultipleHeaps}).
31Note, a few simples tests for a design choice were compared with the current best allocators to determine the viability of a design.
32
33
34\subsection{Allocation Fastpath}
35\label{s:AllocationFastpath}
36
37These designs look at the allocation/free \newterm{fastpath}, \ie when an allocation can immediately return free storage or returned storage is not coalesced.
38\paragraph{T:1 model}
39\VRef[Figure]{f:T1SharedBuckets} shows one heap accessed by multiple kernel threads (KTs) using a bucket array, where smaller bucket sizes are N-shared across KTs.
40This design leverages the fact that 95\% of allocation requests are less than 1024 bytes and there are only 3--5 different request sizes.
41When KTs $\le$ N, the common bucket sizes are uncontented;
42when KTs $>$ N, the free buckets are contented and latency increases significantly.
43In all cases, a KT must acquire/release a lock, contented or uncontented, along the fast allocation path because a bucket is shared.
44Therefore, while threads are contending for a small number of buckets sizes, the buckets are distributed among them to reduce contention, which lowers latency;
45however, picking N is workload specific.
46
47\begin{figure}
48\centering
49\input{AllocDS1}
50\caption{T:1 with Shared Buckets}
51\label{f:T1SharedBuckets}
52\end{figure}
53
54Problems:
55\begin{itemize}
56\item
57Need to know when a KT is created/destroyed to assign/unassign a shared bucket-number from the memory allocator.
58\item
59When no thread is assigned a bucket number, its free storage is unavailable.
60\item
61All KTs contend for the global-pool lock for initial allocations, before free-lists get populated.
62\end{itemize}
63Tests showed having locks along the allocation fast-path produced a significant increase in allocation costs and any contention among KTs produces a significant spike in latency.
64
65\paragraph{T:H model}
66\VRef[Figure]{f:THSharedHeaps} shows a fixed number of heaps (N), each a local free pool, where the heaps are sharded across the KTs.
67A KT can point directly to its assigned heap or indirectly through the corresponding heap bucket.
68When KT $\le$ N, the heaps are uncontented;
69when KTs $>$ N, the heaps are contented.
70In all cases, a KT must acquire/release a lock, contented or uncontented along the fast allocation path because a heap is shared.
71By adjusting N upwards, this approach reduces contention but increases storage (time versus space);
72however, picking N is workload specific.
73
74\begin{figure}
75\centering
76\input{AllocDS2}
77\caption{T:H with Shared Heaps}
78\label{f:THSharedHeaps}
79\end{figure}
80
81Problems:
82\begin{itemize}
83\item
84Need to know when a KT is created/destroyed to assign/unassign a heap from the memory allocator.
85\item
86When no thread is assigned to a heap, its free storage is unavailable.
87\item
88Ownership issues arise (see \VRef{s:Ownership}).
89\item
90All KTs contend for the local/global-pool lock for initial allocations, before free-lists get populated.
91\end{itemize}
92Tests showed having locks along the allocation fast-path produced a significant increase in allocation costs and any contention among KTs produces a significant spike in latency.
93
94\paragraph{T:H model, H = number of CPUs}
95This design is the T:H model but H is set to the number of CPUs on the computer or the number restricted to an application, \eg via @taskset@.
96(See \VRef[Figure]{f:THSharedHeaps} but with a heap bucket per CPU.)
97Hence, each CPU logically has its own private heap and local pool.
98A memory operation is serviced from the heap associated with the CPU executing the operation.
99This approach removes fastpath locking and contention, regardless of the number of KTs mapped across the CPUs, because only one KT is running on each CPU at a time (modulo operations on the global pool and ownership).
100This approach is essentially an M:N approach where M is the number if KTs and N is the number of CPUs.
101
102Problems:
103\begin{itemize}
104\item
105Need to know when a CPU is added/removed from the @taskset@.
106\item
107Need a fast way to determine the CPU a KT is executing on to access the appropriate heap.
108\item
109Need to prevent preemption during a dynamic memory operation because of the \newterm{serially-reusable problem}.
110\begin{quote}
111A sequence of code that is guaranteed to run to completion before being invoked to accept another input is called serially-reusable code.~\cite{SeriallyReusable}
112\end{quote}
113If a KT is preempted during an allocation operation, the operating system can schedule another KT on the same CPU, which can begin an allocation operation before the previous operation associated with this CPU has completed, invalidating heap correctness.
114Note, the serially-reusable problem can occur in sequential programs with preemption, if the signal handler calls the preempted function, unless the function is serially reusable.
115Essentially, the serially-reusable problem is a race condition on an unprotected critical section, where the operating system is providing the second thread via the signal handler.
116
117Library @librseq@~\cite{librseq} was used to perform a fast determination of the CPU and to ensure all memory operations complete on one CPU using @librseq@'s restartable sequences, which restart the critical section after undoing its writes, if the critical section is preempted.
118\end{itemize}
119Tests showed that @librseq@ can determine the particular CPU quickly but setting up the restartable critical-section along the allocation fast-path produced a significant increase in allocation costs.
120Also, the number of undoable writes in @librseq@ is limited and restartable sequences cannot deal with user-level thread (UT) migration across KTs.
121For example, UT$_1$ is executing a memory operation by KT$_1$ on CPU$_1$ and a time-slice preemption occurs.
122The signal handler context switches UT$_1$ onto the user-level ready-queue and starts running UT$_2$ on KT$_1$, which immediately calls a memory operation.
123Since KT$_1$ is still executing on CPU$_1$, @librseq@ takes no action because it assumes KT$_1$ is still executing the same critical section.
124Then UT$_1$ is scheduled onto KT$_2$ by the user-level scheduler, and its memory operation continues in parallel with UT$_2$ using references into the heap associated with CPU$_1$, which corrupts CPU$_1$'s heap.
125If @librseq@ had an @rseq_abort@ which:
126\begin{enumerate}
127\item
128Marked the current restartable critical-section as cancelled so it restarts when attempting to commit.
129\item
130Do nothing if there is no current restartable critical section in progress.
131\end{enumerate}
132Then @rseq_abort@ could be called on the backside of a  user-level context-switching.
133A feature similar to this idea might exist for hardware transactional-memory.
134A significant effort was made to make this approach work but its complexity, lack of robustness, and performance costs resulted in its rejection.
135
136\paragraph{1:1 model}
137This design is the T:H model with T = H, where there is one thread-local heap for each KT.
138(See \VRef[Figure]{f:THSharedHeaps} but with a heap bucket per KT and no bucket or local-pool lock.)
139Hence, immediately after a KT starts, its heap is created and just before a KT terminates, its heap is (logically) deleted.
140Heaps are uncontended for a KTs memory operations to its heap (modulo operations on the global pool and ownership).
141
142Problems:
143\begin{itemize}
144\item
145Need to know when a KT is starts/terminates to create/delete its heap.
146
147\noindent
148It is possible to leverage constructors/destructors for thread-local objects to get a general handle on when a KT starts/terminates.
149\item
150There is a classic \newterm{memory-reclamation} problem for ownership because storage passed to another thread can be returned to a terminated heap.
151
152\noindent
153The classic solution only deletes a heap after all referents are returned, which is complex.
154The cheap alternative is for heaps to persist for program duration to handle outstanding referent frees.
155If old referents return storage to a terminated heap, it is handled in the same way as an active heap.
156To prevent heap blowup, terminated heaps can be reused by new KTs, where a reused heap may be populated with free storage from a prior KT (external fragmentation).
157In most cases, heap blowup is not a problem because programs have a small allocation set-size, so the free storage from a prior KT is apropos for a new KT.
158\item
159There can be significant external fragmentation as the number of KTs increases.
160
161\noindent
162In many concurrent applications, good performance is achieved with the number of KTs proportional to the number of CPUs.
163Since the number of CPUs is relatively small, >~1024, and a heap relatively small, $\approx$10K bytes (not including any associated freed storage), the worst-case external fragmentation is still small compared to the RAM available on large servers with many CPUs.
164\item
165There is the same serially-reusable problem with UTs migrating across KTs.
166\end{itemize}
167Tests showed this design produced the closest performance match with the best current allocators, and code inspection showed most of these allocators use different variations of this approach.
168
169
170\vspace{5pt}
171\noindent
172The conclusion from this design exercise is: any atomic fence, atomic instruction (lock free), or lock along the allocation fastpath produces significant slowdown.
173For the T:1 and T:H models, locking must exist along the allocation fastpath because the buckets or heaps maybe shared by multiple threads, even when KTs $\le$ N.
174For the T:H=CPU and 1:1 models, locking is eliminated along the allocation fastpath.
175However, T:H=CPU has poor operating-system support to determine the CPU id (heap id) and prevent the serially-reusable problem for KTs.
176More operating system support is required to make this model viable, but there is still the serially-reusable problem with user-level threading.
177Leaving the 1:1 model with no atomic actions along the fastpath and no special operating-system support required.
178The 1:1 model still has the serially-reusable problem with user-level threading, which is addressed in \VRef{s:UserlevelThreadingSupport}, and the greatest potential for heap blowup for certain allocation patterns.
179
180
181% \begin{itemize}
182% \item
183% A decentralized design is better to centralized design because their concurrency is better across all bucket-sizes as design 1 shards a few buckets of selected sizes while other designs shards all the buckets. Decentralized designs shard the whole heap which has all the buckets with the addition of sharding @sbrk@ area. So Design 1 was eliminated.
184% \item
185% Design 2 was eliminated because it has a possibility of contention in-case of KT > N while Design 3 and 4 have no contention in any scenario.
186% \item
187% Design 3 was eliminated because it was slower than Design 4 and it provided no way to achieve user-threading safety using librseq. We had to use CFA interruption handling to achieve user-threading safety which has some cost to it.
188% that  because of 4 was already slower than Design 3, adding cost of interruption handling on top of that would have made it even slower.
189% \end{itemize}
190% Of the four designs for a low-latency memory allocator, the 1:1 model was chosen for the following reasons:
191
192% \subsection{Advantages of distributed design}
193%
194% The distributed design of llheap is concurrent to work in multi-threaded applications.
195% Some key benefits of the distributed design of llheap are as follows:
196% \begin{itemize}
197% \item
198% The bump allocation is concurrent as memory taken from @sbrk@ is sharded across all heaps as bump allocation reserve. The call to @sbrk@ will be protected using locks but bump allocation (on memory taken from @sbrk@) will not be contended once the @sbrk@ call has returned.
199% \item
200% Low or almost no contention on heap resources.
201% \item
202% It is possible to use sharing and stealing techniques to share/find unused storage, when a free list is unused or empty.
203% \item
204% Distributed design avoids unnecessary locks on resources shared across all KTs.
205% \end{itemize}
206
207\subsection{Allocation Latency}
208
209A primary goal of llheap is low latency.
210Two forms of latency are internal and external.
211Internal latency is the time to perform an allocation, while external latency is time to obtain/return storage from/to the operating system.
212Ideally latency is $O(1)$ with a small constant.
213
214To obtain $O(1)$ internal latency means no searching on the allocation fastpath, largely prohibits coalescing, which leads to external fragmentation.
215The mitigating factor is that most programs have well behaved allocation patterns, where the majority of allocation operations can be $O(1)$, and heap blowup does not occur without coalescing (although the allocation footprint may be slightly larger).
216
217To obtain $O(1)$ external latency means obtaining one large storage area from the operating system and subdividing it across all program allocations, which requires a good guess at the program storage high-watermark and potential large external fragmentation.
218Excluding real-time operating-systems, operating-system operations are unbounded, and hence some external latency is unavoidable.
219The mitigating factor is that operating-system calls can often be reduced if a programmer has a sense of the storage high-watermark and the allocator is capable of using this information (see @malloc_expansion@ \VPageref{p:malloc_expansion}).
220Furthermore, while operating-system calls are unbounded, many are now reasonably fast, so their latency is tolerable and infrequent.
221
222
223%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
224
225\section{llheap Structure}
226
227\VRef[Figure]{f:llheapStructure} shows the design of llheap, which uses the following features:
228\begin{itemize}
229\item
2301:1 multiple-heap model to minimize the fastpath,
231\item
232can be built with or without heap ownership,
233\item
234headers per allocation versus containers,
235\item
236no coalescing to minimize latency,
237\item
238global heap memory (pool) obtained from the operating system using @mmap@ to create and reuse heaps needed by threads,
239\item
240local reserved memory (pool) per heap obtained from global pool,
241\item
242global reserved memory (pool) obtained from the operating system using @sbrk@ call,
243\item
244optional fast-lookup table for converting allocation requests into bucket sizes,
245\item
246optional statistic-counters table for accumulating counts of allocation operations.
247\end{itemize}
248
249\begin{figure}
250\centering
251% \includegraphics[width=0.65\textwidth]{figures/NewHeapStructure.eps}
252\input{llheap}
253\caption{llheap Structure}
254\label{f:llheapStructure}
255\end{figure}
256
257llheap starts by creating an array of $N$ global heaps from storage obtained using @mmap@, where $N$ is the number of computer cores, that persists for program duration.
258There is a global bump-pointer to the next free heap in the array.
259When this array is exhausted, another array is allocated.
260There is a global top pointer for a heap intrusive link to chain free heaps from terminated threads.
261When statistics are turned on, there is a global top pointer for a heap intrusive link to chain \emph{all} the heaps, which is traversed to accumulate statistics counters across heaps using @malloc_stats@.
262
263When a KT starts, a heap is allocated from the current array for exclusive use by the KT.
264When a KT terminates, its heap is chained onto the heap free-list for reuse by a new KT, which prevents unbounded growth of heaps.
265The free heaps is a stack so hot storage is reused first.
266Preserving all heaps created during the program lifetime, solves the storage lifetime problem, when ownership is used.
267This approach wastes storage if a large number of KTs are created/terminated at program start and then the program continues sequentially.
268llheap can be configured with object ownership, where an object is freed to the heap from which it is allocated, or object no-ownership, where an object is freed to the KT's current heap.
269
270Each heap uses segregated free-buckets that have free objects distributed across 91 different sizes from 16 to 4M.
271The number of buckets used is determined dynamically depending on the crossover point from @sbrk@ to @mmap@ allocation using @mallopt( M_MMAP_THRESHOLD )@, \ie small objects managed by the program and large objects managed by the operating system.
272Each free bucket of a specific size has the following two lists:
273\begin{itemize}
274\item
275A free stack used solely by the KT heap-owner, so push/pop operations do not require locking.
276The free objects are a stack so hot storage is reused first.
277\item
278For ownership, a shared away-stack for KTs to return storage allocated by other KTs, so push/pop operations require locking.
279When the free stack is empty, the entire ownership stack is removed and becomes the head of the corresponding free stack.
280\end{itemize}
281
282Algorithm~\ref{alg:heapObjectAlloc} shows the allocation outline for an object of size $S$.
283First, the allocation is divided into small (@sbrk@) or large (@mmap@).
284For large allocations, the storage is mapped directly from the operating system.
285For small allocations, $S$ is quantized into a bucket size.
286Quantizing is performed using a binary search over the ordered bucket array.
287An optional optimization is fast lookup $O(1)$ for sizes < 64K from a 64K array of type @char@, where each element has an index to the corresponding bucket.
288(Type @char@ restricts the number of bucket sizes to 256.)
289For $S$ > 64K, a binary search is used.
290Then, the allocation storage is obtained from the following locations (in order), with increasing latency.
291\begin{enumerate}[topsep=0pt,itemsep=0pt,parsep=0pt]
292\item
293bucket's free stack,
294\item
295bucket's away stack,
296\item
297heap's local pool
298\item
299global pool
300\item
301operating system (@sbrk@)
302\end{enumerate}
303
304\begin{figure}
305\vspace*{-10pt}
306\begin{algorithm}[H]
307\small
308\caption{Dynamic object allocation of size $S$}\label{alg:heapObjectAlloc}
309\begin{algorithmic}[1]
310\State $\textit{O} \gets \text{NULL}$
311\If {$S >= \textit{mmap-threshhold}$}
312        \State $\textit{O} \gets \text{allocate dynamic memory using system call mmap with size S}$
313\Else
314        \State $\textit{B} \gets \text{smallest free-bucket} \geq S$
315        \If {$\textit{B's free-list is empty}$}
316                \If {$\textit{B's away-list is empty}$}
317                        \If {$\textit{heap's allocation buffer} < S$}
318                                \State $\text{get allocation from global pool (which might call \lstinline{sbrk})}$
319                        \EndIf
320                        \State $\textit{O} \gets \text{bump allocate an object of size S from allocation buffer}$
321                \Else
322                        \State $\textit{merge B's away-list into free-list}$
323                        \State $\textit{O} \gets \text{pop an object from B's free-list}$
324                \EndIf
325        \Else
326                \State $\textit{O} \gets \text{pop an object from B's free-list}$
327        \EndIf
328        \State $\textit{O's owner} \gets \text{B}$
329\EndIf
330\State $\Return \textit{ O}$
331\end{algorithmic}
332\end{algorithm}
333
334\vspace*{-15pt}
335\begin{algorithm}[H]
336\small
337\caption{Dynamic object free at address $A$ with object ownership}\label{alg:heapObjectFreeOwn}
338\begin{algorithmic}[1]
339\If {$\textit{A mapped allocation}$}
340        \State $\text{return A's dynamic memory to system using system call \lstinline{munmap}}$
341\Else
342        \State $\text{B} \gets \textit{O's owner}$
343        \If {$\textit{B is thread-local heap's bucket}$}
344                \State $\text{push A to B's free-list}$
345        \Else
346                \State $\text{push A to B's away-list}$
347        \EndIf
348\EndIf
349\end{algorithmic}
350\end{algorithm}
351
352\vspace*{-15pt}
353\begin{algorithm}[H]
354\small
355\caption{Dynamic object free at address $A$ without object ownership}\label{alg:heapObjectFreeNoOwn}
356\begin{algorithmic}[1]
357\If {$\textit{A mapped allocation}$}
358        \State $\text{return A's dynamic memory to system using system call \lstinline{munmap}}$
359\Else
360        \State $\text{B} \gets \textit{O's owner}$
361        \If {$\textit{B is thread-local heap's bucket}$}
362                \State $\text{push A to B's free-list}$
363        \Else
364                \State $\text{C} \gets \textit{thread local heap's bucket with same size as B}$
365                \State $\text{push A to C's free-list}$
366        \EndIf
367\EndIf
368\end{algorithmic}
369\end{algorithm}
370\end{figure}
371
372Algorithm~\ref{alg:heapObjectFreeOwn} shows the de-allocation (free) outline for an object at address $A$ with ownership.
373First, the address is divided into small (@sbrk@) or large (@mmap@).
374For large allocations, the storage is unmapped back to the operating system.
375For small allocations, the bucket associated with the request size is retrieved.
376If the bucket is local to the thread, the allocation is pushed onto the thread's associated bucket.
377If the bucket is not local to the thread, the allocation is pushed onto the owning thread's associated away stack.
378
379Algorithm~\ref{alg:heapObjectFreeNoOwn} shows the de-allocation (free) outline for an object at address $A$ without ownership.
380The algorithm is the same as for ownership except if the bucket is not local to the thread.
381Then the corresponding bucket of the owner thread is computed for the deallocating thread, and the allocation is pushed onto the deallocating thread's bucket.
382
383Finally, the llheap design funnels \label{p:FunnelRoutine} all allocation/deallocation operations through routines @malloc@/@free@, which are the only routines to directly access and manage the internal data structures of the heap.
384Other allocation operations, \eg @calloc@, @memalign@, and @realloc@, are composed of calls to @malloc@ and possibly @free@, and may manipulate header information after storage is allocated.
385This design simplifies heap-management code during development and maintenance.
386
387
388\subsection{Alignment}
389
390All dynamic memory allocations must have a minimum storage alignment for the contained object(s).
391Often the minimum memory alignment, M, is the bus width (32 or 64-bit) or the largest register (double, long double) or largest atomic instruction (DCAS) or vector data (MMMX).
392In general, the minimum storage alignment is 8/16-byte boundary on 32/64-bit computers.
393For consistency, the object header is normally aligned at this same boundary.
394Larger alignments must be a power of 2, such page alignment (4/8K).
395Any alignment request, N, $\le$ the minimum alignment is handled as a normal allocation with minimal alignment.
396
397For alignments greater than the minimum, the obvious approach for aligning to address @A@ is: compute the next address that is a multiple of @N@ after the current end of the heap, @E@, plus room for the header before @A@ and the size of the allocation after @A@, moving the end of the heap to @E'@.
398\begin{center}
399\input{Alignment1}
400\end{center}
401The storage between @E@ and @H@ is chained onto the appropriate free list for future allocations.
402This approach is also valid within any sufficiently large free block, where @E@ is the start of the free block, and any unused storage before @H@ or after the allocated object becomes free storage.
403In this approach, the aligned address @A@ is the same as the allocated storage address @P@, \ie @P@ $=$ @A@ for all allocation routines, which simplifies deallocation.
404However, if there are a large number of aligned requests, this approach leads to memory fragmentation from the small free areas around the aligned object.
405As well, it does not work for large allocations, where many memory allocators switch from program @sbrk@ to operating-system @mmap@.
406The reason is that @mmap@ only starts on a page boundary, and it is difficult to reuse the storage before the alignment boundary for other requests.
407Finally, this approach is incompatible with allocator designs that funnel allocation requests through @malloc@ as it directly manipulates management information within the allocator to optimize the space/time of a request.
408
409Instead, llheap alignment is accomplished by making a \emph{pessimistically} allocation request for sufficient storage to ensure that \emph{both} the alignment and size request are satisfied, \eg:
410\begin{center}
411\input{Alignment2}
412\end{center}
413The amount of storage necessary is @alignment - M + size@, which ensures there is an address, @A@, after the storage returned from @malloc@, @P@, that is a multiple of @alignment@ followed by sufficient storage for the data object.
414The approach is pessimistic because if @P@ already has the correct alignment @N@, the initial allocation has already requested sufficient space to move to the next multiple of @N@.
415For this special case, there is @alignment - M@ bytes of unused storage after the data object, which subsequently can be used by @realloc@.
416
417Note, the address returned is @A@, which is subsequently returned to @free@.
418However, to correctly free the allocated object, the value @P@ must be computable, since that is the value generated by @malloc@ and returned within @memalign@.
419Hence, there must be a mechanism to detect when @P@ $\neq$ @A@ and how to compute @P@ from @A@.
420
421The llheap approach uses two headers:
422the \emph{original} header associated with a memory allocation from @malloc@, and a \emph{fake} header within this storage before the alignment boundary @A@, which is returned from @memalign@, e.g.:
423\begin{center}
424\input{Alignment2Impl}
425\end{center}
426Since @malloc@ has a minimum alignment of @M@, @P@ $\neq$ @A@ only holds for alignments of @M@ or greater.
427When @P@ $\neq$ @A@, the minimum distance between @P@ and @A@ is @M@ bytes, due to the pessimistic storage-allocation.
428Therefore, there is always room for an @M@-byte fake header before @A@.
429
430The fake header must supply an indicator to distinguish it from a normal header and the location of address @P@ generated by @malloc@.
431This information is encoded as an offset from A to P and the initialize alignment (discussed in \VRef{s:ReallocStickyProperties}).
432To distinguish a fake header from a normal header, the least-significant bit of the alignment is used because the offset participates in multiple calculations, while the alignment is just remembered data.
433\begin{center}
434\input{FakeHeader}
435\end{center}
436
437
438\subsection{\lstinline{realloc} and Sticky Properties}
439\label{s:ReallocStickyProperties}
440
441Allocation routine @realloc@ provides a memory-management pattern for shrinking/enlarging an existing allocation, while maintaining some or all of the object data, rather than performing the following steps manually.
442\begin{flushleft}
443\begin{tabular}{ll}
444\multicolumn{1}{c}{\textbf{realloc pattern}} & \multicolumn{1}{c}{\textbf{manually}} \\
445\begin{lstlisting}
446T * naddr = realloc( oaddr, newSize );
447
448
449
450\end{lstlisting}
451&
452\begin{lstlisting}
453T * naddr = (T *)malloc( newSize ); $\C[2.4in]{// new storage}$
454memcpy( naddr, addr, oldSize );  $\C{// copy old bytes}$
455free( addr );                           $\C{// free old storage}$
456addr = naddr;                           $\C{// change pointer}\CRT$
457\end{lstlisting}
458\end{tabular}
459\end{flushleft}
460The realloc pattern leverages available storage at the end of an allocation due to bucket sizes, possibly eliminating a new allocation and copying.
461This pattern is not used enough to reduce storage management costs.
462In fact, if @oaddr@ is @nullptr@, @realloc@ does a @malloc@, so even the initial @malloc@ can be a @realloc@ for consistency in the pattern.
463
464The hidden problem for this pattern is the effect of zero fill and alignment with respect to reallocation.
465Are these properties transient or persistent (``sticky'')?
466For example, when memory is initially allocated by @calloc@ or @memalign@ with zero fill or alignment properties, respectively, what happens when those allocations are given to @realloc@ to change size.
467That is, if @realloc@ logically extends storage into unused bucket space or allocates new storage to satisfy a size change, are initial allocation properties preserve?
468Currently, allocation properties are not preserved, so subsequent use of @realloc@ storage may cause inefficient execution or errors due to lack of zero fill or alignment.
469This silent problem is unintuitive to programmers and difficult to locate because it is transient.
470To prevent these problems, llheap preserves initial allocation properties for the lifetime of an allocation and the semantics of @realloc@ are augmented to preserve these properties, with additional query routines.
471This change makes the realloc pattern efficient and safe.
472
473
474\subsection{Header}
475
476To preserve allocation properties requires storing additional information with an allocation,
477The only available location is the header, where \VRef[Figure]{f:llheapNormalHeader} shows the llheap storage layout.
478The header has two data field sized appropriately for 32/64-bit alignment requirements.
479The first field is a union of three values:
480\begin{description}
481\item[bucket pointer]
482is for allocated storage and points back to the bucket associated with this storage requests (see \VRef[Figure]{f:llheapStructure} for the fields accessible in a bucket).
483\item[mapped size]
484is for mapped storage and is the storage size for use in unmapping.
485\item[next free block]
486is for free storage and is an intrusive pointer chaining same-size free blocks onto a bucket's free stack.
487\end{description}
488The second field remembers the request size versus the allocation (bucket) size, \eg request 42 bytes which is rounded up to 64 bytes.
489Since programmers think in request sizes rather than allocation sizes, the request size allows better generation of statistics or errors.
490
491\begin{figure}
492\centering
493\input{Header}
494\caption{llheap Normal Header}
495\label{f:llheapNormalHeader}
496\end{figure}
497
498The low-order 3-bits of the first field are \emph{unused} for any stored values, whereas the second field may use all of its bits.
499The 3 unused bits are used to represent mapped allocation, zero filled, and alignment, respectively.
500Note, the alignment bit is not used in the normal header and the zero-filled/mapped bits are not used in the fake header.
501This implementation allows a fast test if any of the lower 3-bits are on (@&@ and compare).
502If no bits are on, it implies a basic allocation, which is handled quickly;
503otherwise, the bits are analysed and appropriate actions are taken for the complex cases.
504Since most allocations are basic, this implementation results in a significant performance gain along the allocation and free fastpath.
505
506
507\section{Statistics and Debugging}
508
509llheap can be built to accumulate fast and largely contention-free allocation statistics to help understand allocation behaviour.
510Incrementing statistic counters must appear on the allocation fastpath.
511As noted, any atomic operation along the fastpath produces a significant increase in allocation costs.
512To make statistics performant enough for use on running systems, each heap has its own set of statistic counters, so heap operations do not require atomic operations.
513
514To locate all statistic counters, heaps are linked together in statistics mode, and this list is locked and traversed to sum all counters across heaps.
515Note, the list is locked to prevent errors traversing an active list;
516the statistics counters are not locked and can flicker during accumulation, which is not an issue with atomic read/write.
517\VRef[Figure]{f:StatiticsOutput} shows an example of statistics output, which covers all allocation operations and information about deallocating storage not owned by a thread.
518No other memory allocator studied provides as comprehensive statistical information.
519Finally, these statistics were invaluable during the development of this thesis for debugging and verifying correctness, and hence, should be equally valuable to application developers.
520
521\begin{figure}
522\begin{lstlisting}
523Heap statistics: (storage request / allocation)
524  malloc >0 calls 2,766; 0 calls 2,064; storage 12,715 / 13,367 bytes
525  aalloc >0 calls 0; 0 calls 0; storage 0 / 0 bytes
526  calloc >0 calls 6; 0 calls 0; storage 1,008 / 1,104 bytes
527  memalign >0 calls 0; 0 calls 0; storage 0 / 0 bytes
528  amemalign >0 calls 0; 0 calls 0; storage 0 / 0 bytes
529  cmemalign >0 calls 0; 0 calls 0; storage 0 / 0 bytes
530  resize >0 calls 0; 0 calls 0; storage 0 / 0 bytes
531  realloc >0 calls 0; 0 calls 0; storage 0 / 0 bytes
532  free !null calls 2,766; null calls 4,064; storage 12,715 / 13,367 bytes
533  away pulls 0; pushes 0; storage 0 / 0 bytes
534  sbrk calls 1; storage 10,485,760 bytes
535  mmap calls 10,000; storage 10,000 / 10,035 bytes
536  munmap calls 10,000; storage 10,000 / 10,035 bytes
537  threads started 4; exited 3
538  heaps new 4; reused 0
539\end{lstlisting}
540\caption{Statistics Output}
541\label{f:StatiticsOutput}
542\end{figure}
543
544llheap can also be built with debug checking, which inserts many asserts along all allocation paths.
545These assertions detect incorrect allocation usage, like double frees, unfreed storage, or memory corruptions because internal values (like header fields) are overwritten.
546These checks are best effort as opposed to complete allocation checking as in @valgrind@.
547Nevertheless, the checks detect many allocation problems.
548There is an unfortunate problem in detecting unfreed storage because some library routines assume their allocations have life-time duration, and hence, do not free their storage.
549For example, @printf@ allocates a 1024 buffer on first call and never deletes this buffer.
550To prevent a false positive for unfreed storage, it is possible to specify an amount of storage that is never freed (see @malloc_unfreed@ \VPageref{p:malloc_unfreed}), and it is subtracted from the total allocate/free difference.
551Determining the amount of never-freed storage is annoying, but once done, any warnings of unfreed storage are application related.
552
553Tests indicate only a 30\% performance increase when statistics \emph{and} debugging are enabled, and the latency cost for accumulating statistic is mitigated by limited calls, often only one at the end of the program.
554
555
556\section{User-level Threading Support}
557\label{s:UserlevelThreadingSupport}
558
559The serially-reusable problem (see \VRef{s:AllocationFastpath}) occurs for kernel threads in the ``T:H model, H = number of CPUs'' model and for user threads in the ``1:1'' model, where llheap uses the ``1:1'' model.
560The solution is to prevent interrupts that can result in CPU or KT change during operations that are logically critical sections.
561Locking these critical sections negates any attempt for a quick fastpath and results in high contention.
562For user-level threading, the serially-reusable problem appears with time slicing for preemptable scheduling, as the signal handler context switches to another user-level thread.
563Without time slicing, a user thread performing a long computation can prevent execution (starve) other threads.
564To prevent starvation for an allocation-active thread, \ie the time slice always triggers in an allocation critical-section for one thread, a thread-local \newterm{rollforward} flag is set in the signal handler when it aborts a time slice.
565The rollforward flag is tested at the end of each allocation funnel routine (see \VPageref{p:FunnelRoutine}), and if set, it is reset and a volunteer yield (context switch) is performed to allow other threads to execute.
566
567llheap uses two techniques to detect when execution is in a allocation operation or routine called from allocation operation, to abort any time slice during this period.
568On the slowpath when executing expensive operations, like @sbrk@ or @mmap@, interrupts are disabled/enabled by setting thread-local flags so the signal handler aborts immediately.
569On the fastpath, disabling/enabling interrupts is too expensive as accessing thread-local storage can be expensive and not thread-safe.
570For example, the ARM processor stores the thread-local pointer in a coprocessor register that cannot perform atomic base-displacement addressing.
571Hence, there is a window between loading the thread-local pointer from the coprocessor register into a normal register and adding the displacement when a time slice can move a thread.
572
573The fast technique defines a special code section and places all non-interruptible routines in this section.
574The linker places all code in this section into a contiguous block of memory, but the order of routines within the block is unspecified.
575Then, the signal handler compares the program counter at the point of interrupt with the the start and end address of the non-interruptible section, and aborts if executing within this section and sets the rollforward flag.
576This technique is fragile because any calls in the non-interruptible code outside of the non-interruptible section (like @sbrk@) must be bracketed with disable/enable interrupts and these calls must be along the slowpath.
577Hence, for correctness, this approach requires inspection of generated assembler code for routines placed in the non-interruptible section.
578This issue is mitigated by the llheap funnel design so only funnel routines and a few statistics routines are placed in the non-interruptible section and their assembler code examined.
579These techniques are used in both the \uC and \CFA versions of llheap, where both of these systems have user-level threading.
580
581
582\section{Bootstrapping}
583
584There are problems bootstrapping a memory allocator.
585\begin{enumerate}
586\item
587Programs can be statically or dynamically linked.
588\item
589The order the linker schedules startup code is poorly supported.
590\item
591Knowing a KT's start and end independently from the KT code is difficult.
592\end{enumerate}
593
594For static linking, the allocator is loaded with the program.
595Hence, allocation calls immediately invoke the allocator operation defined by the loaded allocation library and there is only one memory allocator used in the program.
596This approach allows allocator substitution by placing an allocation library before any other in the linked/load path.
597
598Allocator substitution is similar for dynamic linking, but the problem is that the dynamic loader starts first and needs to perform dynamic allocations \emph{before} the substitution allocator is loaded.
599As a result, the dynamic loader uses a default allocator until the substitution allocator is loaded, after which all allocation operations are handled by the substitution allocator, including from the dynamic loader.
600Hence, some part of the @sbrk@ area may be used by the default allocator and statistics about allocation operations cannot be correct.
601Furthermore, dynamic linking goes through trampolines, so there is an additional cost along the allocator fastpath for all allocation operations.
602Testing showed up to a 5\% performance increase for dynamic linking over static linking, even when using @tls_model("initial-exec")@ so the dynamic loader can obtain tighter binding.
603
604All allocator libraries need to perform startup code to initialize data structures, such as the heap array for llheap.
605The problem is getting initialized done before the first allocator call.
606However, there does not seem to be mechanism to tell either the static or dynamic loader to first perform initialization code before any calls to a loaded library.
607As a result, calls to allocation routines occur without initialization.
608To deal with this problem, it is necessary to put a conditional initialization check along the allocation fastpath to trigger initialization (singleton pattern).
609
610Two other important execution points are program startup and termination, which include prologue or epilogue code to bootstrap a program, which programmers are unaware of.
611For example, dynamic-memory allocations before/after the application starts should not be considered in statistics because the application does not make these calls.
612llheap establishes these two points using routines:
613\begin{lstlisting}
614__attribute__(( constructor( 100 ) )) static void startup( void ) {
615        // clear statistic counters
616        // reset allocUnfreed counter
617}
618__attribute__(( destructor( 100 ) )) static void shutdown( void ) {
619        // sum allocUnfreed for all heaps
620        // subtract global unfreed storage
621        // if allocUnfreed > 0 then print warning message
622}
623\end{lstlisting}
624which use global constructor/destructor priority 100, where the linker calls these routines at program prologue/epilogue in increasing/decreasing order of priority.
625Application programs may only use global constructor/destructor priorities greater than 100.
626Hence, @startup@ is called after the program prologue but before the application starts, and @shutdown@ is called after the program terminates but before the program epilogue.
627By resetting counters in @startup@, prologue allocations are ignored, and checking unfreed storage in @shutdown@ checks only application memory management, ignoring the program epilogue.
628
629While @startup@/@shutdown@ apply to the program KT, a concurrent program creates additional KTs that do not trigger these routines.
630However, it is essential for the allocator to know when each KT is started/terminated.
631One approach is to create a thread-local object with a construct/destructor, which is triggered after a new KT starts and before it terminates, respectively.
632\begin{lstlisting}
633struct ThreadManager {
634        volatile bool pgm_thread;
635        ThreadManager() {} // unusable
636        ~ThreadManager() { if ( pgm_thread ) heapManagerDtor(); }
637};
638static thread_local ThreadManager threadManager;
639\end{lstlisting}
640Unfortunately, thread-local variables are created lazily, \ie on the first dereference of @threadManager@, which then triggers its constructor.
641Therefore, the constructor is useless for knowing when a KT starts because the KT must reference it, and the allocator does not control the application KT.
642Fortunately, the singleton pattern needed for initializing the program KT also triggers KT allocator initialization, which can then reference @pgm_thread@ to call @threadManager@'s constructor, otherwise its destructor is not called.
643Now when a KT terminates, @~ThreadManager@ is called to chained it onto the global-heap free-stack, where @pgm_thread@ is set to true only for the program KT.
644The conditional destructor call prevents closing down the program heap, which must remain available because epilogue code may free more storage.
645
646Finally, there is a recursive problem when the singleton pattern dereferences @pgm_thread@ to initialize the thread-local object, because its initialization calls @atExit@, which immediately calls @malloc@ to obtain storage.
647This recursion is handled with another thread-local flag to prevent double initialization.
648A similar problem exists when the KT terminates and calls member @~ThreadManager@, because immediately afterwards, the terminating KT calls @free@ to deallocate the storage obtained from the @atExit@.
649In the meantime, the terminated heap has been put on the global-heap free-stack, and may be active by a new KT, so the @atExit@ free is handled as a free to another heap and put onto the away list using locking.
650
651For user threading systems, the KTs are controlled by the runtime, and hence, start/end pointers are known and interact directly with the llheap allocator for \uC and \CFA, which eliminates or simplifies several of these problems.
652The following API was created to provide interaction between the language runtime and the allocator.
653\begin{lstlisting}
654void startThread();                     $\C{// KT starts}$
655void finishThread();                    $\C{// KT ends}$
656void startup();                         $\C{// when application code starts}$
657void shutdown();                        $\C{// when application code ends}$
658bool traceHeap();                       $\C{// enable allocation/free printing for debugging}$
659bool traceHeapOn();                     $\C{// start printing allocation/free calls}$
660bool traceHeapOff();                    $\C{// stop printing allocation/free calls}$
661\end{lstlisting}
662This kind of API is necessary to allow concurrent runtime systems to interact with difference memory allocators in a consistent way.
663
664%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
665
666\section{Added Features and Methods}
667
668The C dynamic-allocation API (see \VRef[Figure]{f:CDynamicAllocationAPI}) is neither orthogonal nor complete.
669For example,
670\begin{itemize}
671\item
672It is possible to zero fill or align an allocation but not both.
673\item
674It is \emph{only} possible to zero fill an array allocation.
675\item
676It is not possible to resize a memory allocation without data copying.
677\item
678@realloc@ does not preserve initial allocation properties.
679\end{itemize}
680As a result, programmers must provide these options, which is error prone, resulting in blaming the entire programming language for a poor dynamic-allocation API.
681Furthermore, newer programming languages have better type systems that can provide safer and more powerful APIs for memory allocation.
682
683\begin{figure}
684\begin{lstlisting}
685void * malloc( size_t size );
686void * calloc( size_t nmemb, size_t size );
687void * realloc( void * ptr, size_t size );
688void * reallocarray( void * ptr, size_t nmemb, size_t size );
689void free( void * ptr );
690void * memalign( size_t alignment, size_t size );
691void * aligned_alloc( size_t alignment, size_t size );
692int posix_memalign( void ** memptr, size_t alignment, size_t size );
693void * valloc( size_t size );
694void * pvalloc( size_t size );
695
696struct mallinfo mallinfo( void );
697int mallopt( int param, int val );
698int malloc_trim( size_t pad );
699size_t malloc_usable_size( void * ptr );
700void malloc_stats( void );
701int malloc_info( int options, FILE * fp );
702\end{lstlisting}
703\caption{C Dynamic-Allocation API}
704\label{f:CDynamicAllocationAPI}
705\end{figure}
706
707The following presents design and API changes for C, \CC (\uC), and \CFA, all of which are implemented in llheap.
708
709
710\subsection{Out of Memory}
711
712Most allocators use @nullptr@ to indicate an allocation failure, specifically out of memory;
713hence the need to return an alternate value for a zero-sized allocation.
714A different approach allowed by the C API is to abort a program when out of memory and return @nullptr@ for a zero-sized allocation.
715In theory, notifying the programmer of memory failure allows recovery;
716in practice, it is almost impossible to gracefully recover when out of memory.
717Hence, the cheaper approach of returning @nullptr@ for a zero-sized allocation is chosen because no pseudo allocation is necessary.
718
719
720\subsection{C Interface}
721
722For C, it is possible to increase functionality and orthogonality of the dynamic-memory API to make allocation better for programmers.
723
724For existing C allocation routines:
725\begin{itemize}
726\item
727@calloc@ sets the sticky zero-fill property.
728\item
729@memalign@, @aligned_alloc@, @posix_memalign@, @valloc@ and @pvalloc@ set the sticky alignment property.
730\item
731@realloc@ and @reallocarray@ preserve sticky properties.
732\end{itemize}
733
734The C dynamic-memory API is extended with the following routines:
735
736\paragraph{\lstinline{void * aalloc( size_t dim, size_t elemSize )}}
737extends @calloc@ for allocating a dynamic array of objects without calculating the total size of array explicitly but \emph{without} zero-filling the memory.
738@aalloc@ is significantly faster than @calloc@, which is the only alternative.
739
740\noindent\textbf{Usage}
741@aalloc@ takes two parameters.
742\begin{itemize}
743\item
744@dim@: number of array objects
745\item
746@elemSize@: size of array object
747\end{itemize}
748It returns the address of the dynamic array or @NULL@ if either @dim@ or @elemSize@ are zero.
749
750\paragraph{\lstinline{void * resize( void * oaddr, size_t size )}}
751extends @realloc@ for resizing an existing allocation \emph{without} copying previous data into the new allocation or preserving sticky properties.
752@resize@ is significantly faster than @realloc@, which is the only alternative.
753
754\noindent\textbf{Usage}
755@resize@ takes two parameters.
756\begin{itemize}
757\item
758@oaddr@: address to be resized
759\item
760@size@: new allocation size (smaller or larger than previous)
761\end{itemize}
762It returns the address of the old or new storage with the specified new size or @NULL@ if @size@ is zero.
763
764\paragraph{\lstinline{void * amemalign( size_t alignment, size_t dim, size_t elemSize )}}
765extends @aalloc@ and @memalign@ for allocating an aligned dynamic array of objects.
766Sets sticky alignment property.
767
768\noindent\textbf{Usage}
769@amemalign@ takes three parameters.
770\begin{itemize}
771\item
772@alignment@: alignment requirement
773\item
774@dim@: number of array objects
775\item
776@elemSize@: size of array object
777\end{itemize}
778It returns the address of the aligned dynamic-array or @NULL@ if either @dim@ or @elemSize@ are zero.
779
780\paragraph{\lstinline{void * cmemalign( size_t alignment, size_t dim, size_t elemSize )}}
781extends @amemalign@ with zero fill and has the same usage as @amemalign@.
782Sets sticky zero-fill and alignment property.
783It returns the address of the aligned, zero-filled dynamic-array or @NULL@ if either @dim@ or @elemSize@ are zero.
784
785\paragraph{\lstinline{size_t malloc_alignment( void * addr )}}
786returns the alignment of the dynamic object for use in aligning similar allocations.
787
788\noindent\textbf{Usage}
789@malloc_alignment@ takes one parameter.
790\begin{itemize}
791\item
792@addr@: address of an allocated object.
793\end{itemize}
794It returns the alignment of the given object, where objects not allocated with alignment return the minimal allocation alignment.
795
796\paragraph{\lstinline{bool malloc_zero_fill( void * addr )}}
797returns true if the object has the zero-fill sticky property for use in zero filling similar allocations.
798
799\noindent\textbf{Usage}
800@malloc_zero_fill@ takes one parameters.
801
802\begin{itemize}
803\item
804@addr@: address of an allocated object.
805\end{itemize}
806It returns true if the zero-fill sticky property is set and false otherwise.
807
808\paragraph{\lstinline{size_t malloc_size( void * addr )}}
809returns the request size of the dynamic object (updated when an object is resized) for use in similar allocations.
810See also @malloc_usable_size@.
811
812\noindent\textbf{Usage}
813@malloc_size@ takes one parameters.
814\begin{itemize}
815\item
816@addr@: address of an allocated object.
817\end{itemize}
818It returns the request size or zero if @addr@ is @NULL@.
819
820\paragraph{\lstinline{int malloc_stats_fd( int fd )}}
821changes the file descriptor where @malloc_stats@ writes statistics (default @stdout@).
822
823\noindent\textbf{Usage}
824@malloc_stats_fd@ takes one parameters.
825\begin{itemize}
826\item
827@fd@: files description.
828\end{itemize}
829It returns the previous file descriptor.
830
831\paragraph{\lstinline{size_t malloc_expansion()}}
832\label{p:malloc_expansion}
833set the amount (bytes) to extend the heap when there is insufficient free storage to service an allocation request.
834It returns the heap extension size used throughout a program, \ie called once at heap initialization.
835
836\paragraph{\lstinline{size_t malloc_mmap_start()}}
837set the crossover between allocations occurring in the @sbrk@ area or separately mapped.
838It returns the crossover point used throughout a program, \ie called once at heap initialization.
839
840\paragraph{\lstinline{size_t malloc_unfreed()}}
841\label{p:malloc_unfreed}
842amount subtracted to adjust for unfreed program storage (debug only).
843It returns the new subtraction amount and called by @malloc_stats@.
844
845
846\subsection{\CC Interface}
847
848The following extensions take advantage of overload polymorphism in the \CC type-system.
849
850\paragraph{\lstinline{void * resize( void * oaddr, size_t nalign, size_t size )}}
851extends @resize@ with an alignment re\-quirement.
852
853\noindent\textbf{Usage}
854takes three parameters.
855\begin{itemize}
856\item
857@oaddr@: address to be resized
858\item
859@nalign@: alignment requirement
860\item
861@size@: new allocation size (smaller or larger than previous)
862\end{itemize}
863It returns the address of the old or new storage with the specified new size and alignment, or @NULL@ if @size@ is zero.
864
865\paragraph{\lstinline{void * realloc( void * oaddr, size_t nalign, size_t size )}}
866extends @realloc@ with an alignment re\-quirement and has the same usage as aligned @resize@.
867
868
869\subsection{\CFA Interface}
870
871The following extensions take advantage of overload polymorphism in the \CFA type-system.
872The key safety advantage of the \CFA type system is using the return type to select overloads;
873hence, a polymorphic routine knows the returned type and its size.
874This capability is used to remove the object size parameter and correctly cast the return storage to match the result type.
875For example, the following is the \CFA wrapper for C @malloc@:
876\begin{cfa}
877forall( T & | sized(T) ) {
878        T * malloc( void ) {
879                if ( _Alignof(T) <= libAlign() ) return @(T *)@malloc( @sizeof(T)@ ); // C allocation
880                else return @(T *)@memalign( @_Alignof(T)@, @sizeof(T)@ ); // C allocation
881        } // malloc
882\end{cfa}
883and is used as follows:
884\begin{lstlisting}
885int * i = malloc();
886double * d = malloc();
887struct Spinlock { ... } __attribute__(( aligned(128) ));
888Spinlock * sl = malloc();
889\end{lstlisting}
890where each @malloc@ call provides the return type as @T@, which is used with @sizeof@, @_Alignof@, and casting the storage to the correct type.
891This interface removes many of the common allocation errors in C programs.
892\VRef[Figure]{f:CFADynamicAllocationAPI} show the \CFA wrappers for the equivalent C/\CC allocation routines with same semantic behaviour.
893
894\begin{figure}
895\begin{lstlisting}
896T * malloc( void );
897T * aalloc( size_t dim );
898T * calloc( size_t dim );
899T * resize( T * ptr, size_t size );
900T * realloc( T * ptr, size_t size );
901T * memalign( size_t align );
902T * amemalign( size_t align, size_t dim );
903T * cmemalign( size_t align, size_t dim  );
904T * aligned_alloc( size_t align );
905int posix_memalign( T ** ptr, size_t align );
906T * valloc( void );
907T * pvalloc( void );
908\end{lstlisting}
909\caption{\CFA C-Style Dynamic-Allocation API}
910\label{f:CFADynamicAllocationAPI}
911\end{figure}
912
913In addition to the \CFA C-style allocator interface, a new allocator interface is provided to further increase orthogonality and usability of dynamic-memory allocation.
914This interface helps programmers in three ways.
915\begin{itemize}
916\item
917naming: \CFA regular and @ttype@ polymorphism is used to encapsulate a wide range of allocation functionality into a single routine name, so programmers do not have to remember multiple routine names for different kinds of dynamic allocations.
918\item
919named arguments: individual allocation properties are specified using postfix function call, so programmers do have to remember parameter positions in allocation calls.
920\item
921object size: like the \CFA C-style interface, programmers do not have to specify object size or cast allocation results.
922\end{itemize}
923Note, postfix function call is an alternative call syntax, using backtick @`@, where the argument appears before the function name, \eg
924\begin{cfa}
925duration ?@`@h( int h );                // ? denote the position of the function operand
926duration ?@`@m( int m );
927duration ?@`@s( int s );
928duration dur = 3@`@h + 42@`@m + 17@`@s;
929\end{cfa}
930@ttype@ polymorphism is similar to \CC variadic templates.
931
932\paragraph{\lstinline{T * alloc( ... )} or \lstinline{T * alloc( size_t dim, ... )}}
933is overloaded with a variable number of specific allocation routines, or an integer dimension parameter followed by a variable number specific allocation routines.
934A call without parameters returns a dynamically allocated object of type @T@ (@malloc@).
935A call with only the dimension (dim) parameter returns a dynamically allocated array of objects of type @T@ (@aalloc@).
936The variable number of arguments consist of allocation properties, which can be combined to produce different kinds of allocations.
937The only restriction is for properties @realloc@ and @resize@, which cannot be combined.
938
939The allocation property functions are:
940\subparagraph{\lstinline{T_align ?`align( size_t alignment )}}
941to align the allocation.
942The alignment parameter must be $\ge$ the default alignment (@libAlign()@ in \CFA) and a power of two, \eg:
943\begin{cfa}
944int * i0 = alloc( @4096`align@ );  sout | i0 | nl;
945int * i1 = alloc( 3, @4096`align@ );  sout | i1; for (i; 3 ) sout | &i1[i]; sout | nl;
946
9470x555555572000
9480x555555574000 0x555555574000 0x555555574004 0x555555574008
949\end{cfa}
950returns a dynamic object and object array aligned on a 4096-byte boundary.
951
952\subparagraph{\lstinline{S_fill(T) ?`fill ( /* various types */ )}}
953to initialize storage.
954There are three ways to fill storage:
955\begin{enumerate}
956\item
957A char fills each byte of each object.
958\item
959An object of the returned type fills each object.
960\item
961An object array pointer fills some or all of the corresponding object array.
962\end{enumerate}
963For example:
964\begin{cfa}[numbers=left]
965int * i0 = alloc( @0n`fill@ );  sout | *i0 | nl;  // disambiguate 0
966int * i1 = alloc( @5`fill@ );  sout | *i1 | nl;
967int * i2 = alloc( @'\xfe'`fill@ ); sout | hex( *i2 ) | nl;
968int * i3 = alloc( 5, @5`fill@ );  for ( i; 5 ) sout | i3[i]; sout | nl;
969int * i4 = alloc( 5, @0xdeadbeefN`fill@ );  for ( i; 5 ) sout | hex( i4[i] ); sout | nl;
970int * i5 = alloc( 5, @i3`fill@ );  for ( i; 5 ) sout | i5[i]; sout | nl;
971int * i6 = alloc( 5, @[i3, 3]`fill@ );  for ( i; 5 ) sout | i6[i]; sout | nl;
972\end{cfa}
973\begin{lstlisting}[numbers=left]
9740
9755
9760xfefefefe
9775 5 5 5 5
9780xdeadbeef 0xdeadbeef 0xdeadbeef 0xdeadbeef 0xdeadbeef
9795 5 5 5 5
9805 5 5 -555819298 -555819298  // two undefined values
981\end{lstlisting}
982Examples 1 to 3, fill an object with a value or characters.
983Examples 4 to 7, fill an array of objects with values, another array, or part of an array.
984
985\subparagraph{\lstinline{S_resize(T) ?`resize( void * oaddr )}}
986used to resize, realign, and fill, where the old object data is not copied to the new object.
987The old object type may be different from the new object type, since the values are not used.
988For example:
989\begin{cfa}[numbers=left]
990int * i = alloc( @5`fill@ );  sout | i | *i;
991i = alloc( @i`resize@, @256`align@, @7`fill@ );  sout | i | *i;
992double * d = alloc( @i`resize@, @4096`align@, @13.5`fill@ );  sout | d | *d;
993\end{cfa}
994\begin{lstlisting}[numbers=left]
9950x55555556d5c0 5
9960x555555570000 7
9970x555555571000 13.5
998\end{lstlisting}
999Examples 2 to 3 change the alignment, fill, and size for the initial storage of @i@.
1000
1001\begin{cfa}[numbers=left]
1002int * ia = alloc( 5, @5`fill@ );  for ( i; 5 ) sout | ia[i]; sout | nl;
1003ia = alloc( 10, @ia`resize@, @7`fill@ ); for ( i; 10 ) sout | ia[i]; sout | nl;
1004sout | ia; ia = alloc( 5, @ia`resize@, @512`align@, @13`fill@ ); sout | ia; for ( i; 5 ) sout | ia[i]; sout | nl;;
1005ia = alloc( 3, @ia`resize@, @4096`align@, @2`fill@ );  sout | ia; for ( i; 3 ) sout | &ia[i] | ia[i]; sout | nl;
1006\end{cfa}
1007\begin{lstlisting}[numbers=left]
10085 5 5 5 5
10097 7 7 7 7 7 7 7 7 7
10100x55555556d560 0x555555571a00 13 13 13 13 13
10110x555555572000 0x555555572000 2 0x555555572004 2 0x555555572008 2
1012\end{lstlisting}
1013Examples 2 to 4 change the array size, alignment and fill for the initial storage of @ia@.
1014
1015\subparagraph{\lstinline{S_realloc(T) ?`realloc( T * a ))}}
1016used to resize, realign, and fill, where the old object data is copied to the new object.
1017The old object type must be the same as the new object type, since the values used.
1018Note, for @fill@, only the extra space after copying the data from the old object is filled with the given parameter.
1019For example:
1020\begin{cfa}[numbers=left]
1021int * i = alloc( @5`fill@ );  sout | i | *i;
1022i = alloc( @i`realloc@, @256`align@ );  sout | i | *i;
1023i = alloc( @i`realloc@, @4096`align@, @13`fill@ );  sout | i | *i;
1024\end{cfa}
1025\begin{lstlisting}[numbers=left]
10260x55555556d5c0 5
10270x555555570000 5
10280x555555571000 5
1029\end{lstlisting}
1030Examples 2 to 3 change the alignment for the initial storage of @i@.
1031The @13`fill@ for example 3 does nothing because no extra space is added.
1032
1033\begin{cfa}[numbers=left]
1034int * ia = alloc( 5, @5`fill@ );  for ( i; 5 ) sout | ia[i]; sout | nl;
1035ia = alloc( 10, @ia`realloc@, @7`fill@ ); for ( i; 10 ) sout | ia[i]; sout | nl;
1036sout | ia; ia = alloc( 1, @ia`realloc@, @512`align@, @13`fill@ ); sout | ia; for ( i; 1 ) sout | ia[i]; sout | nl;;
1037ia = alloc( 3, @ia`realloc@, @4096`align@, @2`fill@ );  sout | ia; for ( i; 3 ) sout | &ia[i] | ia[i]; sout | nl;
1038\end{cfa}
1039\begin{lstlisting}[numbers=left]
10405 5 5 5 5
10415 5 5 5 5 7 7 7 7 7
10420x55555556c560 0x555555570a00 5
10430x555555571000 0x555555571000 5 0x555555571004 2 0x555555571008 2
1044\end{lstlisting}
1045Examples 2 to 4 change the array size, alignment and fill for the initial storage of @ia@.
1046The @13`fill@ for example 3 does nothing because no extra space is added.
1047
1048These \CFA allocation features are used extensively in the development of the \CFA runtime.
Note: See TracBrowser for help on using the repository browser.