欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  后端开发

PHP缓存之文件缓存

程序员文章站 2023-12-27 10:57:15
...
1、PHP文件缓存内容保存格式
PHP文件缓存内容保存格式主要有三种:
(1)变量 var_export 格式化成PHP正常的赋值书写格式;
(2)变量 serialize 序列化之后保存,用的时候反序列化;
(3)变量 json_encode格式化之后保存,用的时候json_decode
互联网上测试结果是:serialize格式的文件解析效率大于Json,Json的解析效率大于PHP正常赋值。
所以我们要是缓存数据建议采用序列化的形式解析数据会更快。

2、PHP文件缓存的简单案例

[php] view plain copy print ?

  1. class Cache_Driver{
  2. //定义缓存的路径
  3. protected $_cache_path;
  4. //根据$config中的cache_path值获取路径信息
  5. public function Cache_Driver($config)
  6. {
  7. if(is_array($config) && isset($config['cache_path']))
  8. {
  9. $this->_cache_path = $config['cache_path'];
  10. }
  11. else
  12. {
  13. $this->_cache_path = realpath(dirname(__FILE__)."/")."/cache/";
  14. }
  15. }
  16. //判断key值对应的文件是否存在,如果存在,读取value值,value以序列化存储
  17. public function get($id)
  18. {
  19. if ( ! file_exists($this->_cache_path.$id))
  20. {
  21. return FALSE;
  22. }
  23. $data = @file_get_contents($this->_cache_path.$id);
  24. $data = unserialize($data);
  25. if(!is_array($data) || !isset($data['time']) || !isset($data['ttl']))
  26. {
  27. return FALSE;
  28. }
  29. if ($data['ttl'] > 0 && time() > $data['time'] + $data['ttl'])
  30. {
  31. @unlink($this->_cache_path.$id);
  32. return FALSE;
  33. }
  34. return $data['data'];
  35. }
  36. //设置缓存信息,根据key值,生成相应的缓存文件
  37. public function set($id, $data, $ttl = 60)
  38. {
  39. $contents = array(
  40. 'time' => time(),
  41. 'ttl' => $ttl,
  42. 'data' => $data
  43. );
  44. if (@file_put_contents($this->_cache_path.$id, serialize($contents)))
  45. {
  46. @chmod($this->_cache_path.$id, 0777);
  47. return TRUE;
  48. }
  49. return FALSE;
  50. }
  51. //根据key值,删除缓存文件
  52. public function delete($id)
  53. {
  54. return @unlink($this->_cache_path.$id);
  55. }
  56. public function clean()
  57. {
  58. $dh = @opendir($this->_cache_path);
  59. if(!$dh)
  60. return FALSE;
  61. while ($file = @readdir($dh))
  62. {
  63. if($file == "." || $file == "..")
  64. continue;
  65. $path = $this->_cache_path."/".$file;
  66. if(is_file($path))
  67. @unlink($path);
  68. }
  69. @closedir($dh);
  70. return TRUE;
  71. }
  72. }
相关标签: 文件 php 缓存

上一篇:

下一篇: