Saturday, December 5, 2009

What is the difference between malloc() and calloc()?

#include 
  void *calloc(size_t n, size_t size);
  void *malloc(size_t size);


The two functions malloc() and calloc() are functionally same in that they both allocate memory from a storage pool (generally called heap). Actually, the right thing to say is that these two functions are memory managers and not memory allocators. Memory allocation is done by OS specific routines (like brk() and sbrk()).


Here are some differences between these two functions..


  1. malloc() takes one argument, whereas calloc() takes two. 
  2. calloc() initializes all the bits in the allocated space to zero (this is all-bits-zero!, where as malloc() does not do this. 
  3. A call to calloc() is equivalent to a call to malloc() followed by one to memset(). 
calloc(m, n)   is essentially equivalent to

p = malloc(m * n);
memset(p, 0, m * n);

Using calloc(), we can carry out the functionality in a faster way than a combination of malloc() and memset() probably would. You will agree that one libray call is faster than two calls. Additionally, if provided by the native CPU, calloc() could be implementated by the CPU's "allocate-and-initialize-to-zero" instruction.
        .4. The reason for providing the "n" argument is that sometimes it is required to allocate a number ("n") of uniform objects of a particular size ("size"). Database application, for instance, will have such requirements. Proper planning for the values of "n" and "size" can lead to good memory utilization.

0 comments:

Post a Comment