php glob - 在子文件夹中扫描文件

2022-08-30 10:57:27

我有一个服务器,在各种文件夹,子文件夹和子子文件夹中有很多文件。

我正在尝试进行搜索.php页面,该页面将用于在整个服务器上搜索特定文件。如果找到该文件,则返回位置路径以显示下载链接。

以下是我到目前为止所拥有的:

$root = $_SERVER['DOCUMENT_ROOT'];
$search = "test.zip";
$found_files = glob("$root/*/test.zip");
$downloadlink = str_replace("$root/", "", $found_files[0]);
if (!empty($downloadlink)) {
    echo "<a href=\"http://www.example.com/$downloadlink\">$search</a>";
} 

如果文件位于我的域名根目录中,则脚本可以正常工作...现在我试图找到一种方法,让它也扫描子文件夹和子子文件夹,但我被困在这里。


答案 1

有2种方法。

用于执行递归搜索:glob

<?php
 
// Does not support flag GLOB_BRACE
function rglob($pattern, $flags = 0) {
    $files = glob($pattern, $flags); 
    foreach (glob(dirname($pattern).'/*', GLOB_ONLYDIR|GLOB_NOSORT) as $dir) {
    $files = array_merge(
        [],
        ...[$files, rglob($dir . "/" . basename($pattern), $flags)]
    );
    return $files;
}

// usage: to find the test.zip file recursively
$result = rglob($_SERVER['DOCUMENT_ROOT'] . '/test.zip');
var_dump($result);
// to find the all files that names ends with test.zip
$result = rglob($_SERVER['DOCUMENT_ROOT'] . '/*test.zip');
?>

RecursiveDirectoryIterator

<?php
// $regPattern should be using regular expression
function rsearch($folder, $regPattern) {
    $dir = new RecursiveDirectoryIterator($folder);
    $ite = new RecursiveIteratorIterator($dir);
    $files = new RegexIterator($ite, $regPattern, RegexIterator::GET_MATCH);
    $fileList = array();
    foreach($files as $file) {
        $fileList = array_merge($fileList, $file);
    }
    return $fileList;
}

// usage: to find the test.zip file recursively
$result = rsearch($_SERVER['DOCUMENT_ROOT'], '/.*\/test\.zip/'));
var_dump($result);
?>

RecursiveDirectoryIterator附带PHP5,而来自PHP4。两者都可以完成工作,这取决于你。glob


答案 2

我想为可以预测最大深度的情况提供另一种简单的替代方案。您可以使用带有大括号的模式,列出所有可能的子文件夹深度。

此示例允许 0-3 个任意子文件夹:

glob("$root/{,*/,*/*/,*/*/*/}test_*.zip", GLOB_BRACE);

当然,支撑图案可以通过程序生成。


推荐