我曾经在查询中拥有相当多的多个联接。
为了能够(至少)使用内置的MySql Cache功能,我编写了以下函数, 它只是将原始查询编码到base64中,检查它是否存在且未过期。
这大大提高了性能,我的优点是在源代码中逐个查询缓存时间。
但是在繁忙的时候,由于删除或者选择只是花费太长时间,表格变得不可用。有什么建议可以使这个运行更快并避免前面提到的问题吗?
表:
CREATE TABLE `cachesql` (
`id` int(9) NOT NULL AUTO_INCREMENT,
`expire` int(15) NOT NULL,
`sql` text NOT NULL,
`data` mediumtext NOT NULL,
PRIMARY KEY (`id`,`sql`(360)),
KEY `sdata` (`sql`(767)) USING HASH
) ENGINE=InnoDB
功能:
function fetchRows_cache($sql,$cachetime,$dba){
// internal function (called by fetchRows)
global $Site;
$expire = 0;
$this->connect($dba);
// check if query is cached
$this->q = mysql_query("SELECT `expire`,`data` from cachesql where `sql`='".base64_encode($sql)."' limit 1;", $this->con) OR $this->error(1, "query$".$sql."$".mysql_error());
$this->r = mysql_fetch_assoc($this->q);
$expire = $this->r['expire'];
$data = $this->r['data'];
if (($expire < time())||($cachetime =="0")) { // record expied or not there -> execute query and store
$this->query("DELETE FROM `cachesql` WHERE `sql`='".base64_encode($sql)."'",$dba); // delete old cached entries
$this->q = mysql_query($sql, $this->con) OR $this->error(1, "query$".$sql."$".mysql_error());
$this->r=array();
$this->rc=0;
while($row = mysql_fetch_assoc($this->q)){
$arr_row=array();
$c=0;
while ($c < mysql_num_fields($this->q)) {
$col = mysql_fetch_field($this->q, $c);
$arr_row[$col -> name] = $row[$col -> name];
$c++;
}
$this->r[$this->rc] = $arr_row;
$this->rc++;
}
$out = $this->r;
// write results into cache table
if ($cachetime != "0") {
// not store cache values for now (too many locks)
$this->query("INSERT INTO `cachesql` (`sql`,`data`,`expire`) VALUES ('".base64_encode($sql)."','".mysql_real_escape_string(serialize($out))."','".(time()+$cachetime)."')",$dba);
}
return $out;
}
else { // use Cached data
return unserialize($data);
}
}
答案 0 :(得分:0)
我认为主要的减速点是,你使用InnoDB作为你的缓存表。
我发现,你应该将InnoDB用于除了重读缓存表之外的所有内容;)
MyISAM尤其适用于读取密集型(选择)表格。
答案 1 :(得分:0)
感谢@HeatfanJohn - 他精心设计了一些简单而有效的东西。
因为原始查询不用于任何事情(除了缓存条目的匹配), 仅仅存储校验和就足以唯一地识别有问题的查询。
新结构只存储原始查询(16字节),expireUnixTime和序列化行集的MD5哈希值
新结构:
CREATE TABLE `cachesql` (
`sql` varchar(32) NOT NULL,
`expire` int(11) NOT NULL,
`data` text NOT NULL,
PRIMARY KEY (`sql`),
UNIQUE KEY `sql` (`sql`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COMMENT='cache for db->fetchRows'
sql
列上的主要索引响应速度非常快,因为它非常短,并且可以更好地为搜索编制索引。
对于数据集使用BLOB或TEXT字段,我没有得到不同的速度结果。
答案 2 :(得分:0)
让我们尝试使用内存表来加快速度。