我的程序的目的很简单,从文件中读取int数字序列,这里是代码:
int main()
{
FILE *file = fopen("test.txt", "r");
int *array = NULL; // Declaration of pointer to future array;
int count;
process_file(file, array, &count);
return 0;
}
// Function returns 'zero' if everything goes successful plus array and count of elements as arguments
int process_file(FILE *file, int *arr, int *count)
{
int a;
int i;
*count = 0;
// Function counts elements of sequence
while (fscanf(file, "%d", &a) == 1)
{
*count += 1;
}
arr = (int*) malloc(*count * sizeof(int)); // Here program allocates some memory for array
rewind(file);
i = 0;
while (fscanf(file, "%d", &a) == 1)
{
arr[i] = a;
i++;
}
fclose(file);
return 0;
}
问题是,在外部函数(main)中,数组没有改变。 怎么可能修好?
答案 0 :(得分:4)
您需要通过引用传递数组,以便该函数可以更改其调用者的数组。
必须是:
process_file(FILE *file, int **arr, int *count)
并且这样打电话:
process_file(file, &array, &count);
另外,我建议:
size_t
而不是int
作为数组长度。malloc()
。*array = malloc(*count * sizeof *array);
,这可以避免重复int
。