65

如何在 C 中扫描目录中的文件夹和文件?它需要是跨平台的。

4

9 回答 9

84

以下 POSIX 程序将打印当前目录中文件的名称:

#define _XOPEN_SOURCE 700
#include <stdio.h>
#include <sys/types.h>
#include <dirent.h>

int main (void)
{
  DIR *dp;
  struct dirent *ep;     
  dp = opendir ("./");

  if (dp != NULL)
  {
    while (ep = readdir (dp))
      puts (ep->d_name);

    (void) closedir (dp);
  }
  else
    perror ("Couldn't open the directory");

  return 0;
}

信用:http ://www.gnu.org/software/libtool/manual/libc/Simple-Directory-Lister.html

在 Ubuntu 16.04 中测试。

于 2008-08-15T17:27:32.307 回答
22

严格的答案是“你不能”,因为文件夹的概念并不是真正的跨平台。

在 MS 平台上,您可以使用 _findfirst、_findnext 和 _findclose 获得“c”类的感觉,并使用 FindFirstFile 和 FindNextFile 获得底层 Win32 调用。

这是 C-FAQ 的答案:

http://c-faq.com/osdep/readdir.html

于 2008-08-15T17:27:42.383 回答
19

我创建了一个开源 (BSD) C 头文件来处理这个问题。它目前支持 POSIX 和 Windows。请检查一下:

https://github.com/cxong/tinydir

tinydir_dir dir;
tinydir_open(&dir, "/path/to/dir");

while (dir.has_next)
{
    tinydir_file file;
    tinydir_readfile(&dir, &file);

    printf("%s", file.name);
    if (file.is_dir)
    {
        printf("/");
    }
    printf("\n");

    tinydir_next(&dir);
}

tinydir_close(&dir);
于 2013-02-04T00:52:29.670 回答
11

没有标准的 C(或 C++)方法来枚举目录中的文件。

在 Windows 下,您可以使用 FindFirstFile/FindNextFile 函数枚举目录中的所有条目。在 Linux/OSX 下使用 opendir/readdir/closedir 函数。

于 2008-08-15T17:29:29.557 回答
8

GLib是 C 的可移植性/实用程序库,它构成了 GTK+ 图形工具包的基础。它可以用作一个独立的库。

它包含用于管理目录的可移植包装器。有关详细信息,请参阅Glib 文件实用程序文档。

就个人而言,如果没有像 GLib 这样的东西,我什至不会考虑编写大量的 C 代码。可移植性是一回事,但免费获得数据结构、线程助手、事件、主循环等也很好

Jikes,我几乎开始听起来像个销售员了 :) (别担心,glib 是开源的(LGPL),我与它没有任何关系)

于 2008-09-17T20:18:26.230 回答
6

opendir/readdir 是 POSIX。如果 POSIX 不足以实现您想要实现的可移植性,请检查Apache Portable Runtime

于 2008-08-15T17:26:02.387 回答
2

相似的方法readdir可能是使用鲜为人知_find的函数族

于 2011-07-24T07:42:21.093 回答
2

目录列表根据所考虑的操作系统/平台而有很大差异。这是因为,各种操作系统使用自己的内部系统调用来实现这一点。

这个问题的解决方案是寻找一个可以掩盖这个问题并且可移植的库。不幸的是,没有可以在所有平台上完美运行的解决方案。

在与 POSIX 兼容的系统上,您可以使用 Clayton 发布的代码(最初引用自 W. Richard Stevens 的《UNIX 下的高级编程》一书)使用该库来实现此目的。此解决方案将在 *NIX 系统下运行,如果您安装了 Cygwin,也可以在 Windows 上运行。

或者,您可以编写代码来检测底层操作系统,然后调用适当的目录列表函数,该函数将保持在该操作系统下列出目录结构的“正确”方式。

于 2008-08-15T20:20:24.267 回答
0

您可以在wikibooks 链接上找到示例代码

/**************************************************************
 * A simpler and shorter implementation of ls(1)
 * ls(1) is very similar to the DIR command on DOS and Windows.
 **************************************************************/
#include <stdio.h>
#include <dirent.h>

int listdir(const char *path) 
{
  struct dirent *entry;
  DIR *dp;

  dp = opendir(path);
  if (dp == NULL) 
  {
    perror("opendir");
    return -1;
  }

  while((entry = readdir(dp)))
    puts(entry->d_name);

  closedir(dp);
  return 0;
}

int main(int argc, char **argv) {
  int counter = 1;

  if (argc == 1)
    listdir(".");

  while (++counter <= argc) {
    printf("\nListing %s...\n", argv[counter-1]);
    listdir(argv[counter-1]);
  }

  return 0;
}
于 2017-11-28T19:21:44.157 回答