使用PHP连接、操纵Memcached的原理和教程

Memcahced开源分布式内存对象缓存系统通过减少数据库的负担,从而能够加速你的web应用。在本文中我将解释怎样实现一个基于Memcahced的缓存系统。

数据库

实例中使用的数据库表包含一个自增的id,一个标题和一个链接字段:

CREATE TABLE demos
(
id INT PRIMARY KEY AUTO_INCREMENT,
title VARCHAR(300), 
link VARCHAR(300), 
);

第一次用户请求到达

第一次用户发送请求,PHP程序会在访问db数据库的同时,将访问的数据写入Memcached系统。

Memcached

如图所示,user发送了req请求,application发送数据请求到database,database在将数据返回给application的同时,将数据缓存到了Memcached服务器。

第二次用户请求到达了

第二次用户请求到达,会直接读取Memcached服务器的缓存,而不是数据库中的内容,从而减轻了服务器的负担。

Memechaced2

本图显示,第二次的请求,application直接从Memcached(简称Mc)读取数据。

Memcached的安装方法

网络上有大量关于Memcached安装的方法,其实它就是一个缓存服务器应用程序,意思就像是你装了个Mysql一样,装好了用账号密码IP地址连一下就能使用。

以下是一些很好的资源:

php_memcache.dll

在windows上安装Memcached的方法

在Windows7的Xampp上安装Memcached的方法

在Windows7上的PHP5.3安装Memcached的方法

index.php用PHP操作Memcached的演示

 

<?php
include('db.php');
$memcache = new Memcache;
$memcache->connect('localhost', 11211) or die ("Could not connect");

//缓存服务器中,都是键值对,这里我们设定唯一的键
$key = md5('www.crazyant.net'); 
$cache_result = array();
//根据键,从缓存服务器中获取它的值
$cache_result = $memcache->get($key); 

//如果存在该键对应的值,说明缓存中存在该内容
if($cache_result){
    //那我们直接取出缓存的内容就可以了
    $demos_result=$cache_result;
} else {
    //如果缓存中没有该键对应的值数据,说明请求是第一次到达

    //首先,我们需要从数据库中取出该值
    $v=mysql_query("select * from demos order by id desc");
    while($row=mysql_fetch_array($v)){
        //取出的内容就是我们需要的
        $demos_result[]=$row; 
    }
    //最后,将这次从数据库取出的内容,放到Memcached缓存服务器,这里就是缓存的精髓
    $memcache->set($key, $demos_result, MEMCACHE_COMPRESSED, 1200); 
}

//前面的所有操作,最终返回了我们需要的数据
// foreach($demos_result as $row){
    echo '<a href='.$row['link'].'>'.$row['title'].'</a>';
}

?>

 

db.php用于连接数据库的代码

你需要改变代码中的IP地址、用户名、密码、数据库名字。

<?php
$mysql_hostname = "localhost";
$mysql_user = "username";
$mysql_password = "password";
$mysql_database = "database";
$bd = mysql_connect($mysql_hostname, $mysql_user, $mysql_password) 
    or die("Opps some thing went wrong");
mysql_select_db($mysql_database, $bd) or die("Opps some thing went wrong");
?>

 

注:本文参考Memcached with PHP

相关推荐

1 thought on “使用PHP连接、操纵Memcached的原理和教程”

Leave a Comment