C语言:读取.txt文件
C language: reading a .txt file
我正在尝试编写一个读取文本文件的程序,使用带有 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' may be '0': this condition does not meet the function specification 'fclose'.
我做错了什么?我有一段时间没有用 C 编程了...
问题早在 fclose
之前就开始了。此行不正确:
filePTR = fopen_s(&filePTR, "text.txt", "r");
它通过将指针作为函数参数传递来覆盖已经分配的文件指针&filePTR.
函数returns一个错误状态,不是文件指针。请参阅 man page:
Return Value Zero if successful; an error code on failure.
另请参阅Why is while ( !feof (file) )
always wrong?
我建议:
#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
调用上移了。您无法关闭未打开的文件。
我正在尝试编写一个读取文本文件的程序,使用带有 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' may be '0': this condition does not meet the function specification 'fclose'.
我做错了什么?我有一段时间没有用 C 编程了...
问题早在 fclose
之前就开始了。此行不正确:
filePTR = fopen_s(&filePTR, "text.txt", "r");
它通过将指针作为函数参数传递来覆盖已经分配的文件指针&filePTR.
函数returns一个错误状态,不是文件指针。请参阅 man page:
Return Value Zero if successful; an error code on failure.
另请参阅Why is while ( !feof (file) )
always wrong?
我建议:
#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
调用上移了。您无法关闭未打开的文件。