source: doc/theses/mubeen_zulfiqar_MMath/allocator.tex @ 29d8c02

ADTast-experimentalpthread-emulationqualifiedEnum
Last change on this file since 29d8c02 was 29d8c02, checked in by m3zulfiq <m3zulfiq@…>, 2 years ago

made corrections in thesis as per feedback from the readers

  • Property mode set to 100644
File size: 61.6 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 simple 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 shared among N KTs.
40This design leverages the fact that usually the allocation requests are less than 1024 bytes and there are only a few 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 (distributed) 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 might be 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 increasing N, 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.
140\PAB{Heaps are uncontended for a KTs memory operations as every KT has its own thread-local heap which is not shared with any other KT (modulo operations on the global pool and ownership).}
141
142Problems:
143\begin{itemize}
144\item
145Need to know when a KT 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, and a heap is also 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 might be 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.
177So the 1:1 model had no atomic actions along the fastpath and no special operating-system support requirements.
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 and 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 of heaps is allocated.
260There is a global top pointer for a intrusive linked-list to chain free heaps from terminated threads.
261When statistics are turned on, there is a global top pointer for a intrusive linked-list 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 number of heaps.
265The free heaps are stored on 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.
271\PAB{All objects in a bucket are of the same size.}
272The 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.
273Each free bucket of a specific size has the following two lists:
274\begin{itemize}
275\item
276A free stack used solely by the KT heap-owner, so push/pop operations do not require locking.
277The free objects are a stack so hot storage is reused first.
278\item
279For ownership, a shared away-stack for KTs to return storage allocated by other KTs, so push/pop operations require locking.
280When the free stack is empty, the entire ownership stack is removed and becomes the head of the corresponding free stack.
281\end{itemize}
282
283Algorithm~\ref{alg:heapObjectAlloc} shows the allocation outline for an object of size $S$.
284First, the allocation is divided into small (@sbrk@) or large (@mmap@).
285For large allocations, the storage is mapped directly from the operating system.
286For small allocations, $S$ is quantized into a bucket size.
287Quantizing is performed using a binary search over the ordered bucket array.
288An 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.
289The @char@ type restricts the number of bucket sizes to 256.
290For $S$ > 64K, a binary search is used.
291Then, the allocation storage is obtained from the following locations (in order), with increasing latency.
292\begin{enumerate}[topsep=0pt,itemsep=0pt,parsep=0pt]
293\item
294bucket's free stack,
295\item
296bucket's away stack,
297\item
298heap's local pool
299\item
300global pool
301\item
302operating system (@sbrk@)
303\end{enumerate}
304
305\begin{figure}
306\vspace*{-10pt}
307\begin{algorithm}[H]
308\small
309\caption{Dynamic object allocation of size $S$}\label{alg:heapObjectAlloc}
310\begin{algorithmic}[1]
311\State $\textit{O} \gets \text{NULL}$
312\If {$S >= \textit{mmap-threshhold}$}
313        \State $\textit{O} \gets \text{allocate dynamic memory using system call mmap with size S}$
314\Else
315        \State $\textit{B} \gets \text{smallest free-bucket} \geq S$
316        \If {$\textit{B's free-list is empty}$}
317                \If {$\textit{B's away-list is empty}$}
318                        \If {$\textit{heap's allocation buffer} < S$}
319                                \State $\text{get allocation from global pool (which might call \lstinline{sbrk})}$
320                        \EndIf
321                        \State $\textit{O} \gets \text{bump allocate an object of size S from allocation buffer}$
322                \Else
323                        \State $\textit{merge B's away-list into free-list}$
324                        \State $\textit{O} \gets \text{pop an object from B's free-list}$
325                \EndIf
326        \Else
327                \State $\textit{O} \gets \text{pop an object from B's free-list}$
328        \EndIf
329        \State $\textit{O's owner} \gets \text{B}$
330\EndIf
331\State $\Return \textit{ O}$
332\end{algorithmic}
333\end{algorithm}
334
335\vspace*{-15pt}
336\begin{algorithm}[H]
337\small
338\caption{Dynamic object free at address $A$ with object ownership}\label{alg:heapObjectFreeOwn}
339\begin{algorithmic}[1]
340\If {$\textit{A mapped allocation}$}
341        \State $\text{return A's dynamic memory to system using system call \lstinline{munmap}}$
342\Else
343        \State $\text{B} \gets \textit{O's owner}$
344        \If {$\textit{B is thread-local heap's bucket}$}
345                \State $\text{push A to B's free-list}$
346        \Else
347                \State $\text{push A to B's away-list}$
348        \EndIf
349\EndIf
350\end{algorithmic}
351\end{algorithm}
352
353\vspace*{-15pt}
354\begin{algorithm}[H]
355\small
356\caption{Dynamic object free at address $A$ without object ownership}\label{alg:heapObjectFreeNoOwn}
357\begin{algorithmic}[1]
358\If {$\textit{A mapped allocation}$}
359        \State $\text{return A's dynamic memory to system using system call \lstinline{munmap}}$
360\Else
361        \State $\text{B} \gets \textit{O's owner}$
362        \If {$\textit{B is thread-local heap's bucket}$}
363                \State $\text{push A to B's free-list}$
364        \Else
365                \State $\text{C} \gets \textit{thread local heap's bucket with same size as B}$
366                \State $\text{push A to C's free-list}$
367        \EndIf
368\EndIf
369\end{algorithmic}
370\end{algorithm}
371\end{figure}
372
373Algorithm~\ref{alg:heapObjectFreeOwn} shows the de-allocation (free) outline for an object at address $A$ with ownership.
374First, the address is divided into small (@sbrk@) or large (@mmap@).
375For large allocations, the storage is unmapped back to the operating system.
376For small allocations, the bucket associated with the request size is retrieved.
377If the bucket is local to the thread, the allocation is pushed onto the thread's associated bucket.
378If the bucket is not local to the thread, the allocation is pushed onto the owning thread's associated away stack.
379
380Algorithm~\ref{alg:heapObjectFreeNoOwn} shows the de-allocation (free) outline for an object at address $A$ without ownership.
381The algorithm is the same as for ownership except if the bucket is not local to the thread.
382Then the corresponding bucket of the owner thread is computed for the deallocating thread, and the allocation is pushed onto the deallocating thread's bucket.
383
384Finally, the llheap design funnels \label{p:FunnelRoutine} all allocation/deallocation operations through the @malloc@ and @free@ routines, which are the only routines to directly access and manage the internal data structures of the heap.
385Other 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.
386This design simplifies heap-management code during development and maintenance.
387
388
389\subsection{Alignment}
390
391Most dynamic memory allocations have a minimum storage alignment for the contained object(s).
392Often 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).
393In general, the minimum storage alignment is 8/16-byte boundary on 32/64-bit computers.
394For consistency, the object header is normally aligned at this same boundary.
395Larger alignments must be a power of 2, such as page alignment (4/8K).
396Any alignment request, N, $\le$ the minimum alignment is handled as a normal allocation with minimal alignment.
397
398For 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'@.
399\begin{center}
400\input{Alignment1}
401\end{center}
402The storage between @E@ and @H@ is chained onto the appropriate free list for future allocations.
403\PAB{The same approach is used for sufficiently large free blocks}, where @E@ is the start of the free block, and any unused storage before @H@ or after the allocated object becomes free storage.
404In 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.
405However, if there are a large number of aligned requests, this approach leads to memory fragmentation from the small free areas around the aligned object.
406As well, it does not work for large allocations, where many memory allocators switch from program @sbrk@ to operating-system @mmap@.
407The 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.
408Finally, 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.
409
410Instead, llheap alignment is accomplished by making a \emph{pessimistic} allocation request for sufficient storage to ensure that \emph{both} the alignment and size request are satisfied, \eg:
411\begin{center}
412\input{Alignment2}
413\end{center}
414The 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.
415The 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@.
416For this special case, there is @alignment - M@ bytes of unused storage after the data object, which subsequently can be used by @realloc@.
417
418Note, the address returned is @A@, which is subsequently returned to @free@.
419However, to correctly free the allocated object, the value @P@ must be computable, since that is the value generated by @malloc@ and returned within @memalign@.
420Hence, there must be a mechanism to detect when @P@ $\neq$ @A@ and how to compute @P@ from @A@.
421
422The llheap approach uses two headers:
423the \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.:
424\begin{center}
425\input{Alignment2Impl}
426\end{center}
427Since @malloc@ has a minimum alignment of @M@, @P@ $\neq$ @A@ only holds for alignments greater than @M@.
428When @P@ $\neq$ @A@, the minimum distance between @P@ and @A@ is @M@ bytes, due to the pessimistic storage-allocation.
429Therefore, there is always room for an @M@-byte fake header before @A@.
430
431The fake header must supply an indicator to distinguish it from a normal header and the location of address @P@ generated by @malloc@.
432This information is encoded as an offset from A to P and the initialize alignment (discussed in \VRef{s:ReallocStickyProperties}).
433To 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.
434\begin{center}
435\input{FakeHeader}
436\end{center}
437
438
439\subsection{\lstinline{realloc} and Sticky Properties}
440\label{s:ReallocStickyProperties}
441
442The allocation 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.
443\begin{flushleft}
444\begin{tabular}{ll}
445\multicolumn{1}{c}{\textbf{realloc pattern}} & \multicolumn{1}{c}{\textbf{manually}} \\
446\begin{lstlisting}
447T * naddr = realloc( oaddr, newSize );
448
449
450
451\end{lstlisting}
452&
453\begin{lstlisting}
454T * naddr = (T *)malloc( newSize ); $\C[2.4in]{// new storage}$
455memcpy( naddr, addr, oldSize );  $\C{// copy old bytes}$
456free( addr );                           $\C{// free old storage}$
457addr = naddr;                           $\C{// change pointer}\CRT$
458\end{lstlisting}
459\end{tabular}
460\end{flushleft}
461The realloc pattern leverages available storage at the end of an allocation due to bucket sizes, possibly eliminating a new allocation and copying.
462This pattern is not used enough to reduce storage management costs.
463In fact, if @oaddr@ is @nullptr@, @realloc@ does a @malloc@, so even the initial @malloc@ can be a @realloc@ for consistency in the allocation pattern.
464
465The hidden problem for this pattern is the effect of zero fill and alignment with respect to reallocation.
466Are these properties transient or persistent (``sticky'')?
467For 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?
468That is, if @realloc@ logically extends storage into unused bucket space or allocates new storage to satisfy a size change, are initial allocation properties preserved?
469Currently, 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.
470This silent problem is unintuitive to programmers and difficult to locate because it is transient.
471To 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.
472This change makes the realloc pattern efficient and safe.
473
474
475\subsection{Header}
476
477To preserve allocation properties requires storing additional information with an allocation,
478The best available option is the header, where \VRef[Figure]{f:llheapNormalHeader} shows the llheap storage layout.
479The header has two data field sized appropriately for 32/64-bit alignment requirements.
480The first field is a union of three values:
481\begin{description}
482\item[bucket pointer]
483is 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).
484\item[mapped size]
485is for mapped storage and is the storage size for use in unmapping.
486\item[next free block]
487is for free storage and is an intrusive pointer chaining same-size free blocks onto a bucket's free stack.
488\end{description}
489The second field remembers the request size versus the allocation (bucket) size, \eg request 42 bytes which is rounded up to 64 bytes.
490\PAB{Since programmers think in request sizes rather than allocation sizes, the request size allows better generation of statistics or errors and also helps in memory management.}
491
492\begin{figure}
493\centering
494\input{Header}
495\caption{llheap Normal Header}
496\label{f:llheapNormalHeader}
497\end{figure}
498
499\PAB{The low-order 3-bits of the first field are \emph{unused} for any stored values as these values are 16-byte aligned by default, whereas the second field may use all of its bits.}
500The 3 unused bits are used to represent mapped allocation, zero filled, and alignment, respectively.
501Note, the alignment bit is not used in the normal header and the zero-filled/mapped bits are not used in the fake header.
502This implementation allows a fast test if any of the lower 3-bits are on (@&@ and compare).
503If no bits are on, it implies a basic allocation, which is handled quickly;
504otherwise, the bits are analysed and appropriate actions are taken for the complex cases.
505Since most allocations are basic, they will take significantly less time as the memory operations will be done along the allocation and free fastpath.
506
507
508\section{Statistics and Debugging}
509
510llheap can be built to accumulate fast and largely contention-free allocation statistics to help understand allocation behaviour.
511Incrementing statistic counters must appear on the allocation fastpath.
512As noted, any atomic operation along the fastpath produces a significant increase in allocation costs.
513To 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.
514
515To locate all statistic counters, heaps are linked together in statistics mode, and this list is locked and traversed to sum all counters across heaps.
516Note, the list is locked to prevent errors traversing an active list;
517\PAB{the statistics counters are not locked and can flicker during accumulation.}
518\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.
519No other memory allocator studied provides as comprehensive statistical information.
520Finally, these statistics were invaluable during the development of this thesis for debugging and verifying correctness and should be equally valuable to application developers.
521
522\begin{figure}
523\begin{lstlisting}
524Heap statistics: (storage request / allocation)
525  malloc >0 calls 2,766; 0 calls 2,064; storage 12,715 / 13,367 bytes
526  aalloc >0 calls 0; 0 calls 0; storage 0 / 0 bytes
527  calloc >0 calls 6; 0 calls 0; storage 1,008 / 1,104 bytes
528  memalign >0 calls 0; 0 calls 0; storage 0 / 0 bytes
529  amemalign >0 calls 0; 0 calls 0; storage 0 / 0 bytes
530  cmemalign >0 calls 0; 0 calls 0; storage 0 / 0 bytes
531  resize >0 calls 0; 0 calls 0; storage 0 / 0 bytes
532  realloc >0 calls 0; 0 calls 0; storage 0 / 0 bytes
533  free !null calls 2,766; null calls 4,064; storage 12,715 / 13,367 bytes
534  away pulls 0; pushes 0; storage 0 / 0 bytes
535  sbrk calls 1; storage 10,485,760 bytes
536  mmap calls 10,000; storage 10,000 / 10,035 bytes
537  munmap calls 10,000; storage 10,000 / 10,035 bytes
538  threads started 4; exited 3
539  heaps new 4; reused 0
540\end{lstlisting}
541\caption{Statistics Output}
542\label{f:StatiticsOutput}
543\end{figure}
544
545llheap can also be built with debug checking, which inserts many asserts along all allocation paths.
546These assertions detect incorrect allocation usage, like double frees, unfreed storage, or memory corruptions because internal values (like header fields) are overwritten.
547These checks are best effort as opposed to complete allocation checking as in @valgrind@.
548Nevertheless, the checks detect many allocation problems.
549There 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.
550For example, @printf@ allocates a 1024-byte buffer on the first call and never deletes this buffer.
551To 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.
552Determining the amount of never-freed storage is annoying, but once done, any warnings of unfreed storage are application related.
553
554Tests indicate only a 30\% performance decrease 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.
555
556
557\section{User-level Threading Support}
558\label{s:UserlevelThreadingSupport}
559
560The 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.
561\PAB{The solution is to prevent interrupts that can result in CPU or KT change during operations that are logically critical sections such as moving free storage from public heap to the private heap.}
562Locking these critical sections negates any attempt for a quick fastpath and results in high contention.
563For 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.
564Without time slicing, a user thread performing a long computation can prevent the execution of (starve) other threads.
565\PAB{To prevent starvation for a memory-allocation-intensive thread, \ie the time slice always triggers in an allocation critical-section for one thread so the thread never gets time sliced, a thread-local \newterm{rollforward} flag is set in the signal handler when it aborts a time slice.}
566The 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.
567
568llheap uses two techniques to detect when execution is in an allocation operation or routine called from allocation operation, to abort any time slice during this period.
569On the slowpath when executing expensive operations, like @sbrk@ or @mmap@,
570\PAB{interrupts are disabled/enabled by setting kernel-thread-local flags so the signal handler aborts immediately.}
571\PAB{On the fastpath, disabling/enabling interrupts is too expensive as accessing kernel-thread-local storage can be expensive and not user-thread-safe.}
572For example, the ARM processor stores the thread-local pointer in a coprocessor register that cannot perform atomic base-displacement addressing.
573\PAB{Hence, there is a window between loading the kernel-thread-local pointer from the coprocessor register into a normal register and adding the displacement when a time slice can move a thread.}
574
575The fast technique (with lower run time cost) is to define a special code section and places all non-interruptible routines in this section.
576The linker places all code in this section into a contiguous block of memory, but the order of routines within the block is unspecified.
577Then, 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.
578This 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.
579Hence, for correctness, this approach requires inspection of generated assembler code for routines placed in the non-interruptible section.
580This 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.
581These techniques are used in both the \uC and \CFA versions of llheap as both of these systems have user-level threading.
582
583
584\section{Bootstrapping}
585
586There are problems bootstrapping a memory allocator.
587\begin{enumerate}
588\item
589Programs can be statically or dynamically linked.
590\item
591\PAB{The order in which the linker schedules startup code is poorly supported so cannot be controlled entirely.}
592\item
593Knowing a KT's start and end independently from the KT code is difficult.
594\end{enumerate}
595
596For static linking, the allocator is loaded with the program.
597Hence, allocation calls immediately invoke the allocator operation defined by the loaded allocation library and there is only one memory allocator used in the program.
598This approach allows allocator substitution by placing an allocation library before any other in the linked/load path.
599
600Allocator 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.
601As 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.
602Hence, some part of the @sbrk@ area may be used by the default allocator and statistics about allocation operations cannot be correct.
603Furthermore, dynamic linking goes through trampolines, so there is an additional cost along the allocator fastpath for all allocation operations.
604Testing showed up to a 5\% performance decrease with dynamic linking as compared to static linking, even when using @tls_model("initial-exec")@ so the dynamic loader can obtain tighter binding.
605
606All allocator libraries need to perform startup code to initialize data structures, such as the heap array for llheap.
607The problem is getting initialization done before the first allocator call.
608However, 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.
609\PAB{Also, initialization code of other libraries and run-time envoronment may call memory allocation routines such as \lstinline{malloc}.
610So, this creates an even more difficult situation as there is no mechanism to tell either the static or dynamic loader to first perform initialization code of memory allocator before any other initialization that may involve a dynamic memory allocation call.}
611As a result, calls to allocation routines occur without initialization.
612To deal with this problem, it is necessary to put a conditional initialization check along the allocation fastpath to trigger initialization (singleton pattern).
613
614Two other important execution points are program startup and termination, which include prologue or epilogue code to bootstrap a program, which programmers are unaware of.
615For example, dynamic-memory allocations before/after the application starts should not be considered in statistics because the application does not make these calls.
616llheap establishes these two points using routines:
617\begin{lstlisting}
618__attribute__(( constructor( 100 ) )) static void startup( void ) {
619        // clear statistic counters
620        // reset allocUnfreed counter
621}
622__attribute__(( destructor( 100 ) )) static void shutdown( void ) {
623        // sum allocUnfreed for all heaps
624        // subtract global unfreed storage
625        // if allocUnfreed > 0 then print warning message
626}
627\end{lstlisting}
628which use global constructor/destructor priority 100, where the linker calls these routines at program prologue/epilogue in increasing/decreasing order of priority.
629Application programs may only use global constructor/destructor priorities greater than 100.
630Hence, @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.
631By resetting counters in @startup@, prologue allocations are ignored, and checking unfreed storage in @shutdown@ checks only application memory management, ignoring the program epilogue.
632
633While @startup@/@shutdown@ apply to the program KT, a concurrent program creates additional KTs that do not trigger these routines.
634However, it is essential for the allocator to know when each KT is started/terminated.
635One 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.
636\begin{lstlisting}
637struct ThreadManager {
638        volatile bool pgm_thread;
639        ThreadManager() {} // unusable
640        ~ThreadManager() { if ( pgm_thread ) heapManagerDtor(); }
641};
642static thread_local ThreadManager threadManager;
643\end{lstlisting}
644Unfortunately, thread-local variables are created lazily, \ie on the first dereference of @threadManager@, which then triggers its constructor.
645Therefore, 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.
646Fortunately, 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.
647Now when a KT terminates, @~ThreadManager@ is called to chain it onto the global-heap free-stack, where @pgm_thread@ is set to true only for the program KT.
648The conditional destructor call prevents closing down the program heap, which must remain available because epilogue code may free more storage.
649
650Finally, 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.
651This recursion is handled with another thread-local flag to prevent double initialization.
652A 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@.
653In 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.
654
655For 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.
656The following API was created to provide interaction between the language runtime and the allocator.
657\begin{lstlisting}
658void startThread();                     $\C{// KT starts}$
659void finishThread();                    $\C{// KT ends}$
660void startup();                         $\C{// when application code starts}$
661void shutdown();                        $\C{// when application code ends}$
662bool traceHeap();                       $\C{// enable allocation/free printing for debugging}$
663bool traceHeapOn();                     $\C{// start printing allocation/free calls}$
664bool traceHeapOff();                    $\C{// stop printing allocation/free calls}$
665\end{lstlisting}
666This kind of API is necessary to allow concurrent runtime systems to interact with different memory allocators in a consistent way.
667
668%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
669
670\section{Added Features and Methods}
671
672The C dynamic-allocation API (see \VRef[Figure]{f:CDynamicAllocationAPI}) is neither orthogonal nor complete.
673For example,
674\begin{itemize}
675\item
676It is possible to zero fill or align an allocation but not both.
677\item
678It is \emph{only} possible to zero fill an array allocation.
679\item
680It is not possible to resize a memory allocation without data copying.
681\item
682@realloc@ does not preserve initial allocation properties.
683\end{itemize}
684As a result, programmers must provide these options, which is error prone, resulting in blaming the entire programming language for a poor dynamic-allocation API.
685Furthermore, newer programming languages have better type systems that can provide safer and more powerful APIs for memory allocation.
686
687\begin{figure}
688\begin{lstlisting}
689void * malloc( size_t size );
690void * calloc( size_t nmemb, size_t size );
691void * realloc( void * ptr, size_t size );
692void * reallocarray( void * ptr, size_t nmemb, size_t size );
693void free( void * ptr );
694void * memalign( size_t alignment, size_t size );
695void * aligned_alloc( size_t alignment, size_t size );
696int posix_memalign( void ** memptr, size_t alignment, size_t size );
697void * valloc( size_t size );
698void * pvalloc( size_t size );
699
700struct mallinfo mallinfo( void );
701int mallopt( int param, int val );
702int malloc_trim( size_t pad );
703size_t malloc_usable_size( void * ptr );
704void malloc_stats( void );
705int malloc_info( int options, FILE * fp );
706\end{lstlisting}
707\caption{C Dynamic-Allocation API}
708\label{f:CDynamicAllocationAPI}
709\end{figure}
710
711The following presents design and API changes for C, \CC (\uC), and \CFA, all of which are implemented in llheap.
712
713
714\subsection{Out of Memory}
715
716Most allocators use @nullptr@ to indicate an allocation failure, specifically out of memory;
717hence the need to return an alternate value for a zero-sized allocation.
718A different approach allowed by @C API@ is to abort a program when out of memory and return @nullptr@ for a zero-sized allocation.
719In theory, notifying the programmer of memory failure allows recovery;
720in practice, it is almost impossible to gracefully recover when out of memory.
721Hence, the cheaper approach of returning @nullptr@ for a zero-sized allocation is chosen because no pseudo allocation is necessary.
722
723
724\subsection{C Interface}
725
726For C, it is possible to increase functionality and orthogonality of the dynamic-memory API to make allocation better for programmers.
727
728For existing C allocation routines:
729\begin{itemize}
730\item
731@calloc@ sets the sticky zero-fill property.
732\item
733@memalign@, @aligned_alloc@, @posix_memalign@, @valloc@ and @pvalloc@ set the sticky alignment property.
734\item
735@realloc@ and @reallocarray@ preserve sticky properties.
736\end{itemize}
737
738The C dynamic-memory API is extended with the following routines:
739
740\paragraph{\lstinline{void * aalloc( size_t dim, size_t elemSize )}}
741extends @calloc@ for allocating a dynamic array of objects without calculating the total size of array explicitly but \emph{without} zero-filling the memory.
742@aalloc@ is significantly faster than @calloc@, \PAB{which is the only alternative given by the memory allocation routines}.
743
744\noindent\textbf{Usage}
745@aalloc@ takes two parameters.
746\begin{itemize}
747\item
748@dim@: number of array objects
749\item
750@elemSize@: size of array object
751\end{itemize}
752It returns the address of the dynamic array or @NULL@ if either @dim@ or @elemSize@ are zero.
753
754\paragraph{\lstinline{void * resize( void * oaddr, size_t size )}}
755extends @realloc@ for resizing an existing allocation \emph{without} copying previous data into the new allocation or preserving sticky properties.
756@resize@ is significantly faster than @realloc@, which is the only alternative.
757
758\noindent\textbf{Usage}
759@resize@ takes two parameters.
760\begin{itemize}
761\item
762@oaddr@: address to be resized
763\item
764@size@: new allocation size (smaller or larger than previous)
765\end{itemize}
766It returns the address of the old or new storage with the specified new size or @NULL@ if @size@ is zero.
767
768\paragraph{\lstinline{void * amemalign( size_t alignment, size_t dim, size_t elemSize )}}
769extends @aalloc@ and @memalign@ for allocating an aligned dynamic array of objects.
770Sets sticky alignment property.
771
772\noindent\textbf{Usage}
773@amemalign@ takes three parameters.
774\begin{itemize}
775\item
776@alignment@: alignment requirement
777\item
778@dim@: number of array objects
779\item
780@elemSize@: size of array object
781\end{itemize}
782It returns the address of the aligned dynamic-array or @NULL@ if either @dim@ or @elemSize@ are zero.
783
784\paragraph{\lstinline{void * cmemalign( size_t alignment, size_t dim, size_t elemSize )}}
785extends @amemalign@ with zero fill and has the same usage as @amemalign@.
786Sets sticky zero-fill and alignment property.
787It returns the address of the aligned, zero-filled dynamic-array or @NULL@ if either @dim@ or @elemSize@ are zero.
788
789\paragraph{\lstinline{size_t malloc_alignment( void * addr )}}
790returns the alignment of the dynamic object for use in aligning similar allocations.
791
792\noindent\textbf{Usage}
793@malloc_alignment@ takes one parameter.
794\begin{itemize}
795\item
796@addr@: address of an allocated object.
797\end{itemize}
798It returns the alignment of the given object, where objects not allocated with alignment return the minimal allocation alignment.
799
800\paragraph{\lstinline{bool malloc_zero_fill( void * addr )}}
801returns true if the object has the zero-fill sticky property for use in zero filling similar allocations.
802
803\noindent\textbf{Usage}
804@malloc_zero_fill@ takes one parameters.
805
806\begin{itemize}
807\item
808@addr@: address of an allocated object.
809\end{itemize}
810It returns true if the zero-fill sticky property is set and false otherwise.
811
812\paragraph{\lstinline{size_t malloc_size( void * addr )}}
813returns the request size of the dynamic object (updated when an object is resized) for use in similar allocations.
814See also @malloc_usable_size@.
815
816\noindent\textbf{Usage}
817@malloc_size@ takes one parameters.
818\begin{itemize}
819\item
820@addr@: address of an allocated object.
821\end{itemize}
822It returns the request size or zero if @addr@ is @NULL@.
823
824\paragraph{\lstinline{int malloc_stats_fd( int fd )}}
825changes the file descriptor where @malloc_stats@ writes statistics (default @stdout@).
826
827\noindent\textbf{Usage}
828@malloc_stats_fd@ takes one parameters.
829\begin{itemize}
830\item
831@fd@: file descriptor.
832\end{itemize}
833It returns the previous file descriptor.
834
835\paragraph{\lstinline{size_t malloc_expansion()}}
836\label{p:malloc_expansion}
837set the amount (bytes) to extend the heap when there is insufficient free storage to service an allocation request.
838It returns the heap extension size used throughout a program when requesting more memory from the system using @sbrk@ system-call, \ie called once at heap initialization.
839
840\paragraph{\lstinline{size_t malloc_mmap_start()}}
841set the crossover between allocations occurring in the @sbrk@ area or separately mapped.
842It returns the crossover point used throughout a program, \ie called once at heap initialization.
843
844\paragraph{\lstinline{size_t malloc_unfreed()}}
845\label{p:malloc_unfreed}
846amount subtracted to adjust for unfreed program storage (debug only).
847It returns the new subtraction amount and called by @malloc_stats@.
848
849
850\subsection{\CC Interface}
851
852The following extensions take advantage of overload polymorphism in the \CC type-system.
853
854\paragraph{\lstinline{void * resize( void * oaddr, size_t nalign, size_t size )}}
855extends @resize@ with an alignment re\-quirement.
856
857\noindent\textbf{Usage}
858takes three parameters.
859\begin{itemize}
860\item
861@oaddr@: address to be resized
862\item
863@nalign@: alignment requirement
864\item
865@size@: new allocation size (smaller or larger than previous)
866\end{itemize}
867It returns the address of the old or new storage with the specified new size and alignment, or @NULL@ if @size@ is zero.
868
869\paragraph{\lstinline{void * realloc( void * oaddr, size_t nalign, size_t size )}}
870extends @realloc@ with an alignment re\-quirement and has the same usage as aligned @resize@.
871
872
873\subsection{\CFA Interface}
874
875The following extensions take advantage of overload polymorphism in the \CFA type-system.
876The key safety advantage of the \CFA type system is using the return type to select overloads;
877hence, a polymorphic routine knows the returned type and its size.
878This capability is used to remove the object size parameter and correctly cast the return storage to match the result type.
879For example, the following is the \CFA wrapper for C @malloc@:
880\begin{cfa}
881forall( T & | sized(T) ) {
882        T * malloc( void ) {
883                if ( _Alignof(T) <= libAlign() ) return @(T *)@malloc( @sizeof(T)@ ); // C allocation
884                else return @(T *)@memalign( @_Alignof(T)@, @sizeof(T)@ ); // C allocation
885        } // malloc
886\end{cfa}
887and is used as follows:
888\begin{lstlisting}
889int * i = malloc();
890double * d = malloc();
891struct Spinlock { ... } __attribute__(( aligned(128) ));
892Spinlock * sl = malloc();
893\end{lstlisting}
894where each @malloc@ call provides the return type as @T@, which is used with @sizeof@, @_Alignof@, and casting the storage to the correct type.
895This interface removes many of the common allocation errors in C programs.
896\VRef[Figure]{f:CFADynamicAllocationAPI} show the \CFA wrappers for the equivalent C/\CC allocation routines with same semantic behaviour.
897
898\begin{figure}
899\begin{lstlisting}
900T * malloc( void );
901T * aalloc( size_t dim );
902T * calloc( size_t dim );
903T * resize( T * ptr, size_t size );
904T * realloc( T * ptr, size_t size );
905T * memalign( size_t align );
906T * amemalign( size_t align, size_t dim );
907T * cmemalign( size_t align, size_t dim  );
908T * aligned_alloc( size_t align );
909int posix_memalign( T ** ptr, size_t align );
910T * valloc( void );
911T * pvalloc( void );
912\end{lstlisting}
913\caption{\CFA C-Style Dynamic-Allocation API}
914\label{f:CFADynamicAllocationAPI}
915\end{figure}
916
917In addition to the \CFA C-style allocator interface, a new allocator interface is provided to further increase orthogonality and usability of dynamic-memory allocation.
918This interface helps programmers in three ways.
919\begin{itemize}
920\item
921naming: \CFA regular and @ttype@ polymorphism (@ttype@ polymorphism in \CFA is similar to \CC variadic templates) 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.
922\item
923named arguments: individual allocation properties are specified using postfix function call, so the programmers do not have to remember parameter positions in allocation calls.
924\item
925object size: like the \CFA's C-interface, programmers do not have to specify object size or cast allocation results.
926\end{itemize}
927Note, postfix function call is an alternative call syntax, using backtick @`@, where the argument appears before the function name, \eg
928\begin{cfa}
929duration ?@`@h( int h );                // ? denote the position of the function operand
930duration ?@`@m( int m );
931duration ?@`@s( int s );
932duration dur = 3@`@h + 42@`@m + 17@`@s;
933\end{cfa}
934
935\paragraph{\lstinline{T * alloc( ... )} or \lstinline{T * alloc( size_t dim, ... )}}
936is overloaded with a variable number of specific allocation operations, or an integer dimension parameter followed by a variable number of specific allocation operations.
937\PAB{These allocation operations can be passed as positional arguments when calling \lstinline{alloc} routine.}
938A call without parameters returns a dynamically allocated object of type @T@ (@malloc@).
939A call with only the dimension (dim) parameter returns a dynamically allocated array of objects of type @T@ (@aalloc@).
940The variable number of arguments consist of allocation properties, which can be combined to produce different kinds of allocations.
941The only restriction is for properties @realloc@ and @resize@, which cannot be combined.
942
943The allocation property functions are:
944\subparagraph{\lstinline{T_align ?`align( size_t alignment )}}
945to align the allocation.
946The alignment parameter must be $\ge$ the default alignment (@libAlign()@ in \CFA) and a power of two, \eg:
947\begin{cfa}
948int * i0 = alloc( @4096`align@ );  sout | i0 | nl;
949int * i1 = alloc( 3, @4096`align@ );  sout | i1; for (i; 3 ) sout | &i1[i]; sout | nl;
950
9510x555555572000
9520x555555574000 0x555555574000 0x555555574004 0x555555574008
953\end{cfa}
954returns a dynamic object and object array aligned on a 4096-byte boundary.
955
956\subparagraph{\lstinline{S_fill(T) ?`fill ( /* various types */ )}}
957to initialize storage.
958There are three ways to fill storage:
959\begin{enumerate}
960\item
961A char fills each byte of each object.
962\item
963An object of the returned type fills each object.
964\item
965An object array pointer fills some or all of the corresponding object array.
966\end{enumerate}
967For example:
968\begin{cfa}[numbers=left]
969int * i0 = alloc( @0n`fill@ );  sout | *i0 | nl;  // disambiguate 0
970int * i1 = alloc( @5`fill@ );  sout | *i1 | nl;
971int * i2 = alloc( @'\xfe'`fill@ ); sout | hex( *i2 ) | nl;
972int * i3 = alloc( 5, @5`fill@ );  for ( i; 5 ) sout | i3[i]; sout | nl;
973int * i4 = alloc( 5, @0xdeadbeefN`fill@ );  for ( i; 5 ) sout | hex( i4[i] ); sout | nl;
974int * i5 = alloc( 5, @i3`fill@ );  for ( i; 5 ) sout | i5[i]; sout | nl;
975int * i6 = alloc( 5, @[i3, 3]`fill@ );  for ( i; 5 ) sout | i6[i]; sout | nl;
976\end{cfa}
977\begin{lstlisting}[numbers=left]
9780
9795
9800xfefefefe
9815 5 5 5 5
9820xdeadbeef 0xdeadbeef 0xdeadbeef 0xdeadbeef 0xdeadbeef
9835 5 5 5 5
9845 5 5 -555819298 -555819298  // two undefined values
985\end{lstlisting}
986Examples 1 to 3 fill an object with a value or characters.
987Examples 4 to 7 fill an array of objects with values, another array, or part of an array.
988
989\subparagraph{\lstinline{S_resize(T) ?`resize( void * oaddr )}}
990used to resize, realign, and fill, where the old object data is not copied to the new object.
991The old object type may be different from the new object type, since the values are not used.
992For example:
993\begin{cfa}[numbers=left]
994int * i = alloc( @5`fill@ );  sout | i | *i;
995i = alloc( @i`resize@, @256`align@, @7`fill@ );  sout | i | *i;
996double * d = alloc( @i`resize@, @4096`align@, @13.5`fill@ );  sout | d | *d;
997\end{cfa}
998\begin{lstlisting}[numbers=left]
9990x55555556d5c0 5
10000x555555570000 7
10010x555555571000 13.5
1002\end{lstlisting}
1003Examples 2 to 3 change the alignment, fill, and size for the initial storage of @i@.
1004
1005\begin{cfa}[numbers=left]
1006int * ia = alloc( 5, @5`fill@ );  for ( i; 5 ) sout | ia[i]; sout | nl;
1007ia = alloc( 10, @ia`resize@, @7`fill@ ); for ( i; 10 ) sout | ia[i]; sout | nl;
1008sout | ia; ia = alloc( 5, @ia`resize@, @512`align@, @13`fill@ ); sout | ia; for ( i; 5 ) sout | ia[i]; sout | nl;;
1009ia = alloc( 3, @ia`resize@, @4096`align@, @2`fill@ );  sout | ia; for ( i; 3 ) sout | &ia[i] | ia[i]; sout | nl;
1010\end{cfa}
1011\begin{lstlisting}[numbers=left]
10125 5 5 5 5
10137 7 7 7 7 7 7 7 7 7
10140x55555556d560 0x555555571a00 13 13 13 13 13
10150x555555572000 0x555555572000 2 0x555555572004 2 0x555555572008 2
1016\end{lstlisting}
1017Examples 2 to 4 change the array size, alignment and fill for the initial storage of @ia@.
1018
1019\subparagraph{\lstinline{S_realloc(T) ?`realloc( T * a ))}}
1020used to resize, realign, and fill, where the old object data is copied to the new object.
1021The old object type must be the same as the new object type, since the value is used.
1022Note, for @fill@, only the extra space after copying the data from the old object is filled with the given parameter.
1023For example:
1024\begin{cfa}[numbers=left]
1025int * i = alloc( @5`fill@ );  sout | i | *i;
1026i = alloc( @i`realloc@, @256`align@ );  sout | i | *i;
1027i = alloc( @i`realloc@, @4096`align@, @13`fill@ );  sout | i | *i;
1028\end{cfa}
1029\begin{lstlisting}[numbers=left]
10300x55555556d5c0 5
10310x555555570000 5
10320x555555571000 5
1033\end{lstlisting}
1034Examples 2 to 3 change the alignment for the initial storage of @i@.
1035The @13`fill@ in example 3 does nothing because no extra space is added.
1036
1037\begin{cfa}[numbers=left]
1038int * ia = alloc( 5, @5`fill@ );  for ( i; 5 ) sout | ia[i]; sout | nl;
1039ia = alloc( 10, @ia`realloc@, @7`fill@ ); for ( i; 10 ) sout | ia[i]; sout | nl;
1040sout | ia; ia = alloc( 1, @ia`realloc@, @512`align@, @13`fill@ ); sout | ia; for ( i; 1 ) sout | ia[i]; sout | nl;;
1041ia = alloc( 3, @ia`realloc@, @4096`align@, @2`fill@ );  sout | ia; for ( i; 3 ) sout | &ia[i] | ia[i]; sout | nl;
1042\end{cfa}
1043\begin{lstlisting}[numbers=left]
10445 5 5 5 5
10455 5 5 5 5 7 7 7 7 7
10460x55555556c560 0x555555570a00 5
10470x555555571000 0x555555571000 5 0x555555571004 2 0x555555571008 2
1048\end{lstlisting}
1049Examples 2 to 4 change the array size, alignment and fill for the initial storage of @ia@.
1050The @13`fill@ in example 3 does nothing because no extra space is added.
1051
1052These \CFA allocation features are used extensively in the development of the \CFA runtime.
Note: See TracBrowser for help on using the repository browser.