-1

我必须安全地释放一个数组:char** a;它就像一个字符串列表。我知道我有多少char*。但是我很难释放所有的内存。有没有我可以使用的函数来释放 20 个字节?我试过:

for (int i = 0; i < length; i++)
    if (a[i] != null)
        free(a[i]); // some of a[i] ARE null, non-null have different sizes
free(a); // crashes here

asm但我在调试时遇到运行时错误。a 中的所有内容都已分配。对于一个 I malloced 5 个字符串(每个指针 4 个字节)-> 20 个字节。我怎样才能释放整个char**

4

3 回答 3

6

除非分配 20 个字节,否则不能释放 20 个字节。你只能释放一个块。该块的大小在分配时指定。对于分配的每个块,您需要单独的取消分配。

您可以尝试通过使用来更改块的大小,realloc但这不会删除该块的任意部分。

如果数组和数组中的单个项目都已使用 分配malloc,那么您的方法是正确的。释放每个元素,然后释放数组:

char **arr = malloc (10 * sizeof (char*));
if (arr != NULL)
    for (int i = 0; i < 10; i++)
        arr[i] = malloc (50 + i * 10); // sizes 50, 60, 70, ..., 140

// Use the ten X-character arrays here
//     (other than NULL ones from malloc failures, of course).

if (arr != NULL) {
    for (int i = 0; i < 10; i++)
        free (arr[i]);           // Okay to free (NULL), size doesn't matter
    free (arr);
}
于 2013-01-29T07:40:26.340 回答
1

如果您已经正确分配了 char** 数组和它包含的指针的所有 char* 数组,那么您发布的代码应该可以工作。您的其余代码是什么样的?

于 2013-01-29T07:41:15.467 回答
1

您发布的代码没有任何问题。但是,如果您两次释放同一块内存,则可能会出现运行时错误。检查其余代码并确保您实际上分配了该数组中的所有内存,并且没有多次释放它。

于 2013-01-29T07:55:43.260 回答