在PHP中从所有子目录中删除具有文件名的特定文件

时间:2013-02-12 09:26:17

标签: php file

假设有一个目录,其中有许多子目录。现在,我如何扫描所有子目录以查找具有名称的文件,例如 abc.php ,并删除此文件的任何位置。

我尝试过这样的事情 -

$oAllSubDirectories = scandir(getcwd());
foreach ($oAllSubDirectories as $oSubDirectory)
{
  //Delete code here
}

但是这段代码不会检查子目录中的目录。知道我该怎么办?

1 个答案:

答案 0 :(得分:3)

通常,您将代码放在函数中并使其递归:当遇到目录时,它会调用自身以处理其内容。像这样:

function processDirectoryTree($path) {
    foreach (scandir($path) as $file) {
        $thisPath = $path.DIRECTORY_SEPARATOR.$file;
        if (is_dir($thisPath) && trim($thisPath, '.') !== '') {
            // it's a directory, call ourself recursively
            processDirectoryTree($thisPath);
        }
        else {
            // it's a file, do whatever you want with it
        }
    }
}

在这种特殊情况下,您不需要这样做,因为PHP提供现成的RecursiveDirectoryIterator自动执行此操作:

$it = new RecursiveIteratorIterator(new RecursiveDirectoryIterator(getcdw()));
while($it->valid()) {
    if ($it->getFilename() == 'abc.php') {
        unlink($it->getPathname());
    }
    $it->next();
}