在 CentOS 系统中,readdir 函数用于读取目录中的文件和子目录。当目录中包含符号链接(symbolic link)时,readdir 会返回符号链接的名称,而不是它指向的目标文件或目录。
如果你想要获取符号链接指向的目标文件或目录,可以使用 lstat 函数来获取符号链接的详细信息。lstat 函数会返回一个 struct stat 结构体,其中包含了符号链接的目标信息。
以下是一个简单的示例,展示了如何使用 readdir 和 lstat 函数来处理 CentOS 中的符号链接:
#include <stdio.h>
#include <stdlib.h>
#include <dirent.h>
#include <sys/stat.h>
#include <unistd.h>
int main(int argc, char *argv[]) {
DIR *dir;
struct dirent *entry;
struct stat statbuf;
if (argc != 2) {
fprintf(stderr, "Usage: %s <directory>\n", argv[0]);
exit(EXIT_FAILURE);
}
dir = opendir(argv[1]);
if (dir == NULL) {
perror("opendir");
exit(EXIT_FAILURE);
}
while ((entry = readdir(dir)) != NULL) {
char path[PATH_MAX];
snprintf(path, sizeof(path), "%s/%s", argv[1], entry->d_name);
if (lstat(path, &statbuf) == -1) {
perror("lstat");
continue;
}
if (S_ISLNK(statbuf.st_mode)) {
char target[PATH_MAX];
ssize_t len = readlink(path, target, sizeof(target) - 1);
if (len == -1) {
perror("readlink");
continue;
}
target[len] = '\0';
printf("Symbolic link: %s -> %s\n", entry->d_name, target);
} else {
printf("Regular file or directory: %s\n", entry->d_name);
}
}
closedir(dir);
return 0;
}
这个程序接受一个目录作为命令行参数,然后使用 readdir 函数读取目录中的条目。对于每个条目,它使用 lstat 函数获取文件的状态信息。如果条目是一个符号链接(通过检查 st_mode 字段),则使用 readlink 函数获取符号链接指向的目标,并将其打印出来。否则,它将打印出常规文件或目录的名称。