0

我正在尝试制作目录的快照,就像苹果文档中描述的那样。

我想使用scandir()功能。这是来自文档:

scandir(const char *dirname, struct dirent ***namelist, int (*select)(const struct dirent *),
     int (*compar)(const struct dirent **, const struct dirent **));

我不明白如何正确使用它。这是我实现快照功能的方式:

-(void)createFolderSnapshotWithPath:(NSString *)pathString
{

NSLog(@"snap");
const char *pathsToWatch=[pathString UTF8String];

struct dirent snapshot;


scandir(pathsToWatch, &snapshot, NULL, NULL); // I have a warning here because 
                                              // &snapshot used wrong here


NSLog(@"snap result: %llu | %s | %i",snapshot.d_ino, snapshot.d_name, snapshot.d_type);
// snapshot.d_type returns 0 which means unknown type (DT_UNKNOWN) 

}

这是一个dirent struct

struct dirent {
    ino_t d_ino;            /* file number of entry */
    __uint16_t d_reclen;        /* length of this record */
    __uint8_t  d_type;      /* file type, see below */
    __uint8_t  d_namlen;        /* length of string in d_name */
    char d_name[__DARWIN_MAXNAMLEN + 1];    /* name must be no longer than this */
};

我不明白正确创建dirent struct以及如何在scandir()功能中正确使用它。

我从该函数中想要的只是一个数组,稍后我将它与另一个快照进行比较时可以使用它。

4

1 回答 1

1

scandir()分配条目数组。

所以你应该像这样声明第二个参数:

struct dirent ** snapshot = NULL;

成功调用后,scandir()您可以像这样访问其成员:

printf("%s", snapshot[0]->d_name);

例如。

如果不再使用数组及其条目,则首先释放循环遍历所有条目并调用

free(snapshot[i]);

对于每个条目,最后做:

free(snapshot);

所有这一切可能看起来像这样:

#include <dirent.h>

int main(void)
{
  struct dirent ** namelist = NULL;
  int n = scandir(".", &namelist, NULL, alphasort);
  if (n < 0)
  {
    perror("scandir");
  }
  else
  {
    while (n--) 
    {
      printf("%s\n", namelist[n]->d_name);
      free(namelist[n]);
    }

    free(namelist);
  }
}
于 2013-08-10T20:19:20.083 回答