35

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

IE 我想做的事:

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

当然这不会起作用,因为它没有扩展名。扩展名将是 jpg、jpeg、png、gif

有什么想法可以在不循环的情况下做到这一点吗?

4

2 回答 2

73

你必须做一个glob():

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

看看是否$result包含任何东西。

于 2010-07-21T20:48:26.130 回答
8

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

请参阅http://php.net/manual/en/function.glob.php的注释:

注意:此功能在某些系统(例如旧的 Sun OS)上不可用。

注意:GLOB_BRACE 标志在某些非 GNU 系统上不可用,例如 Solaris。

它也比 opendir 慢,看看:哪个更快:glob() 或 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)

希望这可以帮助某人,Ioan

于 2015-04-06T08:51:44.223 回答