C言語 Windows下のフォルダーを削除する

https://gitcode.net/mirrors/tronkko/dirent.git
削除関数を使用してフォルダーを削除できますが、最初にフォルダー内のすべてのファイルとサブフォルダーを再帰的に削除する必要があります。サンプルコードは次のとおりです。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <dirent.h>
int remove_dir(const char *path) {
    DIR *dir;
    struct dirent *entry;
    char child_path[256];
    if (!(dir = opendir(path))) {
        return -1;
    }
    while ((entry = readdir(dir)) != NULL) {
        if (strcmp(entry->d_name, ".") == 0 || strcmp(entry->d_name, "..") == 0) {
            continue;
        }
        sprintf(child_path, "%s/%s", path, entry->d_name);
        if (entry->d_type == DT_DIR) {
            remove_dir(child_path);
        } else {
            remove(child_path);
        }
    }
    closedir(dir);
    rmdir(path);
    return 0;
}
int main() {
    char path[256];
    printf("请输入要删除的文件夹路径:");
    scanf("%s", path);
    if (remove_dir(path) == 0) {
        printf("删除成功!\n");
    } else {
        printf("删除失败!\n");
    }
    return 0;
}
このプログラムは、指定されたパスの下にあるすべてのファイルとサブフォルダーを再帰的に削除し、最後に指定されたパスのフォルダーを削除できます。

рекомендация

отblog.csdn.net/qq_42815643/article/details/129563630