php 递归文件夹读像与查找性能

2022-08-30 15:42:32

我遇到了几篇关于性能和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


答案 1

以下是我使用一个简单的 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
  }
}

显然,如果您的网站上有大量流量,则读像器使用起来更快。


答案 2

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


推荐