1

我是 C 新手,正在尝试编写一个程序来复制文件,以便我可以学习文件的基础知识。我的代码将一个文件作为输入,通过使用 fseek 和 ftell 减去它的开头来计算它的长度。然后,它使用 fwrite 写入,基于我可以从它的手册页中获得的内容,一个数据元素,(END - START)元素长,到 OUT 指向的流,从 FI 给出的位置获取它们。问题是,虽然它确实产生“复制输出”,但该文件与原始文件不同。我究竟做错了什么?我尝试将输入文件读入一个变量,然后从那里写入,但这也无济于事。我究竟做错了什么?谢谢

int main(int argc, char* argv[])
{ 
    FILE* fi = fopen(argv[1], "r"); //create the input file for reading

    if (fi == NULL)
        return 1; // check file exists

    int start = ftell(fi); // get file start address

    fseek(fi, 0, SEEK_END); // go to end of file

    int end = ftell(fi); // get file end address

    rewind(fi); // go back to file beginning

    FILE* out = fopen("copy output", "w"); // create the output file for writing

    fwrite(fi,end-start,1,out); // write the input file to the output file
}

这应该工作吗?

{
    FILE* out = fopen("copy output", "w");
    int* buf = malloc(end-start);  fread(buf,end-start,1,fi);
    fwrite(buf,end-start,1,out);
}
4

4 回答 4

9

这不是fwrite工作方式。

要复制文件,您通常会分配一个缓冲区,然后用于fread读取一个数据缓冲区,然后fwrite将该数据写回。重复直到你复制了整个文件。典型的代码是这样的一般顺序:

#define SIZE (1024*1024)

char buffer[SIZE];
size_t bytes;

while (0 < (bytes = fread(buffer, 1, sizeof(buffer), infile)))
    fwrite(buffer, 1, bytes, outfile);
于 2013-01-04T02:57:58.417 回答
1

fwrite 的第一个参数是指向要写入文件的数据的指针,而不是要读取的 FILE*。您必须将第一个文件中的数据读入缓冲区,然后将该缓冲区写入输出文件。http://www.cplusplus.com/reference/cstdio/fwrite/

于 2013-01-04T02:57:49.067 回答
1

也许通过C 中的开源复制工具查看会为您指明正确的方向。

于 2013-01-04T02:59:56.593 回答
0

这是如何做到的:

选项 1:动态“数组”

嵌套级别: 0

// Variable Definition
char *cpArr;
FILE *fpSourceFile = fopen(<Your_Source_Path>, "rb");
FILE *fpTargetFile = fopen(<Your_Target_Path>, "wb");

// Code Section

// Get The Size Of bits Of The Source File
fseek(fpSourceFile, 0, SEEK_END); // Go To The End Of The File 
cpArr = (char *)malloc(sizeof(*cpArr) * ftell(fpSourceFile)); // Create An Array At That Size
fseek(fpSourceFile, 0, SEEK_SET); // Return The Cursor To The Start

// Read From The Source File - "Copy"
fread(&cpArr, sizeof(cpArr), 1, fpSourceFile);

// Write To The Target File - "Paste"
fwrite(&cpArr, sizeof(cpArr), 1, fpTargetFile);

// Close The Files
fclose(fpSourceFile);
fclose(fpTargetFile);

// Free The Used Memory
free(cpArr);

选项 2:逐个字符

嵌套级别: 1

// Variable Definition
char cTemp;
FILE *fpSourceFile = fopen(<Your_Source_Path>, "rb");
FILE *fpTargetFile = fopen(<Your_Target_Path>, "wb");

// Code Section

// Read From The Source File - "Copy"
while(fread(&cTemp, 1, 1, fpSourceFile) == 1)
{
    // Write To The Target File - "Paste"
    fwrite(&cTemp, 1, 1, fpTargetFile);
}

// Close The Files
fclose(fpSourceFile);
fclose(fpTargetFile);
于 2017-12-19T19:31:00.920 回答