2

我一直在基于此链接在我的网站上使用基本缓存系统

到目前为止,它对我想做的任何事情都很有效。

$cachefile = 'cache/'. basename($_SERVER['QUERY_STRING']) . '.html';
$cachetime = 1440 * 60; 

if (file_exists($cachefile) && (time() - $cachetime < filemtime($cachefile))) {
  include($cachefile);
  echo "<!-- Cached ".date('jS F Y H:i', filemtime($cachefile))." -->";
  exit;
}

ob_start();

// My html/php code here


$fp = fopen($cachefile, 'w'); // open the cache file for writing
fwrite($fp, ob_get_contents()); // save the contents of output buffer to the file
fclose($fp); // close
ob_end_flush(); // Send to browser

但是我有几页有更详细的 mysql 查询,我花了相当多的时间优化它,但是当我在 mysql 中查询它时,它仍然需要大约 10 秒才能运行,甚至在网站上运行更长时间。有时,当我收到以下消息时,它似乎超时了。

The proxy server received an invalid response from an upstream server.
The proxy server could not handle the requestGET http://www.example.com

Reason: Error reading from remote server

这不是一个大问题,因为我使用上面的缓存系统,只有当天第一个点击它的人会延迟,其余时间用户会获得缓存页面,所以对他们来说实际上速度很快.

我想让自己不必成为每天第一个访问该页面并自动执行此过程的人,因此每天 17:00(在服务器上)将文件写入缓存。

我将如何最好地实现这一目标?

4

1 回答 1

4

我建议您使用Php Speedy或者这可能会有所帮助:

<?php
function getUrl () {
    if (!isset($_SERVER['REQUEST_URI'])) {
    $url = $_SERVER['REQUEST_URI'];
    } else {
    $url = $_SERVER['SCRIPT_NAME'];
    $url .= (!empty($_SERVER['QUERY_STRING']))? '?' . $_SERVER[ 'QUERY_STRING' ] : '';

    }
    return $url;
}

//getUrl gets the queried page with query string
function cache ($buffer) { //page's content is $buffer
    $url = getUrl();
    $filename = md5($url) . '.cache';
    $data = time() . '¦' . $buffer;
    $filew = fopen("cache/" . $filename, 'w');
    fwrite($filew, $data);
    fclose($filew);
    return $buffer;
}

function display () {
    $url = getUrl();
    $filename = md5($url) . '.cache';
    if (!file_exists("/cache/" . $filename)) {
    return false;
    }
    $filer = fopen("cache/" . $filename, 'r');
    $data = fread($filer, filesize("cache/" . $filename));
    fclose($filer);
    $content = explode('¦', $data, 2);
    if (count($content)!= 2 OR !is_numeric($content['0'])) {
        return false;
    }
    if (time()-(100) > $content['0']) { // 100 is the cache time here!!!
        return false;
    }
        echo $content['1'];
        die();
}

// Display cache (if any)
display();  // if it is displayed, die function will end the program here.

// if no cache, callback cache
ob_start ('cache');
?>

只需将此脚本包含在您需要缓存的任何位置并设置一个 cron 作业以自动运行它。

于 2013-01-20T00:00:12.157 回答