关于fread函数
例题如下:编写一个文件复制程序.程序需要从命令行获得原文件名与目的文件名.尽可能使用标准I/O和二进制模式
本题标准答案如下
/* Programming Exercise 13-2 */
#include <stdio.h>
#include <stdlib.h>
//#include <console.h> /* Macintosh adjustment */
int main(int argc, char *argv[])
{
int byte;
FILE * source;
FILE * target;
// argc = ccommand(&argv); /* Macintosh adjustment */
if (argc != 3)
{
printf("Usage: %s sourcefile targetfile\n", argv[0]);
exit(EXIT_FAILURE);
}
if ((source = fopen(argv[1], "rb")) == NULL)
{
printf("Could not open file %s for input\n", argv[1]);
exit(EXIT_FAILURE);
}
if ((target = fopen(argv[2], "wb")) == NULL)
{
printf("Could not open file %s for output\n", argv[2]);
exit(EXIT_FAILURE);
}
while ((byte = getc(source)) != EOF)
{
putc(byte, target);
}
if (fclose(source) != 0)
printf("Could not close file %s\n", argv[1]);
if (fclose(target) != 0)
printf("Could not close file %s\n", argv[2]);
return 0;
}
标准答案没有什么不解之处,但是当我尝试以fread与fwrite函数解答时,目的文件足足有几个G.我的想法是以fread函数将源文件以每次1024字节读取到temp数组,接着又以1024字节为单位从数组写入目的文件,由于每读写一次,文件指针都会更新,因此如果到了文件结尾,fs必为NULL,也就结束了循环,不知错在哪里了?
/* Programming Exercise 13-2 */
#include <stdio.h>
#include <stdlib.h>
#define BUF 1024
//#include <console.h> /* Macintosh adjustment */
int main(int argc, char *argv[])
{
char temp[BUF];
FILE * source;
FILE * target;
// argc = ccommand(&argv); /* Macintosh adjustment */
if (argc != 3)
{
printf("Usage: %s sourcefile targetfile\n", argv[0]);
exit(EXIT_FAILURE);
}
if ((source = fopen(argv[1], "rb")) == NULL)
{
printf("Could not open file %s for input\n", argv[1]);
exit(EXIT_FAILURE);
}
if ((target = fopen(argv[2], "wb")) == NULL)
{
printf("Could not open file %s for output\n", argv[2]);
exit(EXIT_FAILURE);
}
while (source!=NULL)
{
fread(temp,BUF,1,source);
fwrite(temp,BUF,1,target);
}
if (fclose(source) != 0)
printf("Could not close file %s\n", argv[1]);
if (fclose(target) != 0)
printf("Could not close file %s\n", argv[2]);
system("pause");
return 0;
}
[解决办法]
文件指针不会自动变NULL。
你可以使用fread的返回值,如果返回值小于你定义的BUF,那就代表结束了,此时可以看一下,如果返回值大于0,调用一下fwrite(temp,fread的返回值,1,target);后跳出循环,否则直接跳出循环。
[解决办法]
把while(source!=NULL) 改成 while(temp!=NULL)
文件指针只要打开了,就不可能为空,只能是读的数据为空(读完了)