2

我正在寻找一个代码,它将递归地列出 C 编程中参数给出的目录的所有目录和文件,我找到了一个有趣的代码(如下),但我不理解 snprintf 函数,特别是“/”,我更喜欢使用strcat 或其他系统函数来覆盖 sprintf 函数,但我不明白如何,因为我不明白 snprintf 在这里做什么。继承人的代码:

int is_directory_we_want_to_list(const char *parent, char *name) {
    struct stat st_buf;
    if (!strcmp(".", name) || !strcmp("..", name))
        return 0;

    char *path = alloca(strlen(name) + strlen(parent) + 2);
    sprintf(path, "%s/%s", parent, name);
    stat(path, &st_buf);
    return S_ISDIR(st_buf.st_mode);
}

int list(const char *name) {
    DIR *dir = opendir(name);
    struct dirent *ent;

    while (ent = readdir(dir)) {
        char *entry_name = ent->d_name;
        printf("%s\n", entry_name);

        if (is_directory_we_want_to_list(name, entry_name)) {
            // You can consider using alloca instead.
            char *next = malloc(strlen(name) + strlen(entry_name) + 2);
            sprintf(next, "%s/%s", name, entry_name);
            list(next);
            free(next);
        }
    }

    closedir(dir);
}

如何在 LINUX 上递归列出 C 中的目录

好的,我的程序正在运行,但现在我想将打印的所有文件和目录保存到一个文件中,就像我运行我的程序 ./a.out 一样。> 缓冲区,其中缓冲区包含程序应在 shell 上打印的内容

4

1 回答 1

1

线

sprintf(next, "%s/%s", name, entry_name);

可以替换为

strcpy (next, name);
strcat (next, "/");
strcat (next, entry_name);

它会做同样的事情。这是否为您澄清?

于 2013-07-03T16:59:59.693 回答