C语言:读取.txt文件




我正试图用Visual Studio中的C编写一个读取文本文件的程序。
这是我当前的代码(不起作用(:

#include <stdio.h>
#include <stdlib.h>
int main() {
FILE *filePTR;
char fileRow[100];
filePTR = fopen_s(&filePTR, "text.txt", "r");
// Opens the file
if(filePTR){
while(!feof(filePTR)) {
// Reads file row
fgets(fileRow, 100, filePTR);
// Displays file row
printf("%s n", fileRow);
}
printf("nEnd of file.");
}
else {
printf("ERROR! Impossible to read the file.");
}
// Closes the file
fclose(filePTR);
return 0;
}

我收到以下警告:

"filePTR"可能为"0":此条件不符合函数规范"fclose"。

我做错了什么?我已经有一段时间没有用C编程了。。。

问题早在fclose之前就开始了。此行不正确:

filePTR = fopen_s(&filePTR, "text.txt", "r");

它通过传递一个指针作为函数参数&filePTR.来覆盖已经分配的文件指针

函数返回错误状态,而不是文件指针。请参阅手册页:

如果成功,返回值为零;失败时的错误代码。

另外,请参阅为什么while ( !feof (file) )总是错误的?

我建议这样做:

#include <stdio.h>
#include <stdlib.h>
int main(void) {                        // correct definition
FILE *filePTR;
char fileRow[100];
if(fopen_s(&filePTR, "text.txt", "r") == 0) {
while(fgets(fileRow, sizeof fileRow, filePTR) != NULL) {
printf("%s", fileRow);      // the string already contains a newline
}
fclose(filePTR);                // only close if it was opened
printf("nEnd of file.");
}
else {
printf("ERROR! Impossible to read the file.");
}
return 0;
}

请注意,我已将fclose调用上移。无法关闭未打开的文件。

相关内容

  • 没有找到相关文章

最新更新