3 回答
TA贡献1784条经验 获得超2个赞
最简单的方法是读取一个字符,并在阅读后立即打印:
int c;
FILE *file;
file = fopen("test.txt", "r");
if (file) {
while ((c = getc(file)) != EOF)
putchar(c);
fclose(file);
}
c在int上面,因为EOF是负数,而平原char可能是unsigned。
如果要以块的形式读取文件,但没有动态内存分配,则可以执行以下操作:
#define CHUNK 1024 /* read 1024 bytes at a time */
char buf[CHUNK];
FILE *file;
size_t nread;
file = fopen("test.txt", "r");
if (file) {
while ((nread = fread(buf, 1, sizeof buf, file)) > 0)
fwrite(buf, 1, nread, stdout);
if (ferror(file)) {
/* deal with error */
}
fclose(file);
}
上面的第二种方法实质上是如何使用动态分配的数组读取文件:
char *buf = malloc(chunk);
if (buf == NULL) {
/* deal with malloc() failure */
}
/* otherwise do this. Note 'chunk' instead of 'sizeof buf' */
while ((nread = fread(buf, 1, chunk, file)) > 0) {
/* as above */
}
fscanf()使用%sas格式的方法会丢失有关文件中空格的信息,因此不会将文件复制到stdout。
TA贡献1860条经验 获得超9个赞
而是直接将字符打印到控制台上,因为文本文件可能非常大,您可能需要大量内存。
#include <stdio.h>
#include <stdlib.h>
int main() {
FILE *f;
char c;
f=fopen("test.txt","rt");
while((c=fgetc(f))!=EOF){
printf("%c",c);
}
fclose(f);
return 0;
}
- 3 回答
- 0 关注
- 611 浏览
添加回答
举报