所以我有这段代码
int main(int argc, char *argv[]) {
char *vendas[1];
int size = 1;
int current = 0;
char buffer[50];
char *token;
FILE *fp = fopen("Vendas_1M.txt", "r");
while(fgets(buffer, 50, fp)) {
token = strtok(buffer, "\n");
if (size == current) {
*vendas = realloc(*vendas, sizeof(vendas[0]) * size * 2);
size *= 2;
}
vendas[current] = strdup(token);
printf("%d - %d - %s\n", current, size, vendas[current]);
current++;
}
}
这就是问题...使用GDB会在
上给出分段错误vendas[current] = strdup(token);
但是最奇怪的是,它工作到1024
的大小为止。大小增长到1024
,然后在1200个元素附近吐出分段错误。
我知道问题出在内存分配上,因为当我有一个静态数组时它可以工作。只是不知道是什么。
答案 0 :(得分:2)
您无法重新分配本地数组,您希望vendas
是指向已分配的指针数组char **vendas = NULL;
的指针。
您还应该包括正确的头文件,并检查fopen()
和realloc()
失败。
这是修改后的版本:
#include <stdio.h>
#include <stdlib.h>
void free_array(char **array, size_t count) {
while (count > 0) {
free(array[--count]);
}
free(array);
}
int main(int argc, char *argv[]) {
char buffer[50];
char **vendas = NULL;
size_t size = 0;
size_t current = 0;
char *token;
FILE *fp;
fp = fopen("Vendas_1M.txt", "r");
if (fp == NULL) {
printf("cannot open file Vendas_1M.txt\n");
return 1;
}
while (fgets(buffer, sizeof buffer, fp)) {
token = strtok(buffer, "\n");
if (current >= size) {
char **savep = vendas;
size = (size == 0) ? 4 : size * 2;
vendas = realloc(vendas, sizeof(*vendas) * size);
if (vendas == NULL) {
printf("allocation failure\n");
free_array(savep, current);
return 1;
}
}
vendas[current] = strdup(token);
if (vendas[current] == NULL) {
printf("allocation failure\n");
free_array(vendas, current);
return 1;
}
printf("%d - %d - %s\n", current, size, vendas[current]);
current++;
}
/* ... */
/* free allocated memory (for cleanliness) */
free_array(vendas, current);
return 0;
}
答案 1 :(得分:1)
在char *vendas[1]
数组中,只能容纳一(1)个指针。因此,您第二次不在数组的限制范围内,并且处于未定义的行为范围内。
此外,对realloc
的第一次调用传递了一个未被malloc
分配的指针,因此还有另一个未定义的行为。