区分unix目录和C和C++中的文件

Shr*_*ree 20 c c++ unix directory file

给定一个路径,比如/ home/shree/path/def,我想确定def是目录还是文件.有没有办法在C或C++代码中实现这一点?

pax*_*blo 35

以下代码使用stat()函数和S_ISDIR('是目录')和S_ISREG('是常规文件')宏来获取有关该文件的信息.其余的只是错误检查,足以制作完整的可编译程序.

#include <stdio.h>
#include <errno.h>
#include <sys/stat.h>

int main (int argc, char *argv[]) {
    int status;
    struct stat st_buf;

    // Ensure argument passed.

    if (argc != 2) {
        printf ("Usage: progName <fileSpec>\n");
        printf ("       where <fileSpec> is the file to check.\n");
        return 1;
    }

    // Get the status of the file system object.

    status = stat (argv[1], &st_buf);
    if (status != 0) {
        printf ("Error, errno = %d\n", errno);
        return 1;
    }

    // Tell us what it is then exit.

    if (S_ISREG (st_buf.st_mode)) {
        printf ("%s is a regular file.\n", argv[1]);
    }
    if (S_ISDIR (st_buf.st_mode)) {
        printf ("%s is a directory.\n", argv[1]);
    }

    return 0;
}
Run Code Online (Sandbox Code Playgroud)

示例运行如下所示:


pax> vi progName.c ; gcc -o progName progName.c ; ./progName
Usage: progName 
       where  is the file to check.

pax> ./progName /home
/home is a directory.

pax> ./progName .profile
.profile is a regular file.

pax> ./progName /no_such_file
Error, errno = 2
Run Code Online (Sandbox Code Playgroud)

  • 我更喜欢错误检查,因为这通常被排除在示例之外,并且人们不一定知道如何将其重新放入. (3认同)

cam*_*amh 9

使用stat(2)系统调用.您可以在st_mode字段上使用S_ISREG或S_ISDIR宏来查看给定路径是文件还是目录.手册页会告诉您所有其他字段.


Jem*_*Jem 5

使用boost :: filesystem库及其is_directory(const Path&p)怎么样?熟悉它可能需要一段时间,但不是很多.它可能值得投资,您的代码将不是特定于平台的.