温馨提示×

CentOS readdir如何实现文件筛选功能

小樊
47
2025-10-09 04:31:38
栏目: 智能运维

在 CentOS 系统中,readdir 函数是用于读取目录内容的。要实现文件筛选功能,你可以在调用 readdir 之后对返回的文件名进行筛选。这里有一个简单的示例,使用 C 语言编写,展示如何使用 readdir 函数读取目录内容并根据文件扩展名进行筛选:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <dirent.h>
#include <sys/stat.h>

int main(int argc, char *argv[]) {
    DIR *dir;
    struct dirent *entry;
    struct stat file_stat;

    if (argc != 2) {
        printf("Usage: %s <directory_path>\n", argv[0]);
        return 1;
    }

    dir = opendir(argv[1]);
    if (dir == NULL) {
        perror("opendir");
        return 1;
    }

    while ((entry = readdir(dir)) != NULL) {
        // 跳过当前目录和上级目录
        if (strcmp(entry->d_name, ".") == 0 || strcmp(entry->d_name, "..") == 0) {
            continue;
        }

        // 拼接完整的文件路径
        char file_path[1024];
        snprintf(file_path, sizeof(file_path), "%s/%s", argv[1], entry->d_name);

        // 获取文件的详细信息
        if (stat(file_path, &file_stat) == -1) {
            perror("stat");
            continue;
        }

        // 检查文件扩展名并进行筛选
        if (strstr(entry->d_name, ".txt")) { // 这里以 .txt 文件为例
            printf("Found file: %s\n", file_path);
        }
    }

    closedir(dir);
    return 0;
}

编译并运行这个程序,传入一个目录路径作为参数,它将输出该目录下所有 .txt 文件的路径。你可以根据需要修改筛选条件,例如使用其他文件扩展名或更复杂的筛选规则。

编译命令:

gcc -o filter_files filter_files.c

运行命令:

./filter_files /path/to/directory

0