在 Linux 中,copendir
函数本身并不提供递归遍历目录的功能。要实现递归目录遍历,你需要结合使用 opendir
、readdir
和 closedir
函数,并在遍历过程中检查每个条目是否为目录。如果是目录,则递归调用遍历函数。
以下是一个简单的示例,展示了如何使用 C 语言和这些函数实现递归目录遍历:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <dirent.h>
#include <sys/stat.h>
void recursive_directory_traversal(const char *path) {
DIR *dir;
struct dirent *entry;
struct stat statbuf;
dir = opendir(path);
if (!dir) {
perror("opendir");
return;
}
while ((entry = readdir(dir)) != NULL) {
// 跳过当前目录和上级目录的特殊条目
if (strcmp(entry->d_name, ".") == 0 || strcmp(entry->d_name, "..") == 0) {
continue;
}
// 构建完整的文件路径
char full_path[PATH_MAX];
snprintf(full_path, sizeof(full_path), "%s/%s", path, entry->d_name);
// 获取文件状态
if (stat(full_path, &statbuf) == -1) {
perror("stat");
continue;
}
// 如果是目录,则递归遍历
if (S_ISDIR(statbuf.st_mode)) {
recursive_directory_traversal(full_path);
} else {
printf("%s\n", full_path);
}
}
closedir(dir);
}
int main(int argc, char *argv[]) {
if (argc != 2) {
fprintf(stderr, "Usage: %s <directory>\n", argv[0]);
return EXIT_FAILURE;
}
recursive_directory_traversal(argv[1]);
return EXIT_SUCCESS;
}
这个程序接受一个目录作为命令行参数,并递归地遍历该目录及其所有子目录。对于每个文件,它将打印出文件的完整路径。请注意,这个程序没有处理符号链接和其他可能的特殊文件类型。在实际应用中,你可能需要根据具体需求进行相应的调整。