我在TimezoneTrait
模型中使用了User
。我还有一个UserRepositoryInterface
,它通过服务提供者加载,并且适用于所有类,因此绑定应该没问题:
public function register()
{
$this->app->bind(UserRepositoryInterface::class, UserRepository::class);
}
public function provides()
{
return [
UserRepositoryInterface::class,
];
}
现在我遇到的问题是我必须在我的特性中使用该存储库,所以我自然会这样做:
private $userRepository;
public function __construct(UserRepository $userRepository)
{
$this->userRepository = $userRepository;
}
但转储显示存储库为null
。不能为特征注入依赖性吗?
答案 0 :(得分:3)
在特质中定义__constructor
实际上是错误的。或者只是一个糟糕的设计。 Constructors should be specific to a class to which they belong,而不是特质。另一个问题是,您在Model类中导入trait,这意味着您应该专门遵循有关a trait in a model is loaded的方式的规则。
在模型的boot
阶段,它在类中递归搜索导入的特征,并静态地调用正在使用boot{TraitNameHere}
命名约定的方法。这证明模型中的特征不涉及Laravel的依赖注入循环。
为了实现这一目标,您可以使用Laravel全局帮助程序在容器内加载存储的实例,例如facade App::make(DefinedKeyHere)
。然后将分配的实例存储到静态属性中,使其保留到运行时结束,同时因为调用方法为static
。
trait TimezoneTrait
{
protected static $userRepository;
protected static function bootTimezoneTrait()
{
static::$userRepository = \App::make(UserRepositoryInterface::class);
}
}
如果您目前正在尝试避免使用全局帮助程序,那么收听模型启动事件也很有帮助。 EventServiceProvider中的示例,
Event::listen('eloquent.booting:*', function (Model $model) {
$model->setUserRepository($this->app[UserRepositoryInterface::class]);
});
那么特质就是,
trait TimezoneTrait
{
protected static $userRepository;
public function static setUserRepository(UserRepositoryInterface $userRepository)
{
static::$userRepository = $userRepository;
}
}
请注意,我将setUserRepository
定义为静态,但您也可以将其定义为非静态。
为了进一步扩展模型事件,模型在进行相关操作时会触发几个事件。
来自Laravel 5.5的示例事件,
public function getObservableEvents()
{
return array_merge(
[
'creating', 'created', 'updating', 'updated',
'deleting', 'deleted', 'saving', 'saved',
'restoring', 'restored',
],
$this->observables
);
}
在实例化(也是未序列化的)booting
和booted
时触发的其他两个默认事件。以及用于触发事件的方法,请注意事件名称。
protected function fireModelEvent($event, $halt = true)
{
// ...
return ! empty($result) ? $result : static::$dispatcher->{$method}(
"eloquent.{$event}: ".static::class, $this
);
}