在Linux中用c语言实现:1. 写一个小程序,实现递归复制目录。 // copyDir.c void copyFile(const char* src, const char* dst); void copyDir(const char* src, const char* dst); int main(int argc, char* argv[]) { // ./copyDir src dst ARGS_CHECK(argc, 3); copyDir(argv[1], argv[2]); return 0; } void copyFile(const char* src, const char* dst) { // 复制文件 } void copyDir(const char* src, const char* dst) { // 创建dst目录 // 打开src目录 // 遍历目录流 while(...) { // 忽略.和.. // 如果该目录项是目录,则调用copyDir递归复制 // 如果该目录项是文件,则调用copyFile复制文件 } // 关闭目录流 }
时间: 2024-01-05 19:03:11 浏览: 203
这个问题要求你用C语言在Linux中实现一个递归复制目录的小程序。你可以参考下面的代码实现:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <sys/stat.h>
#include <dirent.h>
void copyFile(const char* src, const char* dst);
void copyDir(const char* src, const char* dst);
int main(int argc, char* argv[]) {
if (argc != 3) {
fprintf(stderr, "Usage: %s src dst\n", argv[0]);
exit(1);
}
copyDir(argv[1], argv[2]);
return 0;
}
void copyFile(const char* src, const char* dst) {
char buf[BUFSIZ];
ssize_t size;
int src_fd, dst_fd;
src_fd = open(src, O_RDONLY);
if (src_fd < 0) {
perror("open");
exit(1);
}
dst_fd = open(dst, O_WRONLY | O_CREAT | O_TRUNC, 0644);
if (dst_fd < 0) {
perror("open");
exit(1);
}
while ((size = read(src_fd, buf, BUFSIZ)) > 0) {
if (write(dst_fd, buf, size) != size) {
perror("write");
exit(1);
}
}
if (size < 0) {
perror("read");
exit(1);
}
if (close(src_fd) < 0) {
perror("close");
exit(1);
}
if (close(dst_fd) < 0) {
perror("close");
exit(1);
}
}
void copyDir(const char* src, const char* dst) {
DIR* dir;
struct dirent* entry;
char src_path[BUFSIZ], dst_path[BUFSIZ];
struct stat statbuf;
if (mkdir(dst, 0755) < 0) {
perror("mkdir");
exit(1);
}
if ((dir = opendir(src)) == NULL) {
perror("opendir");
exit(1);
}
while ((entry = readdir(dir)) != NULL) {
if (strcmp(entry->d_name, ".") == 0 || strcmp(entry->d_name, "..") == 0) {
continue;
}
snprintf(src_path, BUFSIZ, "%s/%s", src, entry->d_name);
snprintf(dst_path, BUFSIZ, "%s/%s", dst, entry->d_name);
if (lstat(src_path, &statbuf) < 0) {
perror("lstat");
exit(1);
}
if (S_ISDIR(statbuf.st_mode)) {
copyDir(src_path, dst_path);
} else if (S_ISREG(statbuf.st_mode)) {
copyFile(src_path, dst_path);
}
}
if (closedir(dir) < 0) {
perror("closedir");
exit(1);
}
}
```
在这个程序中,我们定义了两个函数:`copyFile`和`copyDir`,分别用于复制文件和目录。
`copyFile`函数的实现比较简单,它使用`open`和`read`系统调用读取源文件的内容,使用`open`和`write`系统调用将内容写入目标文件。
`copyDir`函数使用`mkdir`系统调用创建目标目录,使用`opendir`和`readdir`系统调用遍历源目录中的所有文件和子目录,然后对于每个文件或目录,如果是目录则递归调用`copyDir`函数,如果是文件则调用`copyFile`函数进行复制。最后使用`closedir`系统调用关闭源目录。
在`main`函数中,我们首先检查命令行参数的个数,然后调用`copyDir`函数进行复制。
需要注意的是,这个程序中使用了一些Linux特定的系统调用,如果要在其他操作系统上运行,可能需要做一些修改。
阅读全文