JSON Web Token (JWT) Authentication with Laravel
Step-by-step guide to implementing API authentication using JSON Web Token (JWT) in Laravel. This article covers installation and configuration to secure your web application using token-based authentication.
In this article, we will implement JSON Web Token (JWT) authentication for an API in Laravel. JWT is a token-based security method that allows applications to authenticate users without storing login information in the server session, which is very useful for modern web applications.
PHP Code (Laravel)
- Install the JWT package:
First, install the JWT package using Composer:
composer require tymon/jwt-auth
- Register the package:
After installation, register the service provider in config/app.php
:
'providers' => [
Tymon\JWTAuth\Providers\LaravelServiceProvider::class,
],
- Publish the configuration file:
Run the following command to publish the JWT configuration file:
php artisan vendor:publish --provider="Tymon\JWTAuth\Providers\LaravelServiceProvider"
- Generate secret key:
You will need a secret key to encrypt the tokens. Generate a secret key by running:
php artisan jwt:secret
- Update auth configuration:
In the config/auth.php
file, update the default guard for the API:
'guards' => [
'api' => [
'driver' => 'jwt',
'provider' => 'users',
],
],
- Create API login:
Add a login method in AuthController
to issue the token:
public function login(Request $request)
{
$credentials = $request->only('email', 'password');
if (! $token = auth()->attempt($credentials)) {
return response()->json(['error' => 'Unauthorized'], 401);
}
return $this->respondWithToken($token);
}
- Method to return the token:
Add a method to return the JWT token:
protected function respondWithToken($token)
{
return response()->json([
'access_token' => $token,
'token_type' => 'bearer',
'expires_in' => auth()->factory()->getTTL() * 60
]);
}
Detailed explanation:
-
composer require tymon/jwt-auth
: This command installs the JWT package for Laravel. -
Tymon\JWTAuth\Providers\LaravelServiceProvider::class
: Registers the JWT provider in Laravel. -
php artisan jwt:secret
: Generates a secret key to encrypt tokens. -
'api' => ['driver' => 'jwt', 'provider' => 'users']
: Configures the API guard to use JWT. -
auth()->attempt($credentials)
: Authenticates the user and issues a token if successful. -
respondWithToken($token)
: Method that returns the JWT token to the client.
System requirements:
- Laravel 8.x or newer.
- PHP 7.4 or newer.
- JWT package
tymon/jwt-auth
.
How to install the libraries:
- Use Composer to install the JWT package:
composer require tymon/jwt-auth
- Run the
php artisan jwt:secret
command to generate the secret key.
Tips:
- Always protect JWT tokens using HTTPS to avoid token theft.
- Tokens should be encrypted and have an expiration time to reduce security risks.
- Use middleware to protect routes that require user authentication with JWT.