php recursive folder readdir vs find performance

时间:2011-11-30 01:35:45

标签: php find system readdir

我发现了一些关于性能和readdir的文章 这是php脚本:

function getDirectory( $path = '.', $level = 0 ) { 
    $ignore = array( 'cgi-bin', '.', '..' );
    $dh = @opendir( $path );
    while( false !== ( $file = readdir( $dh ) ) ){
        if( !in_array( $file, $ignore ) ){
            $spaces = str_repeat( ' ', ( $level * 4 ) );
            if( is_dir( "$path/$file" ) ){
                echo "$spaces $file\n";
                getDirectory( "$path/$file", ($level+1) );
            } else {
                echo "$spaces $file\n";
            }
        }
    }
    closedir( $dh );
}
getDirectory( "." );  

这样可以正确回显文件/文件夹。

现在我发现了这个:

$t = system('find');
print_r($t);

还可以找到所有文件夹和文件,然后我可以像第一个代码一样创建一个数组。

我认为system('find');readdir快,但我想知道这是不是一个好习惯? 非常感谢你

2 个答案:

答案 0 :(得分:36)

这是我的基准测试,使用一个简单的for循环,在我的服务器上进行10次迭代:

$path = '/home/clad/benchmark/';
// this folder has 10 main directories and each folder as 220 files in each from 1kn to 1mb

// glob no_sort = 0.004 seconds but NO recursion
$files = glob($path . '/*', GLOB_NOSORT);

// 1.8 seconds - not recommended
exec('find ' . $path, $t);
unset($t);

// 0.003 seconds
if ($handle = opendir('.')) {
 while (false !== ($file = readdir($handle))) {
  if ($file != "." && $file != "..") {
   // action
  }
 }
 closedir($handle);
}

// 1.1 seconds to execute
$path = realpath($path);
$objects = new RecursiveIteratorIterator(
 new RecursiveDirectoryIterator($path), RecursiveIteratorIterator::SELF_FIRST);
  foreach($objects as $name => $object) {
   // action
  }
}

显然,如果您的网站上有大量流量,readdir的使用速度会更快。

答案 1 :(得分:2)

'find'不可移植,它是一个unix / linux命令。 readdir()是可移植的,可以在Windows或任何其他操作系统上运行。而且,没有任何参数的'find'是递归的,所以如果你在一个有很多子目录和文件的目录中,你将会看到所有这些,而不仅仅是那个$ path的内容。