1. Code
  2. PHP
  3. Laravel

How to Register and Use Laravel Service Providers

Scroll to top

If you've ever used the Laravel framework, you've probably heard of service containers and service providers. In fact, they're the backbone of the Laravel framework and do all the heavy lifting when you launch an instance of any Laravel application.

In this article, we're going to have a glimpse of what the service container is all about, and following that we'll discuss the service provider in detail. In the course of this article, I'll also demonstrate how to create a custom service provider in Laravel. Once you create a service provider, you also need to register it with the Laravel application in order to actually use it, so we'll go through that as well.

There are two important methods, boot and register, that your service provider may implement, and in the last segment of this article we'll discuss these two methods thoroughly.

Before we dive into the discussion of a service provider, I'll try to introduce the service container as it will be used heavily in your service provider implementation.

Understand Service Containers and Service Providers

What Is a Service Container?

In the simplest terms, we could say that the service container in Laravel is a box that holds various components' bindings, and they are served as needed throughout the application.

In the words of the official Laravel documentation:

The Laravel service container is a powerful tool for managing class dependencies and performing dependency injection.

So whenever you need to inject any built-in component or service, you could type hint it in your constructor or method, and it'll be injected automatically from the service container as it contains everything you need! Isn't that cool? It saves you from manually instantiating the components and thus avoids tight coupling in your code.

Let's have a look at a quick example to understand it.

1
Class SomeClass
2
{
3
    public function __construct(FooBar $foobarObject)
4
    {
5
        // use $foobarObject object

6
    }
7
}

As you can see, the SomeClass needs an instance of FooBar to instantiate itself. So, basically, it has a dependency that needs to be injected. Laravel does this automatically by looking into the service container and injecting the appropriate dependency.

And if you're wondering how Laravel knows which components or services to include in the service container, the answer is the service provider. It's the service provider that tells Laravel to bind various components into the service container. In fact, it's called service container bindings, and you need to do it via the service provider.

So it's the service provider that registers all the service container bindings, and it's done via the register method of the service provider implementation.

That should raise another question: how does Laravel know about various service providers? Perhaps you think Laravel should figure that out automatically too? Unfortunately, now, that's something you need to inform Laravel explicitly.

Go ahead and look at the contents of the config/app.php file. You'll find an array entry that lists all the service providers that your app can use.

1
'providers' => [
2
3
    /*

4
     * Laravel Framework Service Providers...

5
     */
6
    Illuminate\Auth\AuthServiceProvider::class,
7
    Illuminate\Broadcasting\BroadcastServiceProvider::class,
8
    Illuminate\Bus\BusServiceProvider::class,
9
    Illuminate\Cache\CacheServiceProvider::class,
10
    Illuminate\Foundation\Providers\ConsoleSupportServiceProvider::class,
11
    Illuminate\Cookie\CookieServiceProvider::class,
12
    Illuminate\Database\DatabaseServiceProvider::class,
13
    Illuminate\Encryption\EncryptionServiceProvider::class,
14
    Illuminate\Filesystem\FilesystemServiceProvider::class,
15
    Illuminate\Foundation\Providers\FoundationServiceProvider::class,
16
    Illuminate\Hashing\HashServiceProvider::class,
17
    Illuminate\Mail\MailServiceProvider::class,
18
    Illuminate\Notifications\NotificationServiceProvider::class,
19
    Illuminate\Pagination\PaginationServiceProvider::class,
20
    Illuminate\Pipeline\PipelineServiceProvider::class,
21
    Illuminate\Queue\QueueServiceProvider::class,
22
    Illuminate\Redis\RedisServiceProvider::class,
23
    Illuminate\Auth\Passwords\PasswordResetServiceProvider::class,
24
    Illuminate\Session\SessionServiceProvider::class,
25
    Illuminate\Translation\TranslationServiceProvider::class,
26
    Illuminate\Validation\ValidationServiceProvider::class,
27
    Illuminate\View\ViewServiceProvider::class,
28
29
    /*

30
     * Package Service Providers...

31
     */
32
33
    /*

34
     * Application Service Providers...

35
     */
36
    App\Providers\AppServiceProvider::class,
37
    App\Providers\AuthServiceProvider::class,
38
    // App\Providers\BroadcastServiceProvider::class,

39
    App\Providers\EventServiceProvider::class,
40
    App\Providers\RouteServiceProvider::class,
41
42
],

From the next section onwards, we'll focus on the service provider, which is the main topic of this article!

What Is a Service Provider?

If the service container is something that allows you to define bindings and inject dependencies, then the service provider is the place where these dependencies are defined.

Let's have a quick look at one of the core service providers to understand what it does. Go ahead and open the vender/laravel/framework/src/Illuminate/Cache/CacheServiceProvider.php file.

1
<?php
2
3
namespace Illuminate\Cache;
4
5
use Illuminate\Contracts\Support\DeferrableProvider;
6
use Illuminate\Support\ServiceProvider;
7
use Symfony\Component\Cache\Adapter\Psr16Adapter;
8
9
class CacheServiceProvider extends ServiceProvider implements DeferrableProvider
10
{
11
    /**

12
     * Register the service provider.

13
     *

14
     * @return void

15
     */
16
    public function register()
17
    {
18
        $this->app->singleton('cache', function ($app) {
19
            return new CacheManager($app);
20
        });
21
22
        $this->app->singleton('cache.store', function ($app) {
23
            return $app['cache']->driver();
24
        });
25
26
        $this->app->singleton('cache.psr6', function ($app) {
27
            return new Psr16Adapter($app['cache.store']);
28
        });
29
30
        $this->app->singleton('memcached.connector', function () {
31
            return new MemcachedConnector;
32
        });
33
    }
34
35
    /**

36
     * Get the services provided by the provider.

37
     *

38
     * @return array

39
     */
40
    public function provides()
41
    {
42
        return [
43
            'cache', 'cache.store', 'cache.psr6', 'memcached.connector',
44
        ];
45
    }
46
}

The important thing to note here is the register method, which allows you to define service container bindings. As you can see, there are four bindings for the cache, cache.store, cache.psr6, and memcached.connector services.

Basically, we're informing Laravel that whenever there's a need to resolve a cache entry, it should return the instance of CacheManager. So we're just adding a kind of mapping in the service container that can be accessed via $this->app.

This is the proper way to add any service to a Laravel service container. That also allows you to realize the bigger picture of how Laravel goes through the register method of all service providers and populates the service container! And as we've mentioned earlier, it picks up the list of service providers from the config/app.php file.

And that's the story of the service provider. In the next section, we'll discuss how to create a custom service provider so that you can register your custom services into the Laravel service container.

1. Create a Custom Service Provider

Laravel already comes with a hands-on command-line utility tool, artisan, which allows you to create template code so that you don't have to create it from scratch. Go ahead and move to the command line and run the following command in your application root to create a custom service provider.

1
$php artisan make:provider EnvatoCustomServiceProvider
2
Provider created successfully.

And that should create the file EnvatoCustomServiceProvider.php under the app/Providers directory. Open the file to see what it holds.

1
<?php
2
3
namespace App\Providers;
4
5
use Illuminate\Support\ServiceProvider;
6
7
class EnvatoCustomServiceProvider extends ServiceProvider
8
{
9
    /**

10
     * Register services.

11
     *

12
     * @return void

13
     */
14
    public function register()
15
    {
16
        //

17
    }
18
19
    /**

20
     * Bootstrap services.

21
     *

22
     * @return void

23
     */
24
    public function boot()
25
    {
26
        //

27
    }
28
}

As we discussed earlier, there are two methods, register and boot, that you'll be dealing with most of the time when you work with your custom service provider.

The register method is the place where you define all your custom service container bindings. On the other hand, the boot method is the place where you can consume already registered services via the register method. In the last segment of this article, we'll discuss these two methods in detail as we'll go through some practical use cases to understand the usage of both methods.

2. Register Your Custom Service Provider

So you've created your custom service provider. That's great! Next, you need to inform Laravel about your custom service provider so that it can load it along with other service providers during bootstrapping.

To register your service provider, you just need to add an entry to the array of service providers in the config/app.php file. Add the following line to the providers array:

1
    App\Providers\EnvatoCustomServiceProvider::class,

And that's it—you've registered your service provider with Laravel! But the service provider we've created is almost a blank template and is of no use at the moment. In the next section, we'll go through a couple of practical examples to see what you could do with the register and boot methods.

3. Create the register and boot Methods

To start with, we'll go through the register method to understand how you could actually use it. Open the service provider file app/Providers/EnvatoCustomServiceProvider.php that was created earlier, and replace the existing code with the following.

1
<?php
2
namespace App\Providers;
3
  
4
use Illuminate\Support\ServiceProvider;
5
use App\Library\Services\DemoOne;
6
  
7
class EnvatoCustomServiceProvider extends ServiceProvider
8
{
9
    public function boot()
10
    {
11
    }
12
  
13
    public function register()
14
    {
15
        $this->app->bind('App\Library\Services\DemoOne', function ($app) {
16
          return new DemoOne();
17
        });
18
    }
19
}

There are two important things to note here:

  • We've imported App\Library\Services\DemoOne so that we can use it. The DemoOne class isn't created yet, but we'll do that in a moment.
  • In the register method, we've used the bind method of the service container to add our service container binding. So, whenever the App\Library\Services\DemoOne dependency needs to be resolved, it'll call the closure function, and it instantiates and returns the App\Library\Services\DemoOne object.

So you just need to create the app/Library/Services/DemoOne.php file for this to work.

1
<?php
2
namespace App\Library\Services;
3
  
4
class DemoOne
5
{
6
    public function doSomethingUseful()
7
    {
8
      return 'Output from DemoOne';
9
    }
10
}

And here's the code somewhere in your controller where the dependency will be injected.

1
<?php
2
namespace App\Http\Controllers;
3
  
4
use App\Http\Controllers\Controller;
5
use App\Library\Services\DemoOne;
6
  
7
class TestController extends Controller
8
{
9
    public function index(DemoOne $customServiceInstance)
10
    {
11
        echo $customServiceInstance->doSomethingUseful();
12
    }
13
}

That's a very simple example of binding a class. In fact, in the above example, there's no need to create a service provider and implement the register method as we did, since Laravel can automatically resolve it using reflection.

A very important note from the Laravel documentation:

There is no need to bind classes into the container if they do not depend on any interfaces. The container does not need to be instructed on how to build these objects, since it can automatically resolve these objects using reflection.

On the other hand, it would have been really useful if you had bound an interface to a certain implementation. In the next section, we'll go through an example to understand it.

A Real-World Example of How to Use Service Providers

Let's assume that you want to build a service which allows you to authenticate users in various ways. To start with, you would like to implement two adapters, JSON and XML, so that one could pass the credentials in the corresponding format to authenticate against your system. And later on, you can plug in more adapters for different formats as needed.

It's the perfect example of implementing a Laravel service provider, since it allows you to implement multiple adapters for your service, and later on you can easily switch between different adapters.

To start with, let's create a very simple interface at app/Library/Services/Contracts/AuthenticationServiceInterface.php.

1
<?php
2
// app/Library/Services/Contracts/AuthenticationServiceInterface.php

3
namespace App\Library\Services\Contracts;
4
  
5
Interface AuthenticationServiceInterface
6
{
7
    public function authenticate($credentials);
8
}

Next, let's create two concrete implementations of this interface. Basically, we just need to create two classes that extend the AuthenticationServiceInterface interface.

Create the XmlAuthentication class in app/Library/Services/XmlAuthentication.php.

1
<?php
2
// app/Library/Services/XmlAuthentication.php

3
namespace App\Library\Services;
4
  
5
use App\Library\Services\Contracts\AuthenticationServiceInterface;
6
  
7
class XmlAuthentication implements AuthenticationServiceInterface
8
{
9
    public function authenticate($xmlData)
10
    {
11
      // parse the incoming XML data in the $xmlData and authenticate with your db...happens here

12
      return 'XML based Authentication';
13
    }
14
}

Similarly, the JsonAuthentication class goes in app/Library/Services/JsonAuthentication.php.

1
<?php
2
// app/Library/Services/JsonAuthentication.php

3
namespace App\Library\Services;
4
  
5
use App\Library\Services\Contracts\AuthenticationServiceInterface;
6
  
7
class JsonAuthentication implements AuthenticationServiceInterface
8
{
9
    public function authenticate($JsonData)
10
    {
11
      // parse the incoming JSON data in the $JsonData and authenticate with your db...happens here

12
      return 'JSON based Authentication';
13
    }
14
}

Now, instead of binding a class, we'll bind an interface. Revisit the EnvatoCustomServiceProvider.php file and change the code as shown below.

1
<?php
2
3
namespace App\Providers;
4
5
use Illuminate\Support\ServiceProvider;
6
use App\Library\Services\JsonAuthentication;
7
8
class EnvatoCustomServiceProvider extends ServiceProvider
9
{
10
    /**

11
     * Register services.

12
     *

13
     * @return void

14
     */
15
    public function register()
16
    {
17
        $this->app->bind('App\Library\Services\Contracts\AuthenticationServiceInterface', function ($app) {
18
          return new JsonAuthentication();
19
        });
20
    }
21
22
    /**

23
     * Bootstrap services.

24
     *

25
     * @return void

26
     */
27
    public function boot()
28
    {
29
        //

30
    }
31
}

In this case, we've bound the App\Library\Services\Contracts\AuthenticationServiceInterface interface to the JsonAuthentication implementation. Hence, whenever the App\Library\Services\Contracts\AuthenticationServiceInterface dependency needs to be resolved, it instantiates and returns the App\Library\Services\JsonAuthentication object. Now it makes more sense, doesn't it?

Let's quickly revise the controller code as well.

1
<?php
2
namespace App\Http\Controllers;
3
  
4
use App\Http\Controllers\Controller;
5
use App\Library\Services\Contracts\AuthenticationServiceInterface;
6
  
7
class AuthenticateController extends Controller
8
{
9
    public function index(AuthenticationServiceInterface $authenticationServiceInstance)
10
    {
11
        // Initialize $credentials by fetching it from the Request object here...

12
        echo $authenticationServiceInstance->authenticate($credentials);
13
    }
14
}

As you may have guessed, the $authenticationServiceInterface variable should be the instance of App\Library\Services\JsonAuthentication!

Before you test the above implementation, make sure to clear caches with the following commands.

1
php artisan cache:clear
2
php artisan config:clear
3
php artisan clear-compiled

Now, when you run the https://your-laravel-url/authenticate/index URL, it should print the JSON based Authentication message.

The beauty of this approach is that you can swap the JsonAuthentication implementation with the other one easily. Let's say you want to use the XmlAuthentication implementation instead of JsonAuthentication. In that case, you just need to make the following changes in the service provider EnvatoCustomServiceProvider.php file.

Find the following line:

1
use App\Library\Services\JsonAuthentication;

And replace it with:

1
use App\Library\Services\XmlAuthentication;

Similarly, find this one:

1
return new JsonAuthentication();

That should be replaced by:

1
return new XmlAuthentication();

You can use the same approach if you want to replace any core implementation with your own. And it's not only the bind method you could use for your service container bindings; the Laravel service container provides various ways of binding into the service container. Please check the official Laravel documentation for the complete reference.

Implement the boot Method

The next candidate is the boot method, which you could use to extend the core Laravel functionality. In this method, you could access all the services that were registered using the register method of the service provider. In most cases, you want to register your event listeners in this method, which will be triggered when something happens.

Let's have a look at a couple of examples that require the boot method implementation.

Say you want to add your own custom form field validator to Laravel.

1
public function boot()
2
{
3
    Validator::extend('my_custom_validator', function ($attribute, $value, $parameters, $validator) {
4
        // validation logic goes here...

5
    });
6
}

If you want to register a view composer, it's the perfect place to do that! In fact, the boot method is frequently used to add view composers!

1
public function boot()
2
{
3
    View::composer(
4
        'demo', 'App\Http\ViewComposers\DemoComposer'
5
    );
6
}

Of course, you want to import a facade Illuminate\Support\Facades\View in your service provider first.

In the same vein, you could share the data across multiple views as well.

1
public function boot()
2
{
3
    View::share('key', 'value');
4
}

You can also use boot to define explicit model bindings.

1
public function boot()
2
{
3
    parent::boot();
4
  
5
    Route::model('user', App\User::class);
6
}

These are just a few examples to demonstrate the uses of the boot method. The more you get into Laravel, the more reasons you'll find to implement it!

Conclusion

In this article, we started with a look at the service container. Then we looked at service providers and how they are connected with the service container.

Following that, we developed a custom service provider, and in the latter half of the article we went through a couple of practical examples.

Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Code tutorials. Never miss out on learning about the next big thing.
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.