如何扩展Laravel

34次阅读

共计 1474 个字符,预计需要花费 4 分钟才能阅读完成。

注册服务
向容器中注册服务
// 绑定服务
$container->bind(‘log’, function(){
return new Log();
});
// 绑定单例服务
$container->singleton(‘log’, function(){
return new Log();
});
扩展绑定
扩展已有服务
$container->extend(‘log’, function(Log $log){
return new RedisLog($log);
});
Manager
Manager 实际上是一个工厂,它为服务提供了驱动管理功能。
Laravel 中的很多组件都使用了 Manager,如:Auth、Cache、Log、Notification、Queue、Redis 等等,每个组件都有一个 xxxManager 的管理器。我们可以通过这个管理器扩展服务。
比如,如果我们想让 Cache 服务支持 RedisCache 驱动,那么我们可以给 Cache 服务扩展一个 redis 驱动:
Cache::extend(‘redis’, function(){
return new RedisCache();
});
这时候,Cache 服务就支持 redis 这个驱动了。现在,找到 config/cache.php,把 default 选项的值改成 redis。这时候我们再用 Cache 服务时,就会使用 RedisCache 驱动来使用缓存。
Macro 和 Mixin
有些情况下,我们需要给一个类动态增加几个方法,Macro 或者 Mixin 很好的解决了这个问题。
在 Laravel 底层,有一个名为 Macroable 的 Trait,凡是引入了 Macroable 的类,都支持 Macro 和 Mixin 的方式扩展,比如 Request、Response、SessionGuard、View、Translator 等等。
Macroable 提供了两个方法,macro 和 mixin,macro 方法可以给类增加一个方法,mixin 是把一个类中的方法混合到 Macroable 类中。
举个例子,比如我们要给 Request 类增加两个方法。
使用 macro 方法时:
Request::macro(‘getContentType’, function(){
// 函数内的 $this 会指向 Request 对象
return $this->headers->get(‘content-type’);
});
Request::macro(‘hasField’, function(){
return !is_null($this->get($name));
});

$contentType = Request::getContentstType();
$hasPassword = Request::hasField(‘password’);
使用 mixin 方法时:
class MixinRequest{

public function getContentType(){
// 方法内必须返回一个函数
return function(){
return $this->headers->get(‘content-type’);
};
}

public function hasField(){
return function($name){
return !is_null($this->get($name));
};
}
}

Request::mixin(new MixinRequest());

$contentType = Request::getContentType();
$hasPassword = Request::hasField(‘password’);

正文完
 0