How can I do Laravel, rest api filtering operations?

Updated: Apr 01, 2025

How can I do Laravel, rest api filtering operations?

To perform filtering operations in Laravel for a REST API, you can use query scopes or use the built-in Laravel filtering methods. In this answer, I will provide you with both methods to help you understand how to filter data in Laravel for your REST API.

Method 1: Query Scopes

Query scopes are a way to define reusable database queries in Laravel. You can define a query scope to filter data based on specific conditions. Here's an example of how to create a query scope for filtering data based on a specific status:

  1. Define a query scope in your model:
namespace App\Models;

use Illuminate\Database\Eloquent\Model;

class Product extends Model
{
    // ...

    public function scopeFilterByStatus($query, $status)
    {
        return $query->where('status', $status);
    }
}
  1. Use the query scope in your controller:
namespace App\Http\Controllers;

use App\Models\Product;

class ProductController extends Controller
{
    public function index()
    {
        $status = request()->query('status');

        if ($status !== null) {
            $products = Product::query()->filterByStatus($status)->get();
        } else {
            $products = Product::all();
        }

        return response()->json($products);
    }
}
  1. Make a request to your API with the status query parameter:
GET /api/products?status=published

Method 2: Built-in Laravel filtering methods

Laravel provides built-in filtering methods that you can use to filter data in your controllers. Here's an example of how to use the where method to filter data based on a specific status:

  1. Use the where method in your controller:
namespace App\Http\Controllers;

use App\Models\Product;

class ProductController extends Controller
{
    public function index()
    {
        $status = request()->query('status');

        if ($status !== null) {
            $products = Product::where('status', $status)->get();
        } else {
            $products = Product::all();
        }

        return response()->json($products);
    }
}
  1. Make a request to your API with the status query parameter:
GET /api/products?status=published

Both methods achieve the same result, but using query scopes can make your code more readable and maintainable, especially when dealing with complex filtering conditions.

I hope this answer helps you understand how to perform filtering operations in Laravel for your REST API. Let me know if you have any questions or need further clarification.