在linux中用c语言实现复制和移动文件
时间: 2023-06-14 15:06:11 浏览: 337
Linux下C语言实现文件拷贝
5星 · 资源好评率100%
复制文件可以使用系统调用函数 `open()` 、`read()` 和 `write()` ,具体步骤如下:
1. 打开源文件,使用 `open()` 函数,返回源文件的文件描述符。
2. 打开目标文件,使用 `open()` 函数,返回目标文件的文件描述符。
3. 从源文件中读取数据并写入目标文件,使用 `read()` 函数和 `write()` 函数。
4. 关闭源文件和目标文件,使用 `close()` 函数。
下面是一个简单的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <fcntl.h>
#define BUFFER_SIZE 1024
int main(int argc, char *argv[]) {
if (argc != 3) {
printf("Usage: %s source_file target_file\n", argv[0]);
return 1;
}
int source_fd = open(argv[1], O_RDONLY);
if (source_fd == -1) {
printf("Failed to open source file %s\n", argv[1]);
return 1;
}
int target_fd = open(argv[2], O_WRONLY | O_CREAT | O_TRUNC, 0644);
if (target_fd == -1) {
printf("Failed to create target file %s\n", argv[2]);
return 1;
}
char buffer[BUFFER_SIZE];
ssize_t n;
while ((n = read(source_fd, buffer, BUFFER_SIZE)) > 0) {
if (write(target_fd, buffer, n) != n) {
printf("Failed to write to target file %s\n", argv[2]);
return 1;
}
}
if (n == -1) {
printf("Failed to read from source file %s\n", argv[1]);
return 1;
}
if (close(source_fd) == -1) {
printf("Failed to close source file %s\n", argv[1]);
return 1;
}
if (close(target_fd) == -1) {
printf("Failed to close target file %s\n", argv[2]);
return 1;
}
printf("File %s has been successfully copied to %s\n", argv[1], argv[2]);
return 0;
}
```
移动文件可以使用 `rename()` 函数,具体步骤如下:
1. 使用 `rename()` 函数将源文件移动到目标位置。
下面是一个简单的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
int main(int argc, char *argv[]) {
if (argc != 3) {
printf("Usage: %s source_file target_file\n", argv[0]);
return 1;
}
if (rename(argv[1], argv[2]) == -1) {
printf("Failed to move file from %s to %s\n", argv[1], argv[2]);
return 1;
}
printf("File %s has been successfully moved to %s\n", argv[1], argv[2]);
return 0;
}
```
阅读全文