11

我想使用 nftw 遍历 C 中的目录结构。

但是,鉴于我想做的事情,我看不到使用全局变量的方法。

使用 (n)ftw 的教科书示例都涉及打印文件名之类的操作。相反,我想获取路径名和文件校验和并将它们放在数据结构中。但是,考虑到可以传递给 nftw 的内容的限制,我看不到这样做的好方法。

我正在使用的解决方案涉及一个全局变量。然后 nftw 调用的函数可以访问该变量并添加所需的数据。

有没有任何合理的方法可以在不使用全局变量的情况下做到这一点?

这是上一篇关于 stackoverflow 的交流,其中有人建议我将其发布为后续内容。

4

3 回答 3

5

使用 ftw 可能非常非常糟糕。在内部,它将保存您使用的函数指针,如果另一个线程执行其他操作,它将覆盖函数指针。

恐怖场景:

thread 1:  count billions of files
thread 2:  delete some files
thread 1:  ---oops, it is now deleting billions of 
              files instead of counting them.

简而言之。你最好使用 fts_open。

如果您仍想使用 nftw,那么我的建议是将“全局”类型放在命名空间中并将其标记为“thread_local”。您应该能够根据自己的需要进行调整。

/* in some cpp file */
namespace {
   thread_local size_t gTotalBytes{0};  // thread local makes this thread safe
int GetSize(const char* path, const struct stat* statPtr, int currentFlag, struct FTW* internalFtwUsage) {
    gTotalBytes+=  statPtr->st_size;
    return 0;  //ntfw continues
 }
} // namespace


size_t RecursiveFolderDiskUsed(const std::string& startPath) {
   const int flags = FTW_DEPTH | FTW_MOUNT | FTW_PHYS;
   const int maxFileDescriptorsToUse = 1024; // or whatever
   const int result = nftw(startPath.c_str(), GetSize, maxFileDescriptorsToUse , flags);

  // log or something if result== -1
  return gTotalBytes;
}
于 2014-04-21T15:28:59.203 回答
3

nftw,不提供任何可以传递给函数的用户参数,因此您必须在 C 中使用全局(或静态)变量。

GCC 提供了一个扩展“嵌套函数”,它应该捕获其封闭范围的变量,因此可以像这样使用它们:

void f()
{
  int i = 0;
  int fn(const char *,
    const struct stat *, int, struct FTW *) {
    i++;
    return 0;
  };
  nftw("path", fn, 10, 0);
}
于 2012-04-23T13:26:02.713 回答
2

数据最好在一个单独的模块中给出静态链接(即文件范围),该模块仅包括访问数据所需的函数,包括传递给nftw(). 这样,数据在全局范围内不可见,并且所有访问都受到控制。可能调用 ntfw() 的函数也是该模块的一部分,从而使传递给 nftw() 的函数也是静态的,因此在外部不可见。

换句话说,您应该做您可能已经在做的事情,但要明智地使用单独的编译和静态链接,以使数据仅通过访问函数可见。具有静态链接的数据可由同一翻译单元中的任何函数访问,并且您可以通过仅在该翻译单元中包含作为该数据的创建者、维护者或访问者的函数来避免与全局变量相关的问题。

一般模式是:

数据模块.h

#if defined DATAMODULE_INCLUDE
<type> create_data( <args>) ;
<type> get_data( <args> ) ;
#endif

数据模块.c

#include "datamodule.h"

static <type> my_data ;

static int nftwfunc(const char *filename, const struct stat *statptr, int fileflags, struct FTW *pfwt)
{
    // update/add to my_data
    ...
}


<type> create_data( const char* path, <other args>)
{
    ...

    ret = nftw( path, nftwfunc, fd_limit, flags);

    ... 
}

<type> get_data( <args> )
{
    // Get requested data from my_data and return it to caller
}
于 2012-04-23T13:40:52.057 回答