linux c语言遍历目录并文件名
时间: 2023-07-26 14:34:54 浏览: 170
您可以使用以下代码来遍历目录并输出文件名:
```c
#include <stdio.h>
#include <dirent.h>
void traverse_dir(char *dir_path) {
DIR *dir;
struct dirent *entry;
if ((dir = opendir(dir_path)) == NULL) {
perror("opendir");
return;
}
while ((entry = readdir(dir)) != NULL) {
if (entry->d_type == DT_DIR) {
// Ignore "." and ".." directories
if (!strcmp(entry->d_name, ".") || !strcmp(entry->d_name, "..")) {
continue;
}
char subdir_path[512];
snprintf(subdir_path, sizeof(subdir_path), "%s/%s", dir_path, entry->d_name);
traverse_dir(subdir_path);
} else {
printf("%s/%s\n", dir_path, entry->d_name);
}
}
closedir(dir);
}
int main() {
traverse_dir(".");
return 0;
}
```
这个程序首先打开目录,然后使用 `readdir` 函数逐个读取目录中的条目。如果条目是一个目录,则递归调用 `traverse_dir` 函数来遍历该目录。如果条目是一个文件,则输出该文件的路径。注意,该程序假设当前目录是要遍历的目录,您可以修改 `traverse_dir` 函数的参数来指定要遍历的目录。
阅读全文