1

在进行递归时,我需要从某个目录中排除所有文件和文件夹。到目前为止我有这个代码:

$it = new RecursiveIteratorIterator(new RecursiveDirectoryIterator($websiteRoot.$file["filepathfromroot"]));
     foreach ($it as $currentfile)
     {
      if (!$it->isDot()&&$it->isFile()&&!in_array($it->getSubPath(), $file["exclude-directories"])) {

        //do something
         }
     }

但是,此子路径仅匹配子路径,而不匹配子路径的文件和子目录。即对于Foo/bar/hello.php的目录结构。如果将 Foo 添加到排除列表 hello.php 仍然会出现在结果中。

有人对此有解决方案吗?

4

1 回答 1

0

代替 :

in_array($it->getSubPath(), $file["exclude-directories"])

通过类似的东西:

!in_array_beginning_with($it->getSubPath(), $file["exclude-directories"])

你实现了这个功能:

function in_array_beginning_with($path, $array) {
  foreach ($array as $begin) {
    if (strncmp($path, $begin, strlen($begin)) == 0) {
      return true;
    }
  }
  return false;
}

但这不是一个很好的方法,因为即使它们很大很深,您也会递归地进入无用的目录。在您的情况下,我建议您使用老式递归函数来读取您的目录:

<?php

function directory_reader($dir, array $ignore = array (), array $deeps = array ())
{
    array_push($deeps, $dir);
    $fulldir = implode("/", $deeps) . "/";
    if (is_dir($fulldir))
    {
        if (($dh = opendir($fulldir)) !== false)
        {
            while (($file = readdir($dh)) !== false)
            {
                $fullpath = $fulldir . $file;
                if (in_array($fullpath, $ignore)) {
                    continue ;
                }

                // do something with fullpath
                echo $fullpath . "<br/>";

                if (is_dir($fullpath) && (strcmp($file, '.') != 0) && (strcmp($file, '..') != 0))
                {
                    directory_reader($file, $ignore, $deeps);
                }
            }
            closedir($dh);
        }
    }
    array_pop($deeps);
}

如果你尝试directory_reader(".", array("aDirectoryToIngore")),它根本不会被读取。

于 2012-09-17T07:10:17.390 回答