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

int main(int argc, char * argv[])
{
    /*
        arguments from command line:
        N: dimension of each tuple
        M: maximum possible number of attributes
            a tuple can take
    */
    int N,M;
    N = atoi(argv[1]);
    M = atoi(argv[2]);

    // Ln store attribute range from 0 to Ln[i]-1;
    int * Ln = (int *)malloc(N);
    //int Ln[N];
    //printf("N: %d, M: %d\n",N,M);
    /*
        to generate parameters to file "repo_file.txt"
    */

    int i,seed,p1,p2,p3;
    seed = time(NULL);
    p1 = 762; p2 = 8196; p3 = 9765;
    for(i=0;i<N;i++)
    {
        seed  = (p1*seed+p2)%p3;
        srand(seed);
        Ln[i] = (rand()%M+1);
        printf("%dth element: %d \n",i,Ln[i]);
    }

   free(Ln);
   return 0;
}

我将按照上面的编码将一些随机数分配给一个数组。但是,我收到如下错误:分段错误(核心转储),似乎是由 free() 调用引起的。

4

2 回答 2

7

您没有分配正确的字节数:

 int * Ln = (int *)malloc(N);

N以字节为单位,您应该使用N * sizeof *Ln

作为旁注,不要强制转换 malloc

于 2012-09-17T19:46:29.737 回答
2

您没有为Ln数组分配足够的空间。您只分配N bytes,而不是N整数空间。因此,您的循环将经过数组的末尾。

利用:

int *Ln = malloc(N * sizeof(int));
于 2012-09-17T19:46:55.223 回答