我写了一个打印目录名或文件名的程序。这很容易,但我遇到了麻烦。 它无法区分目录和文件类型。我知道,我用stat.st_mode来完成它。但是出了点问题:
当我使用gdb检查st_mode值时,我发现它是0,除了"。"和" ..",所以这里有一个问题:为什么st_mode是0?
那是我的代码:
#include <stdio.h>
#include <stdlib.h>
#include <dirent.h>
#include <sys/stat.h>
int main(void)
{
DIR *pDir = opendir("MyDirectory");
struct dirent *pDirent;
struct stat vStat;
if (pDir == NULL)
{
printf("Can't open the directory \"MyDirectory\"");
exit(1);
}
while ((pDirent = readdir(pDir)) != NULL)
{
stat(pDirent->d_name, &vStat);
if (S_ISDIR(vStat.st_mode))
printf("Directory: %s\n", pDirent->d_name);
else
printf("File: %s\n", pDirent->d_name);
}
closedir(pDir);
return 0;
}
答案 0 :(得分:6)
经典readdir
错误:pDirent->d_name
是目录条目的名称,而不是文件的路径。它是"1"
,"4-5.c"
等。因此,您的stat
调用正在查找当前目录中名称的文件,而不是MyDirectory
下的文件
检查stat
的返回值。您会看到它是ENOENT
- 除.
和..
外,它们也存在于当前目录中。 stat
失败时,stat结构的内容未定义。
如果您在opendir
以外的目录中调用.
,那么要对返回的名称执行任何有用的操作,您需要构建完整路径。将传递给opendir
的路径复制到具有足够空间的缓冲区和文件名的缓冲区中,并将每个文件名复制到该缓冲区。概念验证代码(省略错误检查等):
char *directory = "MyDirectory";
size_t directory_length = strlen(directory);
char *path = malloc(directory_length + 1 + NAME_MAX);
strcpy(path, directory);
path[directory_length] = '/';
while ((pDirent = readdir(pDir)) != NULL) {
strcpy(path + directory_length + 1, pDirent->d_name);
if (stat(path, &vStat) == -1) {
perror(path);
continue;
}
…
}