代替 :
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"))
,它根本不会被读取。