使用此代码,我可以递归地打印给定路径中的所有文件和子目录。
我想要忽略(不打印)所有子目录名称,而仅打印文件名。
这是代码:
#include <stdio.h>
#include <dirent.h>
#include <string.h>
void listFilesRecursively(char *basePath)
{
char path[1000];
struct dirent *dp;
DIR *dir = opendir(basePath);
if (!dir)
return;
while ((dp = readdir(dir)) != NULL)
{
if (strcmp(dp->d_name, ".") != 0 && strcmp(dp->d_name, "..") != 0)
{
strcpy(path, basePath);
strcat(path, "/");
strcat(path, dp->d_name);
listFilesRecursively(path);
printf("%s\n", path);
}
}
closedir(dir);
}
int main()
{
char path[100];
printf("Enter path to list files: ");
scanf("%s", path);
listFilesRecursively(path);
return 0;
}
答案 0 :(得分:0)
有些宏可以告诉您文件的类型:
S_ISREG()
:常规文件S_ISDIR()
:目录文件S_ISCHR()
:特殊字符文件S_ISBLK()
:阻止特殊文件S_ISFIFO()
:管道或FIFO
-S_ISLNK()
:符号S_ISSOCK()
:链接套接字首先,您可以使用以下功能之一来获取信息:
#include <sys/stat.h>
int stat(const char *restrict pathname, struct stat *restrict buf );
int fstat(int fd, struct stat *buf);
int lstat(const char *restrict pathname, struct stat *restrict buf );
int fstatat(int fd, const char *restrict pathname, struct stat *restrict buf, int flag);
摘自《 Unix环境中的高级编程》一书:
给出路径名,stat函数返回信息结构 关于命名文件。 fstat函数获取有关 在描述符fd上已经打开的文件。 lstat函数是 与stat类似,但是当命名文件是符号链接时,lstat 返回有关符号链接的信息,而不是引用的文件 通过符号链接。
您可以尝试以下操作:
struct stat statbuf;
struct dirent *dirp;
DIR *dp;
int ret, n;
/* fullpath contains full pathname for every file */
if (lstat(fullpath, &statbuf) < 0)
{
printf("error\n");
//return if you want
}
if (S_ISDIR(statbuf.st_mode) == 0)
{
/* not a directory */
}
else
{
//a directory
}
从历史上看,UNIX系统的早期版本不提供S_ISxxx
宏。相反,我们必须用掩码AND
在逻辑上st_mode
S_IFMT
,然后将结果与名称为S_IFxxx
的常量进行比较。大多数系统在文件中定义此掩码和相关的常量。
例如:
struct stat *statptr;
if (lstat(fullpath, statptr) < 0)
{
printf("error\n");
//return if you want
}
switch (statptr->st_mode & S_IFMT) {
case S_IFREG: ...
case S_IFBLK: ...
case S_IFCHR: ...
case S_IFIFO: ...
case S_IFLNK: ...
case S_IFSOCK: ...
case S_IFDIR: ...
}