在Ubuntu中,readdir函数用于读取目录中的文件和子目录。当处理特殊文件类型时,如符号链接、设备文件等,readdir会返回相应的文件名。要处理这些特殊文件类型,你可以使用lstat或stat函数来获取文件的详细信息。
以下是一个简单的示例,展示了如何使用readdir和lstat处理特殊文件类型:
#include <stdio.h>
#include <stdlib.h>
#include <dirent.h>
#include <sys/stat.h>
#include <unistd.h>
int main(int argc, char *argv[]) {
if (argc != 2) {
fprintf(stderr, "Usage: %s <directory>\n", argv[0]);
return 1;
}
DIR *dir = opendir(argv[1]);
if (dir == NULL) {
perror("opendir");
return 1;
}
struct dirent *entry;
while ((entry = readdir(dir)) != NULL) {
struct stat file_stat;
char path[PATH_MAX];
snprintf(path, sizeof(path), "%s/%s", argv[1], entry->d_name);
if (lstat(path, &file_stat) == -1) {
perror("lstat");
continue;
}
// 判断文件类型
if (S_ISREG(file_stat.st_mode)) {
printf("Regular file: %s\n", entry->d_name);
} else if (S_ISDIR(file_stat.st_mode)) {
printf("Directory: %s\n", entry->d_name);
} else if (S_ISCHR(file_stat.st_mode)) {
printf("Character device: %s\n", entry->d_name);
} else if (S_ISBLK(file_stat.st_mode)) {
printf("Block device: %s\n", entry->d_name);
} else if (S_ISFIFO(file_stat.st_mode)) {
printf("FIFO (named pipe): %s\n", entry->d_name);
} else if (S_ISSOCK(file_stat.st_mode)) {
printf("Socket: %s\n", entry->d_name);
} else if (S_ISLNK(file_stat.st_mode)) {
printf("Symbolic link: %s\n", entry->d_name);
} else {
printf("Unknown file type: %s\n", entry->d_name);
}
}
closedir(dir);
return 0;
}
这个程序接受一个目录作为参数,然后使用readdir读取目录中的所有条目。对于每个条目,我们使用lstat获取文件的详细信息,并根据文件类型进行相应的处理。在这个示例中,我们只是打印出文件类型,但你可以根据需要执行其他操作。