我想從我的命令行解釋器中移除所有文件和子目錄。當調用rmdir -s newFolder時,我調用一個函數removeAll,它遍歷所有文件和子文件夾並刪除所有文件。遞歸移除目錄和文件的問題
例如,如果我想刪除文件newFolder,我刪除所有文件並進入newFolder1。我刪除newFolder1中的所有文件並進入newFolder2並刪除所有文件。所以現在我在newFolder 2中,newFolder,newFolder1和newFolder2都是空的。
我的問題是我如何遞歸備份並刪除這3個空文件夾。我已經調試過幾個小時,並且我只是沒有得到它。謝謝
這是成功刪除一個空文件夾的功能,否則會調用removeAll。
void MyShell::rmdir() {
//Error Check
if(argc != 3) {
printf("USAGE: rmdir [-s] <directory>\n");
return;
}
else if(stricmp(cwd, argv[2]) == 0){
printf("Cannot remove the current working directory");
return;
}
if(_rmdir(argv[2]) == 0)
return;
removeAll(argv[2]);
}
removeall過成功刪除所有子文件夾
void removeAll(char *path)
{
_chdir(path);
_finddata_t data;
intptr_t handle = _findfirst("*", &data);
if(handle == -1)
{
return;
}
do
{
if (strcmp(data.name, ".") == 0 || strcmp(data.name, "..") == 0)
{
continue;
}
remove(data.name);
if(data.attrib & _A_SUBDIR)
{
removeAll(data.name);
}
} while(_findnext(handle, &data) != -1);
_findclose(handle);
}
我的想法遞歸備份並刪除所有子文件夾中的所有文件的功能是調用一個方法,它從FindNext中打破後循環
void removeDirectory(char *path)
{
_finddata_t data;
intptr_t handle = _findfirst("*", &data);
if(handle == -1)
{
return;
}
do
{
if (strcmp(data.name, ".") == 0 || strcmp(data.name, "..") == 0)
{
continue;
}
if(data.attrib & _A_SUBDIR)
{
if(_rmdir(data.name) == 0)
{
_chdir("..");
removeDirectory(path);
}
}
} while(_findnext(handle, &data) != -1);
_findclose(handle);
}
我記得我在dos上的第一個遞歸目錄刪除,在第一個條目中找到'..'並爬上去刪除所有東西。幸運的是它有另一個bug,所以我的HD在第一次測試中倖存下來。 –