常用参数
- -d 守护进程方式启动
- -l 127.0.0.1 地址为127.0.0.1
- -p 11211 端口
- -m 150 分配 150M 内存
- -u root 用root身份去运行
客户端安装(libmemcached、php的扩展)
Tip: --prefix=/path/to/install_path 可以指定安装目录
解压php扩展的压缩包之后,进入该目录,运行phpize
,就会出现configure
文件。可能报错,需要你指定php-config
文件(/path/to/php/bin/php-config),以及libmemcached安装的目录,按照提示一步一步来。
make install
会返回一个扩展的地址
编辑 php.ini:
extension=memcached.so
测试
php -m | grep memcached 查看是否安装成功
使用
$m = new Memcached();
$array = array(
array('127.0.0.1',11211);
);
$m->addServers($array);
$m->add('mkey','mvalue',600);
//$m->add('mkey','mvalue_02',600)
// ↑ 不会替换掉原来的
$m->replace('mkey','mvalue_02',600)
// ↑ 替换掉mkey得值
$m->get('mkey');
$m->set('mkey','mvalue',600);
// ↑ 当存在会替换,不存在会生成
$m->delete('mkey');// 删除
$m->flush() // 清空所有
//针对 int 数据
$m->set('num',5,0); // 0 表示永久生效
$m->increment('num',5); //num 增加 5
//复合类型存储与读取
$data = array(
'key' => 'value',
'k2' => 'v2'
)
$m->setMulti($data,0);
$m->getMulti(array('key','key2'));
$m->deleteMulti(array('key','key2');
$m->getResultCode()
// ↑ 获得上一次操作的编码
$m->getResultMessage()
// ↑ 获得上一次操作的消息
让我们自己动手封装一个简单 Memcache类
//Tip: 由于时间原因,这里我并没有进行一些测试,写的不一定对。
//这里封装的很简单,目的就是熟悉一下php memcached 扩展提供的一些方法,大家还可以自己动手封装一个更加健壮的,用适配器模式,适配Redis等。
//类似于这样
//set $cache->operation($key,$value,$time)
//get $cache->operation($key)
//delete $cache->operation($key,null)
Class Cache
{
private $type = 'Memacached'; //存储使用的Cache类型
private $instance; //存储实例
private $time = 0; //默认存储时间
private $error; //错误
// 构造器
public function __construct(){
if(!class_exists($this->type)){
$this->error = 'No'.$this->type;
return false;
}else{
//存储实例
$this->instance = new $this->type;
}
}
public function addServer($array){
$this->instance->addServers($array);
}
// 主要操作类
public function operation($key,$value = '',$time = NULL){
$number = func_num_args();//获取参数个数
if($number == 1){
$this->get($key) //只有一个参数获取操作
}else if($number >= 2 ){
//第二个参数为空代表删除
if($value === null)
{
$this->delete($key);
return;
}
// 存储操作
$this->set($key,$value,$time);
}
}
// 返回错误
public function getError()
{
// 存在本类的错误,就返回,并且终止执行下面语句。
if($this->error) return $this->error;
// 没有执行上面的,就直接返回Memacached的上一个操作的信息
return $this->instance->getResultMessages();
}
// 存储
public function set($key,$value,$time = NULL)
{
if($time == NULL)$this->instance->set($key,$value,$this->time);
$this->instance($key,$value,$time);
if($this->instance->getResultCode() != 0)return false;
}
public function get($key){
$result = $this->intance->get($key);
if($this->instance->getResultCode() != 0)return false;
return $result;
}
public function delete(){
$result = $this->intance->delete($key);
if($this->instance->getResultCode() != 0)return false;
return $result;
)
public function flush(){
return $this->instance->flush();
}
public function getInstance(){
if($this->instance)return $this->instance;
}
}