所以我可以有一个输入文件,在文件中的每个数字之间可以有一个空格或一个新行。这方面的一个例子可能是:
input.txt
2 3 4
4 3 2 3
2 3 1
5 4 3 2
2 5 4 2
我将如何解析文件并获取所有元素并将它们放在数组中。目前我有以下代码:
#include<stdio.h>
#define FILE_READ "input.txt"
int main()
{
FILE * filp;
int count = 1;
char c;
filp = fopen(FILE_READ, "r");
if(filp == NULL)
printf("file not found\n");
while((c = fgetc(filp)) != EOF) {
if(c == ' ')
count++;
}
printf("numbers = %d\n", count);
return 0;
}
int myarray[count-1];
那么我到底如何将数字推入数组呢?我得到了文件中的数字,并创建了一个数字大小的数组。现在我将如何将数字放入数组呢?
答案 0 :(得分:0)
这是一件非常简单的事情,只需使用fscanf()
计算多少个值,然后使用malloc()
为它们分配空间。然后,再次使用fscanf()
将值读入数组。
这可能看起来很多工作,但为每个值分配空间更多。值得努力的一个优化是分配估计大小数组,然后在空间不足时使用realloc()
以初始估计的倍数增长数组。这样,您可以减少分配数量,同时只循环显示值(从文件中读取,这也只是昂贵一次)。
这是我认为最简单的方式
#include <stdlib.h>
#include <stdio.h>
int
main(void)
{
FILE *file;
int count;
int value;
file = fopen("input.txt", "r");
if (file == NULL)
return -1; // Error opening the file
count = 0;
while (fscanf(file, "%d", &value) == 1)
count += 1;
if (count > 0) {
int *array;
rewind(file);
array = malloc(count * sizeof(*array));
if (array == NULL) {
fclose(file);
return -1;
}
count = 0;
while (fscanf(file, "%d", &array[count]) == 1) {
fprintf(stdout, "%d\n", array[count]);
count += 1;
}
// Use the array now and then
free(array);
}
fclose(file);
return 0;
}