似乎我不太了解文件流的工作原理。我的文本文件现在包含以下整数:1 10 5 4 2 3 -6
,但是我希望程序能够更改文件中的任意数量的整数。
显然,我什至没有使用正确的功能。 我编写的代码如下:
int main() {
printf("This program stores numbers from numeri.txt into an array.\n\n");
int a[100];
int num;
int count = 0;
FILE* numeri = fopen("numeri.txt", "r");
while (!feof(numeri)) {
num = getw(numeri);
a[count] = num;
if (fgetc(numeri) != ' ')
count++;
}
int i;
for (i = 0; i < count; i++) { printf("%d ", a[i]); }
return 0;
}
我希望它用存储的数字打印出数组,但是我得到的只是:540287029 757084960 -1
有人可以帮助我理解我做错了什么,也许告诉我如何正确编写此类代码?
答案 0 :(得分:2)
我已根据注释修复了您的代码。我使用fscanf
来读取文件,并通过检查count < 100
并检查fscanf
是否正好填充了一个参数来限制可以存储在数组中的数字量。
此外,出于安全性考虑,我检查了是否可以打开文件。如果无法打开,则仅打印错误消息并return 1
。
int main() {
printf("This program stores numbers from numeri.txt into an array.\n\n");
int a[100] = {0};
int num;
int count = 0;
int i = 0;
FILE* numeri = fopen("numeri.txt", "r");
if (numeri == NULL) {
printf("Can't open file\n");
return 1;
}
while (count < 100 && fscanf(numeri, "%d", &num) == 1) {
a[count++] = num;
}
for (i = 0; i < count; i++) { printf("%d ", a[i]); }
return 0;
}