Laravel的理论问题。
所以我要做的缓存示例是:
Article::with('comments')->remember(5)->get();
理想情况下,我希望有一个文章更新事件,当该模型的实例的ID(已经缓存)更新时,我想忘记该密钥(即使它是忘记的查询的整个结果)而不只是那个模型实例),有可能这样做吗?
如果没有,是否有某种方法可以合理地实现这一点?
答案 0 :(得分:59)
所以我一直在寻找与OP相同问题的答案,但对解决方案并不满意。所以我最近开始玩这个并浏览框架的源代码,我发现remember()
方法接受了第二个param,称为key
,由于某种原因,它没有记录在他们的{ {3}}(或者我错过了吗?)。
现在好消息是,数据库构建器使用在app/config/cache.php
下配置的相同缓存驱动程序,或者我应该说明在此处记录的相同缓存系统 - site。因此,如果您将min和key传递给remember()
,则可以使用相同的密钥来使用Cache::forget()
方法清除缓存,事实上,您几乎可以使用列出的所有Cache
方法Cache,Cache::get()
,Cache::add()
,Cache::put()
等。但我不建议您使用其他方法,除非您知道自己在做什么。< / p>
以下是您和其他人了解我的意思的示例。
Article::with('comments')->remember(5, 'article_comments')->get();
现在上面的查询结果将被缓存,并将与article_comments
密钥相关联,随后可以用它来清除它(在我的情况下,我在更新时会这样做)。
所以现在如果我想要清除缓存,无论它记住多少时间。我可以通过调用Cache::forget('article_comments');
来实现它,它应该按预期工作。
希望这有助于每个人:)
答案 1 :(得分:13)
我认为一个好方法就像this:
$value = Cache::remember('users', $minutes, function()
{
return DB::table('users')->get();
});
然后使用Model Observers检测更新模型的事件
class UserObserver {
public function saving($model)
{
//
}
public function saved($model)
{
// forget from cache
Cache::forget('users');
}
}
User::observe(new UserObserver);
答案 2 :(得分:0)
目前没有简单的方法。但是我找到了这个解决方法,到目前为止对我有用。
首先,你必须扩展Illuminate\Database\Query\Builder
。
<?php
class ModifiedBuilder extends Illuminate\Database\Query\Builder {
protected $forgetRequested = false;
public function forget()
{
$this->forgetRequested = true;
}
public function getCached($columns = array('*'))
{
if (is_null($this->columns)) $this->columns = $columns;
list($key, $minutes) = $this->getCacheInfo();
// If the query is requested ot be cached, we will cache it using a unique key
// for this database connection and query statement, including the bindings
// that are used on this query, providing great convenience when caching.
$cache = $this->connection->getCacheManager();
$callback = $this->getCacheCallback($columns);
if($this->forgetRequested) {
$cache->forget($key);
$this->forgetRequested = false;
}
return $cache->remember($key, $minutes, $callback);
}
}
然后你必须创建扩展Eloquent Model的新类。
<?php
class BaseModel extends Eloquent {
protected function newBaseQueryBuilder() {
$conn = $this->getConnection();
$grammar = $conn->getQueryGrammar();
return new ModifiedBuilder($conn, $grammar, $conn->getPostProcessor());
}
}
现在,在创建Eloquent模型时,不是扩展Eloquent
模型,而是扩展新创建的BaseModel
。
现在您可以像往常一样remember
查询结果。
YourModel::remember(10)->get();
当你想要丢弃缓存的结果时,你所要做的就是
YourModel::forget()->get();
如果您记得之前的结果,在清除缓存结果后,模型将继续记住该时间段内的结果。
希望这有帮助。
答案 3 :(得分:0)
我正在测试调试模式。所以我发现如果你在构造函数中对app.debug进行测试,你就可以清除与密钥相关的缓存。保存您不得不复制每个功能的代码。
class Events {
public function __construct() {
if (\Config::get('app.debug')) {
Cache::forget('events');
}
}
public static function all() {
$events = \DB::table('events as e')
->select('e.*')
->where('enabled', 1)
->remember(30, 'events')
->get();
return $events;
}
}