PHP Case不敏感版本的file_exists()

时间:2010-10-19 01:43:36

标签: php file file-io

我正在尝试考虑在PHP中实现不区分大小写的file_exists函数的最快方法。我最好的选择是枚举目录中的文件,然后执行strtolower()到strtolower()比较,直到找到匹配项?

14 个答案:

答案 0 :(得分:24)

我使用了评论中的来源来创建这个功能。如果找到则返回完整路径文件,否则返回FALSE。

对文件名中的目录名不起作用。

function fileExists($fileName, $caseSensitive = true) {

    if(file_exists($fileName)) {
        return $fileName;
    }
    if($caseSensitive) return false;

    // Handle case insensitive requests            
    $directoryName = dirname($fileName);
    $fileArray = glob($directoryName . '/*', GLOB_NOSORT);
    $fileNameLowerCase = strtolower($fileName);
    foreach($fileArray as $file) {
        if(strtolower($file) == $fileNameLowerCase) {
            return $file;
        }
    }
    return false;
}

答案 1 :(得分:7)

这个问题已经存在了几年,但它与几个问题有关,所以这里有一个简单的方法。

如果在false中找不到$filename,或$path中找到的第一个文件的实际文件名(如果在任何文件中找到),则返回glob()情况下:

$result = current(preg_grep("/".preg_quote($filename)."/i", glob("$path/*")));
  • 获取路径glob
  • 中的所有文件
  • $filename的Grep i不区分大小写
  • current返回数组中的第一个文件名

删除current()以返回所有匹配的文件。这对于区分大小写的文件系统非常重要,因为IMAGE.jpgimage.JPG都可以存在。

答案 2 :(得分:2)

在Unix文件名中区分大小写,因此在不列出目录内容的情况下,您将无法进行不区分大小写的存在检查。

答案 3 :(得分:2)

您的方法有效。
或者您可以使用glob获取数组中当前工作目录中的所有文件和目录的列表,使用array_map来应用{{1} }}然后使用strtolower检查您的文件(在应用in_array之后)是否存在于数组中。

答案 4 :(得分:1)

当我们从IIS迁移到apache时遇到了同样的问题。下面是我掀起的作品。它返回正确的路径作为字符串或false。

function resolve_path($path)
{
    $is_absolute_path = substr($path, 0, 1) == '/';
    $resolved_path = $is_absolute_path ? '/' : './';
    $path_parts = explode('/', strtolower($path));

    foreach ($path_parts as $part)
    {
        if (!empty($part))
        {
            $files = scandir($resolved_path);

            $match_found = FALSE;

            foreach ($files as $file)
            {
                if (strtolower($file) == $part)
                {
                    $match_found = TRUE;

                    $resolved_path .= $file . '/';
                }
            }

            if (!$match_found)
            {
                return FALSE;
            }
        }
    }

    if (!is_dir($resolved_path) && !is_file($resolved_path))
    {
        $resolved_path = substr($resolved_path, 0, strlen($resolved_path) - 1);
    }

    $resolved_path = $is_absolute_path ? $resolved_path : substr($resolved_path, 2, strlen($resolved_path));

    return $resolved_path;
}

$relative_path = substr($_SERVER['REQUEST_URI'], 1, strlen($_SERVER['REQUEST_URI']));
$resolved_path = resolve_path($relative_path);

if ($resolved_path)
{
    header('Location: http://' . $_SERVER['SERVER_NAME'] . '/' . $resolved_path);
    die();
}

答案 5 :(得分:1)

我把功能调整了一点点。猜测这个更好用

function fileExists( $fileName, $fullpath = false, $caseInsensitive = false ) 
{
    // Presets
    $status         = false;
    $directoryName  = dirname( $fileName );
    $fileArray      = glob( $directoryName . '/*', GLOB_NOSORT );
    $i              = ( $caseInsensitive ) ? "i" : "";

    // Stringcheck
    if ( preg_match( "/\\\|\//", $fileName) ) // Check if \ is in the string
    {
        $array    = preg_split("/\\\|\//", $fileName);
        $fileName = $array[ count( $array ) -1 ];
    }

    // Compare String
    foreach ( $fileArray  AS $file )
    {
        if(preg_match("/{$fileName}/{$i}", $file))
        {
            $output = "{$directoryName}/{$fileName}";
            $status = true;
            break;
        }
    }

    // Show full path
    if( $fullpath && $status )
        $status = $output;

    // Return the result [true/false/fullpath (only if result isn't false)]
    return $status;
}

答案 6 :(得分:0)

对于纯PHP实现,是的。 the comments for the file_exists function中有一个例子。

另一种选择是在不区分大小写的文件系统上运行脚本。

答案 7 :(得分:0)

我已经改进了John Himmelman的功能并提出了这个:
suppose that i have a catch system \iMVC\kernel\caching\fileCache

function resolve_path($path)
{
    # check if string is valid
    if(!strlen($path)) return FALSE;
    # a primary check
    if(file_exists($path)) return $path;
    # create a cache signiture
    $cache_sig = __METHOD__."@$path";
    # open the cache file
    $fc = new \iMVC\kernel\caching\fileCache(__CLASS__);
    # check cache file and validate it
    if($fc->isCached($cache_sig) && file_exists($fc->retrieve($cache_sig)))
    {
        # it was a HIT!
        return $fc->retrieve($cache_sig);
    }
    # if it is ab
    $is_absolute_path = ($path[0] == DIRECTORY_SEPARATOR);
    # depart the path
    $path_parts = array_filter(explode(DIRECTORY_SEPARATOR, strtolower($path)));
    # normalizing array's parts
    $path_parts = count($path_parts)? array_chunk($path_parts, count($path_parts)) : array();
    $path_parts = count($path_parts[0])?$path_parts[0]:array();
    # UNIX fs style
    $resolved_path = $is_absolute_path ? DIRECTORY_SEPARATOR : ".";
    # WINNT fs style
    if(string::Contains($path_parts[0], ":"))
    {
        $is_absolute_path = 1;
        $resolved_path = $is_absolute_path ? "" : ".".DIRECTORY_SEPARATOR;
    }
    # do a BFS in subdirz
    foreach ($path_parts as $part)
    {
        if (!empty($part))
        {
            $target_path = $resolved_path.DIRECTORY_SEPARATOR.$part;
            if(file_exists($target_path))
            {
                $resolved_path = $target_path;
                continue;
            }
            $files = scandir($resolved_path);

            $match_found = FALSE;

            foreach ($files as $file)
            {   
                if (strtolower($file) == $part)
                {
                    $match_found = TRUE;
                    $resolved_path = $resolved_path.DIRECTORY_SEPARATOR.$file;
                    break;
                }
            }
            if (!$match_found)
            {
                return FALSE;
            }
        }
    }
    # cache the result
    $fc->store($target_path, $resolved_path);
    # retrun the resolved path
    return $resolved_path;
}

答案 8 :(得分:0)

从快速谷歌中找到了这个页面,我使用了where not in的解决方案,但是如果你在同一个目录上多次调用它,或者在有多个文件的目录中调用它,那么它很慢。这是由于它每次循环遍历所有文件,所以我对它进行了一些优化:

Kirk

我删除了标志以检查不区分大小写,因为我假设如果您不需要此行为,则只使用function fileExists($fileName) { static $dirList = []; if(file_exists($fileName)) { return true; } $directoryName = dirname($fileName); if (!isset($dirList[$directoryName])) { $fileArray = glob($directoryName . '/*', GLOB_NOSORT); $dirListEntry = []; foreach ($fileArray as $file) { $dirListEntry[strtolower($file)] = true; } $dirList[$directoryName] = $dirListEntry; } return isset($dirList[$directoryName][strtolower($fileName)]); } ,因此该标志似乎是多余的。我还希望如果你正在做一些除了一个简单的脚本以外的任何事情,你想把它变成一个类来获得对目录列表缓存的更多控制,例如重置它,但这超出了我需要的范围,如果你需要,它应该是微不足道的。

答案 9 :(得分:0)

我的调优解决方案,独立于操作系统,case-insensitive realpath()替代,覆盖整个路径,名为realpathi()

/**
 * Case-insensitive realpath()
 * @param string $path
 * @return string|false
 */
function realpathi($path)
{
    $me = __METHOD__;

    $path = rtrim(preg_replace('#[/\\\\]+#', DIRECTORY_SEPARATOR, $path), DIRECTORY_SEPARATOR);
    $realPath = realpath($path);
    if ($realPath !== false) {
        return $realPath;
    }

    $dir = dirname($path);
    if ($dir === $path) {
        return false;
    }
    $dir = $me($dir);
    if ($dir === false) {
        return false;
    }

    $search = strtolower(basename($path));
    $pattern = '';
    for ($pos = 0; $pos < strlen($search); $pos++) {
        $pattern .= sprintf('[%s%s]', $search[$pos], strtoupper($search[$pos]));
    }
    return current(glob($dir . DIRECTORY_SEPARATOR . $pattern));
}

使用glob [nN][aA][mM][eE]模式搜索文件名似乎是更快的解决方案

答案 10 :(得分:0)

//will resolve & print the real filename
$path = "CaseInsensitiveFiLENAME.eXt";
$dir  = "nameOfDirectory";

if ($handle = opendir($dir)) {
 while (false !== ($entry = readdir($handle))) {
     if (strtolower($path) == strtolower($entry)){
       echo $entry ;
    }}
    closedir($handle);
}

答案 11 :(得分:0)

今天碰到了这个,但是不喜欢这里的任何答案,所以我想我会添加我的解决方案(使用SPL和正则表达式迭代器)

function _file_exists( $pathname ){
    if(file_exists($pathname)) return $pathname;

    try{
        $path = dirname( $pathname );
        $file = basename( $pathname );

        $Dir = new \FilesystemIterator( $path, \FilesystemIterator::UNIX_PATHS );
        $regX = new \RegexIterator($Dir, '/(.+\/'.preg_quote( $file ).')$/i', \RegexIterator::MATCH);

        foreach ( $regX as $p ) return $p->getPathname();

    }catch (\UnexpectedValueException $e ){
        //invalid path
    }
    return false;
}

我使用它的方式是这样的:

 $filepath = 'path/to/file.php';

 if( false !== ( $filepath = _file_exists( $filepath ))){
      //do something with $filepath
 }

这样它首先会使用内置的,如果失败,它将使用不敏感的,并为$filepath变量分配正确的大小。

答案 12 :(得分:0)

AbraCadaver的评分为+7,答案是错误的,我没有足够的声誉在此下发表评论,因此根据他的回答,这是正确的解决方案:

$result = count(preg_grep('/\/'.preg_quote($filename)."$/i", glob("$path/*")));

AbraCadaver的答案不正确,因为如果您对文件foo.jpg进行测试并且存在诸如anytext_foo.jpg之类的文件,它将返回true。

答案 13 :(得分:-1)

对于大型文件系统(大量要搜索的文件),其他答案可能非常耗费资源。创建所有文件名的临时表(必要时为完整路径)可能很有用。然后对该表执行类似条件搜索以获得实际情况。

SELECT actual_file_name
FROM TABLE_NAME
WHERE actual_file_name LIKE 'filename_i_want'