PHP检查文件存在而不知道扩展名

时间:2010-07-21 20:46:32

标签: php file-extension file-exists

我需要检查文件是否存在,但我不知道扩展名。

IE我想这样做:

if(file_exists('./uploads/filename')):
 // do something
endif;

当然不会工作,因为它没有扩展。扩展名为jpg,jpeg,png,gif

没有做循环的任何想法吗?

3 个答案:

答案 0 :(得分:55)

您必须执行glob():

$result = glob ("./uploads/filename.*");

并查看$result是否包含任何内容。

答案 1 :(得分:4)

我有同样的需求,并尝试使用glob但这个功能似乎不可移植:

请参阅http://php.net/manual/en/function.glob.php的说明:

  

注意:某些系统(例如旧的Sun OS)无法使用此功能。

     

注意:某些非GNU系统(如Solaris)上没有GLOB_BRACE标志。

它也比opendir慢,请看一下:Which is faster: glob() or opendir()

所以我制作了一个代码片段功能:

function resolve($name) {
    // reads informations over the path
    $info = pathinfo($name);
    if (!empty($info['extension'])) {
        // if the file already contains an extension returns it
        return $name;
    }
    $filename = $info['filename'];
    $len = strlen($filename);
    // open the folder
    $dh = opendir($info['dirname']);
    if (!$dh) {
        return false;
    }
    // scan each file in the folder
    while (($file = readdir($dh)) !== false) {
        if (strncmp($file, $filename, $len) === 0) {
            if (strlen($name) > $len) {
                // if name contains a directory part
                $name = substr($name, 0, strlen($name) - $len) . $file;
            } else {
                // if the name is at the path root
                $name = $file;
            }
            closedir($dh);
            return $name;
        }
    }
    // file not found
    closedir($dh);
    return false;
}

用法:

$file = resolve('/var/www/my-website/index');
echo $file; // will output /var/www/my-website/index.html (for example)

希望这可以帮助某人, 伊万

答案 2 :(得分:-1)