我正在尝试制作一个程序,它使用fgets从预先存在的文件中取出文本,将其反转,然后将其写入另一个文件。这是我到目前为止编写的代码:
#include <stdio.h>
#include <string.h>
int main()
{
int c, d;
FILE *file1, *file2;
char string [100], *begin, *end, temp;
file1 = fopen("StartingFile.txt", "rt");
if (file1 == NULL)
{
printf ("Error - Couldn't open file\n");
return (-1);
}
fgets(string, 100, file1);
fclose (file1);
begin = string;
end = begin + strlen(string) - 1;
while (end > begin)
{
temp = *begin;
*begin = *end;
*end = temp;
++begin;
--end;
}
file2 = fopen("FinalFile.txt", "wt");
fprintf (file2, "%s", string);
fclose (file2);
printf ("%s\n", string);
return 0;
}
如果预先存在的文件中的文本全部在一行中,它可以正常工作,但如果它有多行,则只有第一行被反转并写入新文件。我认为fgets只能读取一行,所以我想我必须使用一个循环,但是我在实现它时遇到了麻烦。有人可以帮我一把吗?提前谢谢!
答案 0 :(得分:0)
要在fgets
循环中单独阅读文件使用while
中的每一行,如下所示,
while(fgets(string, sizeof(string), file1) != NULL)
{
...
}
fclose(file1);
循环内部在每一行上操作以反转它。
答案 1 :(得分:0)
您的代码中存在相当多的逻辑错误。我建议改用其他f *方法。
如果你想要一个简单的解决方案,打开文件,确定它的长度,创建两个文件大小的缓冲区,用文件的内容填充第一个缓冲区,然后循环将反向复制到另一个缓冲区,然后写回缓冲区。粗略地看起来像这样:
#include <stdio.h>
#include <string.h>
int main()
{
FILE *file;
file = fopen("StartingFile.txt", "rt");
if (file == NULL)
{
printf ("Error - Couldn't open file\n");
return (-1);
}
fseek(file, 0, SEEK_END); // move file pointer to end of file
long size = ftell(file); // file pointer position == character count in file
fseek(file, 0, SEEK_SET); // move back to beginning of file
char* buffer = malloc(size * sizeof(char));
fread(buffer, sizeof(char), size, file) // read file contents to buffer
for(long i = 0; i < size/2; ++i)
{
buffer[i] = buffer[size-i-1];
}
fseek(file, 0, SEEK_SET); // The fread set the file pointer to the end so we need to put it to the front again.
fwrite(buffer, sizeof(char), size, file); // Write reverted content
delete buffer;
fclose (file);
}
我没有测试它,它可能包含一些错误,因为我没有在C中编程一段时间。仍然使用C编程的唯一原因是效率,如果你希望你的程序有效,那么两个缓冲解决方案也不是最好的。至少在内存使用方面没有。
我强烈建议您熟悉C(stdio等)中可用的所有功能.cplusplus.com是一个很好的参考。
问候,Xaser