I stand up for children in need. Please join me in helping this family.
Securing Your Laravel API with Sanctum: A Comprehensive Guide
Laravel Sanctum is a powerful, lightweight authentication system for SPAs (Single Page Applications), mobile applications, and simple, token-based APIs. It provides a seamless way to handle API token authentication without the complexity of OAuth. In this post, we'll explore how to set up and use Sanctum, along with some practical examples and best practices.
Getting Started with Laravel Sanctum
First, let's install Sanctum in your Laravel project:
composer require laravel/sanctum
php artisan vendor:publish --provider="Laravel\Sanctum\SanctumServiceProvider"
php artisan migrate
Next, add the Sanctum middleware to your app/Http/Kernel.php
file:
'api' => [
\Laravel\Sanctum\Http\Middleware\EnsureFrontendRequestsAreStateful::class,
'throttle:api',
\Illuminate\Routing\Middleware\SubstituteBindings::class,
],
Implementing API Token Authentication
Creating Tokens
To create an API token for a user, you can use the
createToken
method:use App\Models\User; $user = User::find(1); $token = $user->createToken('api-token')->plainTextToken;
Authenticating Requests
To authenticate API requests, include the token in the
Authorization
header:Authorization: Bearer {your-token}
Protecting Routes
Protect your API routes using the
auth:sanctum
middleware:Route::middleware('auth:sanctum')->get('/user', function (Request $request) { return $request->user(); });
SPA Authentication
For SPA authentication, Sanctum uses Laravel's built-in cookie-based session authentication. Here's how to set it up:
Configure your
config/sanctum.php
file:'stateful' => explode(',', env('SANCTUM_STATEFUL_DOMAINS', sprintf( '%s%s', 'localhost,localhost:3000,127.0.0.1,127.0.0.1:8000,::1', env('APP_URL') ? ','.parse_url(env('APP_URL'), PHP_URL_HOST) : '' ))),
In your SPA, make a request to the
/sanctum/csrf-cookie
endpoint before logging in:axios.get('/sanctum/csrf-cookie').then(response => { // Login... });
Implement login functionality:
public function login(Request $request) { $request->validate([ 'email' => 'required|email', 'password' => 'required', ]); if (Auth::attempt($request->only('email', 'password'))) { return response()->json(Auth::user(), 200); } throw ValidationException::withMessages([ 'email' => ['The provided credentials are incorrect.'], ]); }
Suggested Usages
Mobile App Authentication: Use API tokens for authenticating mobile app requests.
public function loginMobile(Request $request) { $request->validate([ 'email' => 'required|email', 'password' => 'required', ]); $user = User::where('email', $request->email)->first(); if (! $user || ! Hash::check($request->password, $user->password)) { throw ValidationException::withMessages([ 'email' => ['The provided credentials are incorrect.'], ]); } return $user->createToken('mobile-token')->plainTextToken; }
Microservices Communication: Use Sanctum tokens for secure communication between microservices.
Third-party API Integration: Generate long-lived tokens for third-party services to access your API.
$token = $user->createToken('third-party-token', ['read'], now()->addYear())->plainTextToken;
Scoped Permissions: Implement token abilities for fine-grained access control.
Route::middleware(['auth:sanctum', 'ability:check-status'])->get('/status', function () { return response()->json(['status' => 'active']); });
Best Practices
Token Expiration: Set appropriate expiration times for tokens based on their use case.
HTTPS: Always use HTTPS in production to protect token transmission.
Token Revocation: Implement token revocation on logout or when compromised.
Rate Limiting: Apply rate limiting to prevent abuse of your API.
Laravel Sanctum provides a robust, flexible solution for API authentication in Laravel applications. By leveraging its features and following best practices, you can create secure, scalable APIs that support various authentication flows. Whether you're building a SPA, mobile app, or microservices architecture, Sanctum offers the tools to implement effective authentication with minimal overhead.
More posts
Reflections of Home: The Enduring Light of Connection
Karen Cushman's quote from "Catherine Called Birdy" uses a poetic river metaphor to illustrate how we reflect the light of our connections. It emphasizes that our identity, shaped by family, culture, and faith, keeps us connected to 'home' wherever we go.
Supercharging Your Laravel Application with Octane
Laravel Octane boosts application performance using high-powered servers like Swoole and RoadRunner. It offers features like pre-initialized workers, concurrent tasks, and a high-performance cache. Ideal for high-traffic websites, APIs, and real-time applications. Implement best practices like profiling your app and optimizing database queries for maximum benefit.
Embracing Optimism: The Power of Seeing the Good
Inspired by John Green's quote, this post explores the power of maintaining an optimistic outlook. It challenges readers to embrace the possibility of overwhelming good and provides practical tips for cultivating positivity in daily life.