file_exists()
函数用于检查给定的文件或目录是否存在
function fileExistsCached($filename, $cacheDuration = 60) {
static $cache = array();
if (!isset($cache[$filename])) {
$result = file_exists($filename);
$cache[$filename] = $result;
if (!$result) {
// 如果文件不存在,缓存结果并设置过期时间
$cache[$filename] = false;
if (is_writable(sys_get_temp_dir())) {
touch(sys_get_temp_dir() . '/' . md5($filename));
}
}
}
return $cache[$filename];
}
stat()
函数:stat()
函数比 file_exists()
更快,因为它在检查文件存在的同时还可以获取文件的元数据。但是,stat()
函数可能会受到文件系统性能的影响。function fileExistsWithStat($filename) {
return file_exists($filename) && stat($filename) !== false;
}
fopen()
函数:fopen()
函数会尝试打开文件,如果文件不存在,它会返回 false
。这种方法比 file_exists()
更快,因为它不会产生额外的磁盘访问。但是,你需要确保在检查文件存在后正确处理文件句柄。function fileExistsWithFopen($filename) {
$handle = fopen($filename, 'r');
if ($handle) {
fclose($handle);
return true;
}
return false;
}
请注意,这些方法可能会受到文件系统性能、磁盘访问速度和其他因素的影响。在实际应用中,你可能需要根据你的具体需求和场景选择最合适的方法。