编写一个c语言程序,实现文件的复制。程序的任务是将当前目录下filecopy.in文件复制成filecopy.out。 编写一个程序,实现文件的复制。程序的任务是将当前目录下filecopy.in文件复制成filecopy.out。 【输入文件】输入文件为当前目录下的filecopy.in。其内容由任意文本构成。 【输出文件】输出文件为当前目录下的filecopy.out。
时间: 2024-04-08 13:29:25 浏览: 93
复制文件(C语言实现)
4星 · 用户满意度95%
以下是一个使用C语言编写的文件复制程序的示例代码:
```c
#include <stdio.h>
#define BUFFER_SIZE 1024
int main() {
FILE *sourceFile, *targetFile;
char buffer[BUFFER_SIZE];
size_t bytesRead;
// 打开源文件
sourceFile = fopen("filecopy.in", "rb");
if (sourceFile == NULL) {
printf("无法打开源文件。\n");
return 1;
}
// 创建目标文件
targetFile = fopen("filecopy.out", "wb");
if (targetFile == NULL) {
printf("无法创建目标文件。\n");
fclose(sourceFile);
return 1;
}
// 逐块复制数据直到文件末尾
while ((bytesRead = fread(buffer, 1, BUFFER_SIZE, sourceFile)) > 0) {
fwrite(buffer, 1, bytesRead, targetFile);
}
// 关闭文件
fclose(sourceFile);
fclose(targetFile);
printf("文件复制完成。\n");
return 0;
}
```
该程序首先打开源文件(filecopy.in)和目标文件(filecopy.out),然后使用一个缓冲区逐块读取源文件中的数据,并将其写入目标文件。最后,关闭源文件和目标文件,并输出复制完成的消息。
请确保在运行该程序之前,当前目录下已经存在名为filecopy.in的源文件。程序将在当前目录下创建名为filecopy.out的目标文件,并将源文件中的内容复制到目标文件中。
阅读全文