How To Implement Rate Limiting In Laravel 8

Hello Artisan,

Do you know that you can restrict the amount of traffic for a given route or group of routes in Laravel using a rate limiter? Laravel includes powerful and customizable rate-limiting services and using that service we can define how many requests we will receive for a given route or group of routes.

So in this laravel 8 rate limiting tutorial, I will show you that how we can implement rate-limiting in Laravel using throttle middleware. So in this rate limiting laravel tutorial, you will learn how we can create laravel dynamic rate limiting system to block users too many requets. 

We will use RateLimiter facades to create rate limiting system in our Laravel application. So see the below example code of laravel throttle example with rate limiter class.

app\Providers\RouteServiceProvider.php

namespace App\Providers;

use Illuminate\Cache\RateLimiting\Limit;
use Illuminate\Foundation\Support\Providers\RouteServiceProvider as ServiceProvider;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\RateLimiter;
use Illuminate\Support\Facades\Route;

class RouteServiceProvider extends ServiceProvider
{

    public const HOME = '/home';

    public function boot()
    {
        $this->configureRateLimiting();

    }


    protected function configureRateLimiting(): void
    {
        RateLimiter::for('test', function (Request $request) {
            return Limit::perMinute(1);
        });
    }
}

 

Look, the above configureRateLimiting method, we've passed only one request per minute. Now how we can use this in our route:

routes/web.php

use Illuminate\Support\Facades\Route;

Route::middleware(['throttle:test'])->group(function () {
    Route::get('/', function () {
        return view('welcome');
    });
});

 

Look, we have to use throttle middleware and then after the colon, we have to pass our rate limiter name. Now if you visit this home URL after one request, you will be blocked and the returning message will be “429 Too Many Requests”. 

 

Recommended: How to Use Circuit Breaker Design Pattern in Laravel

 

Hope it can help you.

 

#laravel #laravel-8x