Lokang 

C and MySQL

Dynamic memory allocation

Dynamic memory allocation in C programming refers to the process of allocating memory during runtime—i.e., while the program is running—rather than prior to the program's execution. This is crucial in scenarios where the amount of memory to be used is not known to the developer at compile time. For example, when the memory requirement depends on user input. In C, dynamic memory allocation is performed using a set of functions in the C standard library, namely malloc(), calloc(), realloc(), and free(), which are available in the stdlib.h header file.

Here’s a brief overview of these functions:

malloc():

Stands for "memory allocation".

Allocates a specified number of bytes and returns a pointer to the allocated memory.

The memory allocated by malloc is uninitialized, meaning that the values at that memory location are indeterminate.

int *arr = (int*)malloc(10 * sizeof(int)); // allocates memory for an array of 10 integers

calloc():

Stands for "contiguous allocation".

Similar to malloc(), but it initializes the allocated memory to zero.

Requires two arguments: the number of elements to allocate and the size of each element.

int *arr = (int*)calloc(10, sizeof(int)); // allocates memory for an array of 10 integers and initializes all bytes to zero

realloc():

Stands for "re-allocation".

Used to resize the previously allocated memory block without losing old data.

Requires two arguments: a pointer to the memory previously allocated with malloc, calloc or realloc and the new size.

arr = (int*)realloc(arr, 15 * sizeof(int)); // resizes the previous memory allocation to an array of 15 integers

free():

Deallocates the memory previously allocated by malloc(), calloc(), or realloc().

Helps to prevent memory leaks by freeing up memory when it is no longer needed.

free(arr); // deallocates memory for the array

When using dynamic memory allocation, there are some best practices and precautions that should be kept in mind:

  • Always check if the memory allocation was successful by verifying that the returned pointer is not NULL.
  • Avoid memory leaks by ensuring every allocation has a corresponding free() when the memory is no longer needed.
  • Be cautious when working with uninitialized memory, such as that allocated by malloc(), to prevent undefined behavior.
  • Avoid assumptions about the layout of dynamic memory (e.g., alignment, padding).
  • Be aware of the potential for fragmentation in dynamic memory allocation, particularly when allocating many small blocks of memory.

Dynamic memory plays a vital role in creating complex data structures such as trees, graphs, and linked lists, which have variable sizes and structures that are often unknown until runtime.