在Linux中,readdir
函数用于读取目录的内容。当你使用readdir
处理符号链接时,它会返回符号链接指向的目录或文件名,而不是符号链接本身的名称。如果你想要获取符号链接本身的信息,你需要使用其他函数,如lstat
。
以下是一个简单的示例,展示了如何使用readdir
和lstat
处理符号链接:
#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]);
return EXIT_FAILURE;
}
dir = opendir(argv[1]);
if (dir == NULL) {
perror("opendir");
return EXIT_FAILURE;
}
while ((entry = readdir(dir)) != NULL) {
// 获取符号链接指向的文件或目录的信息
if (lstat(entry->d_name, &statbuf) == -1) {
perror("lstat");
continue;
}
// 检查是否为符号链接
if (S_ISLNK(statbuf.st_mode)) {
printf("Symbolic link: %s\n", entry->d_name);
} else {
printf("Regular file or directory: %s\n", entry->d_name);
}
}
closedir(dir);
return EXIT_SUCCESS;
}
在这个示例中,我们首先使用opendir
打开一个目录,然后使用readdir
读取目录中的每个条目。对于每个条目,我们使用lstat
获取其信息,并检查它是否为符号链接。如果是符号链接,我们打印出相应的消息。
注意:在使用lstat
时,你需要传递完整的文件名(包括路径),而不是仅仅传递文件名。在这个示例中,我们假设符号链接位于指定的目录中。如果你需要处理当前目录中的符号链接,你可以将entry->d_name
与当前目录的路径连接起来。