文件内容复制的问题
刚学C,请指教:)程序是把一个文件中的信息复制到另一个文件中,但是每次运行之后,复制的文件尾巴总多了个符号,那个符号就是打不出来。是y上面多了两点。不知道是系统问题还是程序的问题。程序如下
#include <stdio.h>
main()
{
FILE *in,*out;
char infile[10],outfile[10];
printf("Enter the infile name:");
scanf("%s",infile);
printf("Enter the outfile name:");
scanf("%s",outfile);
if ((in=fopen(infile,"r"))==NULL)
{
printf("cannot open the infile!\n");
exit(0);
}
if ((out=fopen(outfile,"w"))==NULL)
{
printf("cannot open the outfile!\n");
exit(0);
}
while (!feof(in))
fputc(fgetc(in),out);
fclose(in);
fclose(out);
}
搜索更多相关的解决方案:
文件
----------------解决方案--------------------------------------------------------
这可能是feof()的BUG
在谭浩强的《C语言教程》中,也是类似的代码,没有指出这个问题。
那个最后多出的字符是“0xFF”可能是 feof()认为的EOF(end of file)标志。
while (!feof(in))
fputc(fgetc(in),out);
改成:
buf=fgetc(in);
while (!feof(in))
{
fputc(buf,out);
buf=fgetc(in);
}
就行了。
如果用判断文件大小来循环就没有这个问题:
#include <stdio.h>
void main()
{
FILE *read,*write;
unsigned char buf;
long filesize=0;
long i=0;
read=fopen("1.txt","rb");
write=fopen("1.bin","wb");
filesize=filelength(fileno(read));
while(i<filesize)
{
fputc(fgetc(read),write);
i++;
}
}
[此贴子已经被作者于2006-7-20 0:14:17编辑过]
----------------解决方案--------------------------------------------------------
明白,谢谢!
----------------解决方案--------------------------------------------------------