TOP-framework/framework/library/cache/driver/RedisCache.php

107 lines
2.3 KiB
PHP

<?php
namespace top\library\cache\driver;
use top\library\cache\ifs\CacheIfs;
use top\library\Config;
use top\traits\Instance;
/**
* Redis缓存
* Class RedisCache
* @package top\library\cache
*/
class RedisCache implements CacheIfs
{
use Instance;
/**
* redis配置
* @var array
*/
private $config = [];
/**
* redis实例
* @var null|\Redis
*/
private $redis = null;
/**
* 复写构造方法,初始化操作
* Redis constructor.
*/
private function __construct()
{
$config = \config('redis');
$this->redis = new \Redis();
try {
$this->redis->connect($config['host'], $config['port']);
} catch (\Exception $e) {
throw new \Exception(mb_convert_encoding($e->getMessage(), 'utf8', 'gbk'));
}
if ($config['auth']) {
$this->redis->auth($config['auth']);
}
}
/**
* 设置缓存
* @param string $key
* @param string $value
* @param int $timeout
* @return bool
*/
public function set($key, $value, $expire = 10)
{
$data = ['value' => $value];
$value = serialize($data);
$timeout = $expire == 0 ? null : $expire;
return $this->redis->set($key, $value, $expire);
}
/**
* 获取缓存的值
* @param string $key
* @param string $callable
* @return bool|mixed|string
*/
public function get($key, $callable = null)
{
$status = $this->exists($key);
$value = $status ? $this->redis->get($key) : false;
// 如果获取不到结果但是callable存在
if ($value === false) {
if (is_callable($callable)) {
return $callable($this);
}
return false;
} else {
$data = unserialize($value);
// 返回转换后的数据
return $data['value'];
}
}
/**
* 删除缓存
* @param string $key
* @return int
*/
public function remove($key)
{
return $this->redis->del($key);
}
/**
* 判断缓存是否设置
* @param $key
* @return bool
*/
public function exists($key)
{
return $this->redis->exists($key) ? true : false;
}
}