如何在 C++ 中删除包含所有文件/子目录(递归删除)的文件夹?
user95644
问问题
29619 次
5 回答
23
严重地:
system("rm -rf /path/to/directory")
也许更多您正在寻找的东西,但特定于 unix:
/* Implement system( "rm -rf" ) */
#include <stdio.h>
#include <stdlib.h>
#include <limits.h>
#include <sys/stat.h>
#include <ftw.h>
#include <unistd.h>
/* Call unlink or rmdir on the path, as appropriate. */
int
rm(const char *path, const struct stat *s, int flag, struct FTW *f)
{
int status;
int (*rm_func)(const char *);
(void)s;
(void)f;
rm_func = flag == FTW_DP ? rmdir : unlink;
if( status = rm_func(path), status != 0 ){
perror(path);
} else if( getenv("VERBOSE") ){
puts(path);
}
return status;
}
int
main(int argc, char **argv)
{
(void)argc;
while( *++argv ) {
if( nftw(*argv, rm, OPEN_MAX, FTW_DEPTH) ){
perror(*argv);
return EXIT_FAILURE;
}
}
return EXIT_SUCCESS;
}
于 2009-07-19T12:52:20.653 回答
16
您可以boost::remove_all
从Boost.Filesystem使用。
于 2009-07-19T12:11:52.453 回答
4
您可以使用ftw()
, nftw()
, readdir()
,readdir_r()
遍历目录并递归删除文件。
但是由于ftw()
, nftw()
,都不是线程安全的,所以如果您的程序在多线程环境中运行 readdir()
,我建议您改为使用。readdir_r()
于 2013-10-10T01:47:40.367 回答
3
由于 C++17,对此的首选答案是使用
std::filesystem::remove_all(const std::filesystem::path& folder)
根据this递归删除文件夹的内容,然后最终删除文件夹。
于 2019-12-09T03:12:22.303 回答
1
标准 C++ 没有提供这样做的方法 - 您必须使用操作系统特定的代码或跨平台库,例如 Boost。
于 2009-07-19T12:11:00.007 回答