/* Resizing a dynamic array */
#include <stdio.h>
#include <stdlib.h>
int
main (void) {
int* myarray; //pointer to an array of integers
int i, size = 7;
//dynamic allocation using calloc()
myarray = (int *) calloc (size, sizeof(int));
//checking the allocation
if (myarray == NULL) printf ("Memory not allocated.\n");
else printf ("Memory successfully allocated.\n");
//inserting elements
for (i = 0; i < size; ++i) myarray[i] = i + 1;
//printing the array
for (i = 0; i < size; ++i) printf ("%d ", myarray[i]);
printf("\n");
//changing the size to 12
size = 12;
//resizing the array to the new size
myarray = realloc (myarray, size * sizeof(int));
if (myarray == NULL) printf ("Array resize failed.\n");
else printf ("Array has been resized to %d.\n", size);
//inserting elements in the newly allocated array cells
for (i = 7; i < size; ++i) myarray[i] = i * 10;
//printing the new array
for (i = 0; i < size; ++i) printf ("%d ", myarray[i]);
free (myarray);
return (0);
}