5

免责声明:这是家庭作业。我正在尝试,不希望或不希望任何人为我做这件事。只是我会出错的几个指针(呵呵)将不胜感激。

作业要求我创建一个int*包含 10 个元素的数组,然后尝试在其中插入一百万个整数。每次插入都会检查数组是否需要调整大小,如果需要,我会增加它的大小,以便它可以容纳更多元素。

当我插入 10,000 个元素时,它工作正常,但如果我尝试 100,000 个元素,我会收到以下错误:

*** glibc detected *** ./set2: realloc(): invalid old size: 0x00000000024dc010 ***

这是我正在运行的代码。我已经评论了它,所以它很容易阅读。

void main()
{
    //begin with a size of 10
    int currentsize = 10;
    int* arr = malloc(currentsize * sizeof(int));       
    int i;

    //initalize with all elements set to INT_MAX
    for(i = 0; i < currentsize; i++) {
        arr[i] = INT_MAX;
    }


    // insert random elements
    for(i = 0; i < 100000; i++) {
        currentsize = add(rand() % 100,arr,currentsize);
    }

    free(arr);
}

/*
    Method resizes array if needed, and returns the new size of the array
    Also inserts the element into the array
*/
int add(int x, int* arr, int size)
{
    //find the first available location 
    int newSize = size;
    int i;
    for(i = 0; i < size; i++) {
        if (arr[i] == INT_MAX)
            break;
    }

    if (i >= size) {
        //need to realloc
        newSize++;
        arr = realloc(arr, newSize * sizeof(int) );     
    }

    arr[i] = x;

    return newSize;
}
4

2 回答 2

5

arr该错误可能是因为您在函数中正确使用了realloc来更改add,但是这个修改后的值在add返回时会丢失。因此,下一次调用add将收到旧的,现在不好的价值。

另外我不明白你为什么要使用for循环来搜索。您知道要在最后一个元素处添加,那么为什么要搜索呢?只需重新分配数组并将新值插入新插槽即可。

顺便说一句,我很确定您的老师正试图让您看到为每个成员重新分配会导致渐近运行时间问题。大多数实现realloc将使用此算法进行大量复制。这就是为什么实际程序将数组大小增加大于 1(通常为 1.5 或 2)而不是固定数量的原因。

通常的习惯用法是在结构中抽象可变大小数组:

typedef struct array_s {
  int *elts;
  int size;
} VARIABLE_ARRAY;

void init(VARIABLE_ARRAY *a)
{
  a->size = 10;
  a->elts = malloc(a->size * sizeof a->elts[0]);
  // CHECK FOR NULL RETURN FROM malloc() HERE
}

void ensure_size(VARIABLE_ARRAY *a, size_t size) 
{
  if (a->size < size) {

    // RESET size HERE TO INCREASE BY FACTOR OF OLD SIZE
    // size = 2 * a->size;

    a->elts = realloc(size * sizeof a->elts[0]);
    a->size = size;

    // CHECK FOR NULL RETURN FROM realloc() HERE
  }
}

// Set the i'th position of array a. If there wasn't
// enough space, expand the array so there is.
void set(VARIABLE_ARRAY *a, int i, int val)
{
  ensure_size(a, i + 1);
  a->elts[i] = val;
}

void test(void)
{
  VARIABLE_ARRAY a;

  init(&a);

  for (int i = 0; i < 100000; i++) {
    set(&a, i, rand());
  }

  ...

}
于 2012-07-10T03:52:21.963 回答
1

我会将arrtoadd()作为指针(指向指针)传递,以便可以在add()

int add(int x, int** arr, int size)
{
   // ...
   *arr = realloc(*arr, newSize * sizeof(int) );
}

并称之为....

currentsize = add(rand() % 100, &arr, currentsize);

请注意,您的代码(以及我建议的更改)没有进行任何错误检查。您应该检查 和 的malloc返回reallocNULL

于 2012-07-10T03:55:57.060 回答