关于C#:检查文件是目录还是文件

Checking if a file is a directory or just a file

本问题已经有最佳答案,请猛点这里访问。

我正在编写一个程序来检查某个文件或目录。有没有比这更好的方法?

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
#include <stdio.h>

#include <sys/types.h>
#include <dirent.h>
#include <errno.h>

int isFile(const char* name)
{
    DIR* directory = opendir(name);

    if(directory != NULL)
    {
     closedir(directory);
     return 0;
    }

    if(errno == ENOTDIR)
    {
     return 1;
    }

    return -1;
}

int main(void)
{
    const char* file ="./testFile";
    const char* directory ="./";

    printf("Is %s a file? %s.
"
, file,
     ((isFile(file) == 1) ?"Yes" :"No"));

    printf("Is %s a directory? %s.
"
, directory,
     ((isFile(directory) == 0) ?"Yes" :"No"));

    return 0;
}

您可以调用stat()函数,并在stat结构的st_mode字段上使用S_ISREG()宏,以确定路径是否指向常规文件:

1
2
3
4
5
6
7
8
9
10
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>

int is_regular_file(const char *path)
{
    struct stat path_stat;
    stat(path, &path_stat);
    return S_ISREG(path_stat.st_mode);
}

请注意,除了常规和目录,还有其他文件类型,如设备、管道、符号链接、套接字等。您可能需要考虑这些类型。


使用S_ISDIR宏:

1
2
3
4
5
6
int isDirectory(const char *path) {
   struct stat statbuf;
   if (stat(path, &statbuf) != 0)
       return 0;
   return S_ISDIR(statbuf.st_mode);
}


是的,还有更好的。检查statfstat功能


通常,您希望使用结果自动执行此检查,因此stat()是无用的。相反,open()首先是只读文件,并使用fstat()。如果是目录,那么可以使用fdopendir()。阅读它。或者你可以尝试打开它开始写,如果它是一个目录,那么打开就会失败。一些系统(posix 2008,linux)也有一个O_DIRECTORY扩展到open,这使得如果名称不是目录,调用就会失败。

如果您想要一个目录,那么使用opendir()的方法也很好,但是不应该在以后关闭它;您应该继续使用它。