0

我第一次使用目录并且遇到了一些困难。我编写了以下函数来探索目录,显示文件大小和权限,然后递归任何子目录。

void exploreDIR (DIR* dir, char cwd[], int tab)
{

    struct dirent* ent;

    while ((ent = readdir(dir)) != NULL)
    {

        if(strcmp(ent->d_name, ".") == 0 || strcmp(ent->d_name, "..") == 0)
             continue;

        int i;
        i = 0;
        while(i < tab)
        {
            printf("    ");
            i = i + 1;
        }

        printf("%s ", ent->d_name);
        FILE *file = fopen(ent->d_name, "r");

        int filesize;

        if(file==NULL)
        {
            printf("[ Could not open! ]\n");
            continue; 
        }              

        struct stat st;
        stat(ent->d_name, &st);
        filesize = st.st_size;                                       

        if (st.st_mode & S_IFDIR)
        {
            printf ("(subdirectory) [");
        }
        else
        {
            printf("(%d bytes) [", filesize);
        }

        printf( (S_ISDIR(st.st_mode)) ? "d" : "-");
        printf( (st.st_mode & S_IRUSR) ? "r" : "-");
        printf( (st.st_mode & S_IWUSR) ? "w" : "-");
        printf( (st.st_mode & S_IXUSR) ? "x" : "-");
        printf( (st.st_mode & S_IRGRP) ? "r" : "-");
        printf( (st.st_mode & S_IWGRP) ? "w" : "-");
        printf( (st.st_mode & S_IXGRP) ? "x" : "-");
        printf( (st.st_mode & S_IROTH) ? "r" : "-");
        printf( (st.st_mode & S_IWOTH) ? "w" : "-");
        printf( (st.st_mode & S_IXOTH) ? "x" : "-");
        printf("]\n");

        fclose(file);

        if (st.st_mode & S_IFDIR)
        {
             char tempwd[1024];
             strcpy(tempwd, cwd);
             strcat(tempwd, "/");
             strcat(tempwd, ent->d_name);
             DIR* tempdir;
             if ((tempdir = opendir (tempwd)) != NULL)
             {
                 printf("%s", tempwd);
                 exploreDIR(tempdir, tempwd, tab + 1);               
             }

         }
    }
    closedir(dir); 
}

但是,当函数在子目录上递归时,fopen 函数总是返回 null。我这辈子都想不通。作为参考,这是主要的:

int main(int argc, char** argv) 
{
    printf("\n");

    DIR* dir;   
    char cwd[1024];
    if (getcwd(cwd, sizeof(cwd)) != NULL)
    {
        if ((dir = opendir (cwd)) != NULL)
        {
            exploreDIR(dir, cwd, 0);               
        }
    }    

    printf("\n");
    return (EXIT_SUCCESS);
}

我也有点担心我的方法论。strcat() 真的是探索子目录的最佳方式吗?

谢谢

4

2 回答 2

2

你似乎没有cwd使用你的变量。你应该把它放在每个文件名的开头。

我也喜欢使用 snprintf 而不是 strcat 来构建名称。它会将自身限制为您传递的缓冲区大小,因此不存在溢出风险。

于 2013-09-13T01:05:16.550 回答
2

当您打开一个子目录时./snails,您从目录中读取文件名,readdir()例如chewy-snails,但是对于stat()文件,您需要在名称前加上子目录名称:./snails/chewy-snails.

另一种方法,不要轻易采取,是考虑使用chdir()或(更好)fchdir()将目录更改为相关的子目录。然后,您可以不弄乱字符串stat()的名称。readdir()然而,回到你开始的地方是一个问题——特别是如果你按照符号链接到达那里。这是fchdir()得分的地方。

如果您在具有必要支持的系统上,这些*at()功能可能会有所帮助(fstatat()等)。

但最简单的解决方案是在尝试使用stat()或 之前不更改目录并在文件名前面加上子目录名称lstat()——这是指向相同内容的 3 个链接。

于 2013-09-13T01:14:13.587 回答