Search code examples
cmemoryfreemergesortcalloc

free() function gives Core Dumped error


I wrote a simple code for merge sort but it gave me this error:

*** glibc detected *** ./merge: free(): invalid next size (fast): 0x09306058****Segmentation fault (core dumped)

This is the code:

#include<stdio.h>
#include<stdlib.h>

void mergesort(int[], int, int);
void merge(int[], int, int, int);
void printarray(int[]);

int gs;
int main()
{
    int* a,i,s;
    printf("Enter size of the array\n");
    scanf("%d",&s);
    a = (int*)calloc(s,sizeof(int));
    gs = s;
    printf("Enter the array\n");
    for(i=0;i<s;i++)
    {
        scanf("%d",&a[i]);
    }

    printf("Showing the array\n");

    printarray(a);
    printf("\n");

    mergesort(a,0,s-1);

    printf("The sorted array is:\n");
    printarray(a);

    free(a);
    return 0;
}

void mergesort(int a[], int f, int l)
{
    int m;
    if(f<l)
    {
        m = (f+l)/2;
        mergesort(a,f,m);
        mergesort(a,m+1,l);
        merge(a,f,m,l);
    }
}

void merge(int a[], int f, int m, int l)
{
    int* t,i,j,h1,h2;
    t = (int*)calloc(l-f+1,sizeof(int));
    i = h1 = f;
    h2 = m+1;
    while(h1 <= m && h2 <= l)
    {
        if(a[h1] < a[h2])
        {
            t[i] = a[h1];
            h1++;
        }
        else
        {
            t[i] = a[h2];
            h2++;
        }
        i++;
    }

    if(h1>m)
    {
        for(j=h2; j<=l; j++)
        {
            t[i] = a[j];
            i++;
        }
    }
    else
    {
        for(j=h1; j<=m; j++)
        {
            t[i] = a[j];
            i++;
        }
    }

    for(j=f;j<=l;j++)
    a[j] = t[j];

    free(t);
    printarray(a);
}

void printarray(int a[])
{
    int i;
    for(i=0;i<gs;i++)
    printf("%d ",a[i]);
    printf("\n");
}

I think the error is with the line free(t) in the function merge. For some reason that block is not being freed in the way it should be. How can I fix this?


Solution

  • You are assigning out of bounds of t.

    int maxIdx = f+l-1;
    int * const t = (int*)calloc(maxIdx,sizeof(int));
    
    while(h1 <= m && h2 <= l) {
        assert(h1 < gs);
        assert(h2 < gs);
        assert(i < maxIdx);
        if(a[h1] < a[h2]) {
            t[i] = a[h1];
            h1++;
        } else {
            t[i] = a[h2];
            h2++;
        }
        i++;
    }
    

    When I run this:

    Assertion failed: (i < maxIdx), function merge, file crash.c, line 59.
    

    This is happening b/c l == 1 therefore i is 1 greater than the max allowed index.