PHP 不区分大小写匹配的 glob

PHP glob with case-insensitive matching

我使用 glob 来查找文件夹

$str = "Test Folder";
$folder = glob("$dir/*$str*");

如何告诉 glob 匹配以查找不区分大小写的匹配文件夹?

匹配测试文件夹测试文件夹

请注意,$str 是脚本的未知输入!

我可以建议在 $str 的每个字母上构建不区分大小写的字符范围吗?

代码:(Demo)

function glob_i($string){  // this function is not multi-byte ready.
    $result='';  // init the output string to allow concatenation
    for($i=0,$len=strlen($string); $i<$len; ++$i){  // loop each character
        if(ctype_alpha($string[$i])){  // check if it is a letter
            $result.='['.lcfirst($string[$i]).ucfirst($string[$i]).']';  // add 2-character pattern
        }else{
            $result.=$string[$i];  // add non-letter character
        }
    }
    return $result;  // return the prepared string
}
$dir='public_html';
$str='Test Folder';

echo glob_i($str);  // [tT][eE][sS][tT] [fF][oO][lL][dD][eE][rR]
echo "\n";
echo "$dir/*",glob_i($str),'*';  // public_html/*[tT][eE][sS][tT] [fF][oO][lL][dD][eE][rR]*

如果您需要多字节版本,这是我建议的片段:(Demo)

function glob_im($string,$encoding='utf8'){
    $result='';
    for($i=0,$len=mb_strlen($string); $i<$len; ++$i){
        $l=mb_strtolower(mb_substr($string,$i,1,$encoding));
        $u=mb_strtoupper(mb_substr($string,$i,1,$encoding));
        if($l!=$u){
            $result.="[{$l}{$u}]";
        }else{
            $result.=mb_substr($string,$i,1,$encoding);
        }
    }
    return $result;
}
$dir='public_html';
$str='testovací složku';

echo glob_im($str);  // [tT][eE][sS][tT][oO][vV][aA][cC][íÍ] [sS][lL][oO][žŽ][kK][uU]
echo "\n";
echo "$dir/*",glob_im($str),'*';  // public_html/*[tT][eE][sS][tT][oO][vV][aA][cC][íÍ] [sS][lL][oO][žŽ][kK][uU]*

相关的 Whosebug 页面:

Can PHP's glob() be made to find files in a case insensitive manner?


p.s。如果您不介意正则表达式 and/or 的开销,您更喜欢精简的单行代码,这将起到同样的作用:(Demo)

$dir='public_html';
$str='Test Folder';
echo "$dir/*",preg_replace_callback('/[a-z]/i',function($m){return '['.lcfirst($m[0]).ucfirst($m[0])."]";},$str),'*';  // $public_html/*[tT][eE][sS][tT] [fF][oO][lL][dD][eE][rR]*

这里是多字节版本:(Demo)

$encoding='utf8';
$dir='public_html';
$str='testovací složku';
echo "$dir/*",preg_replace_callback('/\pL/iu',function($m)use($encoding){return '['.mb_strtolower($m[0],$encoding).mb_strtoupper($m[0],$encoding)."]";},$str),'*';  // public_html/*[tT][eE][sS][tT][oO][vV][aA][cC][íÍ] [sS][lL][oO][žŽ][kK][uU]*