BGET -- Memory Allocator==========================by John Walkerkelvin@fourmilab.chhttp://www.fourmilab.ch/BGET is a comprehensive memory allocation package which is easilyconfigured to the needs of an application. BGET is efficient in boththe time needed to allocate and release buffers and in the memoryoverhead required for buffer pool management. It automaticallyconsolidates contiguous space to minimise fragmentation. BGET isconfigured by compile-time definitions, Major options include:* A built-in test program to exercise BGET anddemonstrate how the various functions are used.* Allocation by either the "first fit" or "best fit"method.* Wiping buffers at release time to catch code whichreferences previously released storage.* Built-in routines to dump individual buffers or theentire buffer pool.* Retrieval of allocation and pool size statistics.* Quantisation of buffer sizes to a power of two tosatisfy hardware alignment constraints.* Automatic pool compaction, growth, and shrinkage bymeans of call-backs to user defined functions.Applications of BGET can range from storage management in ROM-basedembedded programs to providing the framework upon which a multitaskingsystem incorporating garbage collection is constructed. BGETincorporates extensive internal consistency checking using the<assert.h> mechanism; all these checks can be turned off by compilingwith NDEBUG defined, yielding a version of BGET with minimal size andmaximum speed.The basic algorithm underlying BGET has withstood the test of time; morethan 25 years have passed since the first implementation of this code.And yet, it is substantially more efficient than the native allocationschemes of many operating systems: the Macintosh and Microsoft Windowsto name two, on which programs have obtained substantial speed-ups bylayering BGET as an application level memory manager atop the underlyingsystem's.BGET has been implemented on the largest mainframes and the lowest ofmicroprocessors. It has served as the core for multitasking operatingsystems, multi-thread applications, embedded software in data networkswitching processors, and a host of C programs. And while it hasaccreted flexibility and additional options over the years, it remainsfast, memory efficient, portable, and easy to integrate into yourprogram.BGET IMPLEMENTATION ASSUMPTIONS===============================BGET is written in as portable a dialect of C as possible. The onlyfundamental assumption about the underlying hardware architecture isthat memory is allocated is a linear array which can be addressed as avector of C "char" objects. On segmented address space architectures,this generally means that BGET should be used to allocate storage withina single segment (although some compilers simulate linear address spaceson segmented architectures). On segmented architectures, then, BGETbuffer pools may not be larger than a segment, but since BGET allows anynumber of separate buffer pools, there is no limit on the total storagewhich can be managed, only on the largest individual object which can beallocated. Machines with a linear address architecture, such as theVAX, 680x0, Sparc, MIPS, or the Intel 80386 and above in native mode,may use BGET without restriction.GETTING STARTED WITH BGET=========================Although BGET can be configured in a multitude of fashions, there arethree basic ways of working with BGET. The functions mentioned beloware documented in the following section. Please excuse the forwardreferences which are made in the interest of providing a roadmap toguide you to the BGET functions you're likely to need.Embedded Applications---------------------Embedded applications typically have a fixed area of memory dedicated tobuffer allocation (often in a separate RAM address space distinct fromthe ROM that contains the executable code). To use BGET in such anenvironment, simply call bpool() with the start address and length ofthe buffer pool area in RAM, then allocate buffers with bget() andrelease them with brel(). Embedded applications with very limited RAMbut abundant CPU speed may benefit by configuring BGET for BestFitallocation (which is usually not worth it in other environments).Malloc() Emulation------------------If the C library malloc() function is too slow, not present in yourdevelopment environment (for example, an a native Windows or Macintoshprogram), or otherwise unsuitable, you can replace it with BGET.Initially define a buffer pool of an appropriate size withbpool()--usually obtained by making a call to the operating system'slow-level memory allocator. Then allocate buffers with bget(), bgetz(),and bgetr() (the last two permit the allocation of buffers initialisedto zero and [inefficient] re-allocation of existing buffers forcompatibility with C library functions). Release buffers by callingbrel(). If a buffer allocation request fails, obtain more storage fromthe underlying operating system, add it to the buffer pool by anothercall to bpool(), and continue execution.Automatic Storage Management----------------------------You can use BGET as your application's native memory manager andimplement automatic storage pool expansion, contraction, and optionallyapplication-specific memory compaction by compiling BGET with the BECtlvariable defined, then calling bectl() and supplying functions forstorage compaction, acquisition, and release, as well as a standard poolexpansion increment. All of these functions are optional (although itdoesn't make much sense to provide a release function without anacquisition function, does it?). Once the call-back functions have beendefined with bectl(), you simply use bget() and brel() to allocate andrelease storage as before. You can supply an initial buffer pool withbpool() or rely on automatic allocation to acquire the entire pool.When a call on bget() cannot be satisfied, BGET first checks if acompaction function has been supplied. If so, it is called (with thespace required to satisfy the allocation request and a sequence numberto allow the compaction routine to be called successively withoutlooping). If the compaction function is able to free any storage (itneedn't know whether the storage it freed was adequate) it should returna nonzero value, whereupon BGET will retry the allocation request and,if it fails again, call the compaction function again with thenext-higher sequence number.If the compaction function returns zero, indicating failure to freespace, or no compaction function is defined, BGET next tests whether anon-NULL allocation function was supplied to bectl(). If so, thatfunction is called with an argument indicating how many bytes ofadditional space are required. This will be the standard pool expansionincrement supplied in the call to bectl() unless the original bget()call requested a buffer larger than this; buffers larger than thestandard pool block can be managed "off the books" by BGET in this mode.If the allocation function succeeds in obtaining the storage, it returnsa pointer to the new block and BGET expands the buffer pool; if itfails, the allocation request fails and returns NULL to the caller. Ifa non-NULL release function is supplied, expansion blocks which becometotally empty are released to the global free pool by passing theiraddresses to the release function.Equipped with appropriate allocation, release, and compaction functions,BGET can be used as part of very sophisticated memory managementstrategies, including garbage collection. (Note, however, that BGET is*not* a garbage collector by itself, and that developing such a systemrequires much additional logic and careful design of the application'smemory allocation strategy.)BGET FUNCTION DESCRIPTIONS==========================Functions implemented by BGET (some are enabled by certain of theoptional settings below):void bpool(void *buffer, bufsize len);Create a buffer pool of <len> bytes, using the storage starting at<buffer>. You can call bpool() subsequently to contribute additionalstorage to the overall buffer pool.void *bget(bufsize size);Allocate a buffer of <size> bytes. The address of the buffer isreturned, or NULL if insufficient memory was available to allocate thebuffer.void *bgetz(bufsize size);Allocate a buffer of <size> bytes and clear it to all zeroes. Theaddress of the buffer is returned, or NULL if insufficient memory wasavailable to allocate the buffer.void *bgetr(void *buffer, bufsize newsize);Reallocate a buffer previously allocated by bget(), changing its size to<newsize> and preserving all existing data. NULL is returned ifinsufficient memory is available to reallocate the buffer, in which casethe original buffer remains intact.void brel(void *buf);Return the buffer <buf>, previously allocated by bget(), to the freespace pool.void bectl(int (*compact)(bufsize sizereq, int sequence),void *(*acquire)(bufsize size),void (*release)(void *buf),bufsize pool_incr);Expansion control: specify functions through which the package maycompact storage (or take other appropriate action) when an allocationrequest fails, and optionally automatically acquire storage forexpansion blocks when necessary, and release such blocks when theybecome empty. If <compact> is non-NULL, whenever a buffer allocationrequest fails, the <compact> function will be called with argumentsspecifying the number of bytes (total buffer size, including headeroverhead) required to satisfy the allocation request, and a sequencenumber indicating the number of consecutive calls on <compact>attempting to satisfy this allocation request. The sequence number is 1for the first call on <compact> for a given allocation request, andincrements on subsequent calls, permitting the <compact> function totake increasingly dire measures in an attempt to free up storage. Ifthe <compact> function returns a nonzero value, the allocation attemptis re-tried. If <compact> returns 0 (as it must if it isn't able torelease any space or add storage to the buffer pool), the allocationrequest fails, which can trigger automatic pool expansion if the<acquire> argument is non-NULL. At the time the <compact> function iscalled, the state of the buffer allocator is identical to that at themoment the allocation request was made; consequently, the <compact>function may call brel(), bpool(), bstats(), and/or directly manipulatethe buffer pool in any manner which would be valid were the applicationin control. This does not, however, relieve the <compact> function ofthe need to ensure that whatever actions it takes do not change thingsunderneath the application that made the allocation request. Forexample, a <compact> function that released a buffer in the process ofbeing reallocated with bgetr() would lead to disaster. Implementing asafe and effective <compact> mechanism requires careful design of anapplication's memory architecture, and cannot generally be easilyretrofitted into existing code.If <acquire> is non-NULL, that function will be called whenever anallocation request fails. If the <acquire> function succeeds inallocating the requested space and returns a pointer to the new area,allocation will proceed using the expanded buffer pool. If <acquire>cannot obtain the requested space, it should return NULL and the entireallocation process will fail. <pool_incr> specifies the normalexpansion block size. Providing an <acquire> function will causesubsequent bget() requests for buffers too large to be managed in thelinked-block scheme (in other words, larger than <pool_incr> minus thebuffer overhead) to be satisfied directly by calls to the <acquire>function. Automatic release of empty pool blocks will occur only if allpool blocks in the system are the size given by <pool_incr>.void bstats(bufsize *curalloc, bufsize *totfree,bufsize *maxfree, long *nget, long *nrel);The amount of space currently allocated is stored into the variablepointed to by <curalloc>. The total free space (sum of all free blocksin the pool) is stored into the variable pointed to by <totfree>, andthe size of the largest single block in the free space pool is storedinto the variable pointed to by <maxfree>. The variables pointed to by<nget> and <nrel> are filled, respectively, with the number ofsuccessful (non-NULL return) bget() calls and the number of brel()calls.void bstatse(bufsize *pool_incr, long *npool,long *npget, long *nprel,long *ndget, long *ndrel);Extended statistics: The expansion block size will be stored into thevariable pointed to by <pool_incr>, or the negative thereof if automaticexpansion block releases are disabled. The number of currently activepool blocks will be stored into the variable pointed to by <npool>. Thevariables pointed to by <npget> and <nprel> will be filled with,respectively, the number of expansion block acquisitions and releaseswhich have occurred. The variables pointed to by <ndget> and <ndrel>will be filled with the number of bget() and brel() calls, respectively,managed through blocks directly allocated by the acquisition and releasefunctions.void bufdump(void *buf);The buffer pointed to by <buf> is dumped on standard output.void bpoold(void *pool, int dumpalloc, int dumpfree);All buffers in the buffer pool <pool>, previously initialised by a callon bpool(), are listed in ascending memory address order. If<dumpalloc> is nonzero, the contents of allocated buffers are dumped; if<dumpfree> is nonzero, the contents of free blocks are dumped.int bpoolv(void *pool);The named buffer pool, previously initialised by a call on bpool(), isvalidated for bad pointers, overwritten data, etc. If compiled withNDEBUG not defined, any error generates an assertion failure. Otherwise 1is returned if the pool is valid, 0 if an error is found.BGET CONFIGURATION==================#define TestProg 20000 /* Generate built-in test programif defined. The value specifieshow many buffer allocation attemptsthe test program should make. */#define SizeQuant 4 /* Buffer allocation size quantum:all buffers allocated are amultiple of this size. ThisMUST be a power of two. */#define BufDump 1 /* Define this symbol to enable thebpoold() function which dumps thebuffers in a buffer pool. */#define BufValid 1 /* Define this symbol to enable thebpoolv() function for validatinga buffer pool. */#define DumpData 1 /* Define this symbol to enable thebufdump() function which allowsdumping the contents of an allocatedor free buffer. */#define BufStats 1 /* Define this symbol to enable thebstats() function which calculatesthe total free space in the bufferpool, the largest availablebuffer, and the total spacecurrently allocated. */#define FreeWipe 1 /* Wipe free buffers to a guaranteedpattern of garbage to trip upmiscreants who attempt to usepointers into released buffers. */#define BestFit 1 /* Use a best fit algorithm whensearching for space for anallocation request. This usesmemory more efficiently, butallocation will be much slower. */#define BECtl 1 /* Define this symbol to enable thebectl() function for automaticpool space control. */