在Ubuntu中,你可以使用readdir函数来实现文件搜索功能。readdir函数是C语言库函数,用于读取目录中的条目。以下是一个简单的示例,展示了如何使用readdir函数来搜索目录中的文件:
#include <stdio.h>
#include <stdlib.h>
#include <dirent.h>
#include <string.h>
int main(int argc, char *argv[]) {
DIR *dir;
struct dirent *entry;
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) {
printf("%s\n", entry->d_name);
}
closedir(dir);
return EXIT_SUCCESS;
}
要编译这个程序,请将其保存为list_files.c,然后在终端中运行以下命令:
gcc list_files.c -o list_files
现在你可以使用这个程序来搜索目录中的文件。例如,要列出当前目录中的所有文件,请运行:
./list_files .
要列出其他目录中的所有文件,请将.替换为目录路径。
如果你想要实现更复杂的文件搜索功能,例如根据文件名模式进行搜索,你可以使用fnmatch函数来匹配文件名。以下是一个简单的示例,展示了如何使用fnmatch函数来搜索目录中符合特定模式的文件:
#include <stdio.h>
#include <stdlib.h>
#include <dirent.h>
#include <string.h>
#include <fnmatch.h>
int main(int argc, char *argv[]) {
DIR *dir;
struct dirent *entry;
const char *pattern = "*.txt"; // 搜索所有.txt文件
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 (fnmatch(pattern, entry->d_name, 0) == 0) {
printf("%s\n", entry->d_name);
}
}
closedir(dir);
return EXIT_SUCCESS;
}
这个程序将列出指定目录中所有符合*.txt模式的文件。你可以根据需要修改pattern变量来搜索其他文件类型。