如何覆盖缓存获取方法laravel?
我想将类IlluminateCacheRepository
的方法get()
重写为:
<?php
namespace AppIlluminateCache;
use IlluminateCacheRepository as BaseRepository;
class Repository extends BaseRepository{
public function get($key)
{
// changes
}
}
但我不知道如何告诉Laravel加载我的类而不是原始类。
有什么方法可以做到这一点吗?
编辑%1
我已经创建了一个macro()
,但它只有在BaseRepository
中不存在该方法时才起作用,例如:
此操作不起作用
use IlluminateCache;
CacheRepository::macro('get',function (){
return 'hi';
});
但是,此操作奏效了:
use IlluminateCache;
CacheRepository::macro('newName',function (){
return 'hi';
});
因此macro
无法执行此操作,因为Laravel::macro()
正在创建新函数,但未覆盖
解决方案
创建新缓存对象时,很容易从您的类创建实例,而不是从BaseRepository类创建。
但是,当Laravel的服务容器生成对象(或使用依赖项注入)时,您必须将扩展类绑定为appServiceProvider中的主类。
namespace AppProviders;
use IlluminateSupportServiceProvider;
use IlluminateCacheRepository as BaseRepository;
use AppIlluminateCacheRepository;
class AppServiceProvider extends ServiceProvider
{
/**
* Register any application services.
*
* @return void
*/
public function register()
{
$this->app->bind(BaseRepository::class, function ($app) {
return $app->make(Repository::class);
});
}
/**
* Bootstrap any application services.
*
* @return void
*/
public function boot()
{
//
}
}
但是您必须将IlllightateContractsCacheStore的实现传递给存储库的构造函数。
namespace AppProviders;
use IlluminateSupportServiceProvider;
use IlluminateCacheRepository as BaseRepository;
use AppRepository;
use IlluminateCacheArrayStore;
class AppServiceProvider extends ServiceProvider
{
/**
* Register any application services.
*
* @return void
*/
public function register()
{
$this->app->bind(BaseRepository::class,function($app){
return $app->make(Repository::class,['store'=>$app->make(ArrayStore::class)]);
});
}
/**
* Bootstrap any application services.
*
* @return void
*/
public function boot()
{
//
}
}
相关文章