您可以使用缓存,例如在您的架构中 memcache 非常适合。每次您的服务器收到请求时,您的 php 应用程序都会尝试从缓存中获取结果,如果未找到则执行查询。
现在您可以选择两种不同的方式:
- 简单,等待缓存过期时间。当缓存过期时,服务器会错过搜索并提交新的查询。这通常是一个短期缓存(秒或分钟)
- hard,缓存在很远的将来过期,例如几小时甚至几天)。在这种情况下,您的应用程序会在每次更新数据库时刷新缓存内容。在这种情况下,很明显,几乎所有请求都命中了缓存(最佳性能)。
此示例基于简单方法,缓存键直接基于提交的 SQL。
global $memcache;
$memcache = new Memcache;
// Gets key / value pair into memcache ... called by mysql_query_cache()
function getCache($key) {
global $memcache;
return ($memcache) ? $memcache->get($key) : false;
}
// Puts key / value pair into memcache ... called by mysql_query_cache()
function setCache($key,$object,$timeout = 60) {
global $memcache;
return ($memcache) ? $memcache->set($key,$object,MEMCACHE_COMPRESSED,$timeout) : false;
}
// Caching version of mysql_query()
function mysql_query_cache($sql,$linkIdentifier = false,$timeout = 60) {
if (($cache = getCache(md5("mysql_query" . $sql))) !== false) {
$cache = false;
$r = ($linkIdentifier !== false) ? mysql_query($sql,$linkIdentifier) : mysql_query($sql);
if (is_resource($r) && (($rows = mysql_num_rows($r)) !== 0)) {
for ($i=0;$i<$rows;$i++) {
$fields = mysql_num_fields($r);
$row = mysql_fetch_array($r);
for ($j=0;$j<$fields;$j++) {
if ($i === 0) {
$columns[$j] = mysql_field_name($r,$j);
}
$cache[$i][$columns[$j]] = $row[$j];
}
}
if (!setCache(md5("mysql_query" . $sql),$cache,$timeout)) {
// If we get here, there isn't a memcache daemon running or responding
}
}
}
return $cache;
}