Search code examples
mallocglibccalloc

explaination of glibc calloc implementation i.e public_cALLOc( )


in glibc malloc.c for calloc() (precisely, public_cALLOc()) implementation, when it tries to 0 out the memory it is doing in two ways, if the number of bytes are greater than 36 then straight away memset() is called otherwise it put 0 bytewise specifically, something like this:

glibc-2.13/malloc/malloc.c


void * public_cALLOc()
{
 .....
 int_malloc();
 ...
 ...
 /* Unroll clear of <= 36 bytes (72 if 8byte sizes).  We know that
 contents have an odd number of INTERNAL_SIZE_T-sized words;
 minimally 3.  */
 ...

if (nclears > 9)
    MALLOC_ZERO(d, clearsize);   /* this is nothing but memset(d,0,clearsize) */
else {
    *(d+0) = 0;
    *(d+1) = 0;
    if (nclears > 4) {
      *(d+2) = 0;
      *(d+3) = 0;
      if (nclears > 6) {
         *(d+4) = 0;
         *(d+5) = 0;
      if (nclears > 8) {
     *(d+6) = 0;
         *(d+7) = 0;
     *(d+8) = 0; 
        }
       }
      }     
  ---------------------------------

the question is that why we do not directly do memset () for all, what is the need of this distinction.

thanks, Kapil


Solution

  • It's a performance trick. It saves a function call when doing the "raw" writes would be faster than that.