来源:https://yuanxuxu.com/2012/09/22/php-gong-xiang-nei-cun-yi-ji-li-yong-gong-xiang-nei-cun-shi-xian-xiao-xi-dui-lie/
本来是在德问上搜索关于php 怎么实现消息队列的答案的,无意中发现一个用共享内存实现的方法回复,翻了下手册查阅一下,感觉 PHP 控制共享内存还是很有用的,借助 shmop 完全可以实现,消息队列,缓存,以及应用程序之间交换数据。
1.创建一个共享内存段
$shm_key = ftok(__FILE__, 't');
$shmid = shmop_open($shm_key, 'c', 0755, 1024);
int ftok ( string $pathname
, string $proj
) //ftok 将一个路径名 pathname 和一个项目名(必须为一个字符), 转化成一个整形的用来使用系统 V IPC 的 key
用ftok来生成系统 ID 参数来标识系统中的共享内存段。
shmop_open 类似与fopen,第二个参数表示访问内存段的模似,共 4 种模式:
第四和参数是写入的数据大小,以字节为单位
2.写数据到共享内存段
shmop_write($shmid, 'www.yuanxuxu.com', 0);
看起来和fwrite差不多,第三个参数表示写入的位置
3.从共享内存段读数据
echo shmop_read($shmid, 0, shmop_size($shmid));
读数据和fread差不多,shmop_size 回一个内存段的大小(以字节为单位),和filesize函数差不多
4.删除共享内存段
shmop_delete($shmid);
本来以为这个是完全删除该内存段,但是还是能读到共享内存中的数据,这个操作其实只是将内存段标记为删除,阻止其他进程打开它。
5.关闭共享内存段
shmop_close($shmid);
类似与fclose。
这里有鸟哥的一篇《关于 PHP 你可能不知道的-PHP 的事件驱动化设计》,看了以后对 PHP 共享内存以及应用会有更深刻的了解!
这里顺便贴出基于 PHP 共享内存实现的消息队列的那段源码,通过信号量来结合共享内存来实现,看了一下,受益匪浅。
shmId = shmop_open($shmkey, "c", 0644, $this->memSize );
$this->maxQSize = $this->memSize / $this->blockSize;
// 申請一个信号量
$this->semId = sem_get($shmkey, 1);
sem_acquire($this->semId); // 申请进入临界区
$this->init();
}
private function init()
{
if ( file_exists($this->filePtr) ){
$contents = file_get_contents($this->filePtr);
$data = explode( '|', $contents );
if ( isset($data[0]) && isset($data[1])){
$this->front = (int)$data[0];
$this->rear = (int)$data[1];
}
}
}
public function getLength()
{
return (($this->rear - $this->front + $this->memSize) % ($this->memSize) )/$this->blockSize;
}
public function enQueue( $value )
{
if ( $this->ptrInc($this->rear) == $this->front ){ // 队满
return false;
}
$data = $this->encode($value);
shmop_write($this->shmId, $data, $this->rear );
$this->rear = $this->ptrInc($this->rear);
return true;
}
public function deQueue()
{
if ( $this->front == $this->rear ){ // 队空
return false;
}
$value = shmop_read($this->shmId, $this->front, $this->blockSize-1);
$this->front = $this->ptrInc($this->front);
return $this->decode($value);
}
private function ptrInc( $ptr )
{
return ($ptr + $this->blockSize) % ($this->memSize);
}
private function encode( $value )
{
$data = serialize($value) . "__eof";
echo '';
echo strlen($data);
echo '';
echo $this->blockSize -1;
echo '';
if ( strlen($data) > $this->blockSize -1 ){
throw new Exception(strlen($data)." is overload block size!");
}
return $data;
}
private function decode( $value )
{
$data = explode("__eof", $value);
return unserialize($data[0]);
}
public function __destruct()
{
$data = $this->front . '|' . $this->rear;
file_put_contents($this->filePtr, $data);
sem_release($this->semId); // 出临界区, 释放信号量
}
}
/*
// 进队操作
$shmq = new ShmQueue();
$data = 'test data';
$shmq->enQueue($data);
unset($shmq);
// 出队操作
$shmq = new ShmQueue();
$data = $shmq->deQueue();
unset($shmq);
*/