4

我希望我的所有存储库都列在一个服务提供商中,但我希望它们一次全部加载...

考虑以下服务提供商:

class RepositoryServiceProvider extends ServiceProvider {

    protected $defer = true;

    public function register()
    {
        $this->app->bind(
            'App\Repositories\Contracts\FooRepository',
            'App\Repositories\SQL\FooSQLRepository');

        $this->app->bind(
            'App\Repositories\Contracts\BarRepository',
            'App\Repositories\SQL\BarSQLRepository');

        // and more to be added later...
    }

    public function provides()
    {

        // Will it defer and load all these at once? Or only the one(s) needed?
        return ['App\Repositories\Contracts\FooRepository',
                'App\Repositories\Contracts\BarRepository'];
    }

}

根据 Laravel 文档,我可以将绑定的注册推迟到需要时。但是,当我在单个服务提供者中添加多个绑定时,这是否有效?具体来说,我的意思是,它会延迟然后加载全部还是只加载需要的那个

4

1 回答 1

5

Laravel 将注册所有绑定,即使只需要一个。延迟功能实际上非常简单。首先,创建条目provides()和实际提供者的映射:

Illuminate\Foundation\ProviderRepository@compileManifest

if ($instance->isDeferred())
{
    foreach ($instance->provides() as $service)
    {
        $manifest['deferred'][$service] = $provider;
    }
    $manifest['when'][$provider] = $instance->when();
}

然后什么时候make()被调用Illuminate\Foundation\Application...

if (isset($this->deferredServices[$abstract]))
{
    $this->loadDeferredProvider($abstract);
}

...并且绑定与延迟提供者之一匹配,它将在此处结束:

Illuminate\Foundation\Application@registerDeferredProvider

$this->register($instance = new $provider($this));

if ( ! $this->booted)
{
    $this->booting(function() use ($instance)
    {
        $this->bootProvider($instance);
    });
}

正如您可能知道的那样,现在提供程序已照常注册,这意味着register()并被boot()调用。如果您考虑一下,甚至不可能从服务提供者加载一个绑定而不包括其他绑定,因为这一切都是在一种方法中完成的。

于 2015-04-29T10:03:59.443 回答