Home > Article > Backend Development > 5 ways to implement recursive directories in PHP
This article mainly introduces 5 ways to implement recursive directories in PHP, which are mainly implemented by using some loops. Interested friends can refer to it.
During project development, it is inevitable to create folders on the server, such as the directory when uploading images, the directory when parsing templates, etc. This is not used in my current project, so I summarized several methods of creating directories in a loop.
Method 1: Use glob loop
<?php //方法一:使用glob循环 function myscandir1($path, &$arr) { foreach (glob($path) as $file) { if (is_dir($file)) { myscandir1($file . '/*', $arr); } else { $arr[] = realpath($file); } } } ?>
Method 2: Use dir && read loop
<?php //方法二:使用dir && read循环 function myscandir2($path, &$arr) { $dir_handle = dir($path); while (($file = $dir_handle->read()) !== false) { $p = realpath($path . '/' . $file); if ($file != "." && $file != "..") { $arr[] = $p; } if (is_dir($p) && $file != "." && $file != "..") { myscandir2($p, $arr); } } } ?>
Method 3: Use opendir && readdir loop
<?php //方法三:使用opendir && readdir循环 function myscandir3($path, &$arr) { $dir_handle = opendir($path); while (($file = readdir($dir_handle)) !== false) { $p = realpath($path . '/' . $file); if ($file != "." && $file != "..") { $arr[] = $p; } if (is_dir($p) && $file != "." && $file != "..") { myscandir3($p, $arr); } } } ?>
Method 4: Use scandir loop
<?php //方法四:使用scandir循环 function myscandir4($path, &$arr) { $dir_handle = scandir($path); foreach ($dir_handle as $file) { $p = realpath($path . '/' . $file); if ($file != "." && $file != "..") { $arr[] = $p; } if (is_dir($p) && $file != "." && $file != "..") { myscandir4($p, $arr); } } } ?>
Method 5: Use SPL loop
##
<?php //方法五:使用SPL循环 function myscandir5($path, &$arr) { $iterator = new DirectoryIterator($path); foreach ($iterator as $fileinfo) { $file = $fileinfo->getFilename(); $p = realpath($path . '/' . $file); if (!$fileinfo->isDot()) { $arr[] = $p; } if ($fileinfo->isDir() && !$fileinfo->isDot()) { myscandir5($p, $arr); } } } ?>You can use xdebug to test the running time
<?php myscandir1('./Code',$arr1);//0.164010047913 myscandir2('./Code',$arr2);//0.243014097214 myscandir3('./Code',$arr3);//0.233012914658 myscandir4('./Code',$arr4);//0.240014076233 myscandir5('./Code',$arr5);//0.329999923706 //需要安装xdebug echo xdebug_time_index(), "\n"; ?>The above is the entire content of this article, I hope it will be helpful to everyone's study.
Redis multi-database selection function singleton class implemented in PHP (detailed explanation)
Detailed explanation of the method of PHP custom function to determine whether it is submitted by Get/Post/Ajax
phpMethod of automatically backing up the database table
The above is the detailed content of 5 ways to implement recursive directories in PHP. For more information, please follow other related articles on the PHP Chinese website!