othyn/filament-api-resources

A Laravel package that enables Filament to work seamlessly with API-backed resources instead of traditional Eloquent models

v1.0.0 2025-06-23 16:35 UTC

This package is auto-updated.

Last update: 2025-06-23 16:43:52 UTC


README

A Laravel package that enables Filament to work seamlessly with API-backed resources instead of traditional Eloquent models. This package provides all the necessary components to build Filament admin panels that consume REST APIs. The standard approach is to reach for the superb package known as Sushi, but I've found that a bit limiting when it came to supporting the rest of Filaments feature suite, as well as pagination being an awkward solve. So with that in mind, I created this package.

Exciting news: Over the weekend, the new Filament V4 Beta was released with official support for array drivers, allowing API's to be used with tables, search, filtering, etc. so I can't imagine this package will be useful for much longer! Glad to see upstream support for this use case now though, well done to the Filament team as always!

Features

  • 🚀 API-First: Built specifically for API-backed resources
  • 🔄 Livewire Integration: Custom synthesizer for proper Livewire state management
  • 📄 Pagination Support: Automatic pagination handling for API responses
  • 💾 Caching: Built-in response caching with configurable TTL
  • 🛠 Flexible: Configurable response structure and headers
  • 🎯 Filament Native: Works with all standard Filament features (tables, forms, actions, etc.)

Installation

Install the package via Composer:

composer require othyn/filament-api-resources

Publish the configuration file:

php artisan vendor:publish --tag=filament-api-resources-config

Configuration

Configure your API settings in config/filament-api-resources.php:

return [
    'base_url' => env('FILAMENT_API_BASE_URL', 'https://api.example.com'),
    'default_headers' => [
        'Authorization' => 'Bearer ' . env('FILAMENT_API_TOKEN', ''),
        'Accept' => 'application/json',
        'Content-Type' => 'application/json',
    ],
    // ... more configuration options
];

Add the following environment variables to your .env file:

FILAMENT_API_BASE_URL=https://your-api.com/api
FILAMENT_API_TOKEN=your-api-token

Usage

1. Create an API Model

Extend the BaseApiModel class to create your API-backed models:

<?php

namespace App\Models;

use Othyn\FilamentApiResources\Models\BaseApiModel;

class User extends BaseApiModel
{
    protected static string $endpoint = '/users';

    protected $fillable = [
        'id',
        'name',
        'email',
        'created_at',
    ];

    protected function makeInstance(array $data): self
    {
        $user = new self();

        // In production, validate the API response data here
        // to ensure data integrity before creating the instance

        $user->fill([
            'id' => $data['id'],
            'name' => $data['name'],
            'email' => $data['email'],
            'created_at' => $data['created_at'],
        ]);

        $user->exists = true;

        return $user;
    }

    public static function get(int|string $id, bool $forceCacheRefresh = false): ?self
    {
        $instance = new self();
        $response = $instance->fetchResource(
            params: ['id' => $id],
            cacheSeconds: 60,
            forceCacheRefresh: $forceCacheRefresh
        );

        if (empty($response['data'])) {
            return null;
        }

        return $instance->makeInstance($response['data']);
    }
}

2. Create Filament Resource Pages

Use the provided base classes for your Filament resource pages:

List Page:

<?php

namespace App\Filament\Resources\UserResource\Pages;

use Othyn\FilamentApiResources\Resources\Pages\ListApiRecords;
use App\Filament\Resources\UserResource;

class ListUsers extends ListApiRecords
{
    protected static string $resource = UserResource::class;
}

View Page:

<?php

namespace App\Filament\Resources\UserResource\Pages;

use Othyn\FilamentApiResources\Resources\Pages\ViewApiRecord;
use App\Filament\Resources\UserResource;

class ViewUser extends ViewApiRecord
{
    protected static string $resource = UserResource::class;
}

3. Create Your Filament Resource

Create a standard Filament resource that uses your API model:

Important: When using API resources, you must add ->paginated(), and optionally ->deferLoading() to not block page loading on the API response, to your table configuration to ensure proper pagination and loading behavior. The pagination will automatically be forwarded to API calls.

<?php

namespace App\Filament\Resources;

use App\Models\User;
use Filament\Resources\Resource;
use Filament\Tables;
use Filament\Tables\Table;

class UserResource extends Resource
{
    protected static ?string $model = User::class;
    protected static ?string $navigationIcon = 'heroicon-o-users';

    public static function table(Table $table): Table
    {
        return $table
            ->columns([
                Tables\Columns\TextColumn::make('id'),
                Tables\Columns\TextColumn::make('name'),
                Tables\Columns\TextColumn::make('email'),
                Tables\Columns\TextColumn::make('created_at')
                    ->dateTime(),
            ])
            ->actions([
                Tables\Actions\ViewAction::make(),
                Tables\Actions\DeleteAction::make(),
            ])
            ->paginated()
            ->deferLoading();
    }

    public static function getPages(): array
    {
        return [
            'index' => Pages\ListUsers::route('/'),
            'view' => Pages\ViewUser::route('/{record}'),
        ];
    }
}

Advanced Usage

Custom Response Structure

If your API uses a different response structure, you can customize it per model using dot notation:

class User extends BaseApiModel
{
    protected static string $totalKey = 'meta.total';        // For APIs that return total in meta.total
    protected static string $resultsKey = 'response.users';  // For APIs that return data in response.users

    // ... rest of your model
}

Custom Headers per Request

You can add custom headers for specific requests:

protected function fetchResource(array $params = [], ?int $currentPage = null, ?int $cacheSeconds = null, bool $forceCacheRefresh = false): array
{
    return $this->getApiService()->fetch(
        endpoint: static::$endpoint,
        params: $params,
        currentPage: $currentPage,
        cacheSeconds: $cacheSeconds,
        forceCacheRefresh: $forceCacheRefresh,
        headers: ['X-Custom-Header' => 'value']
    );
}

Refreshing Data

In your view pages, you can refresh data from the API manually, in the case that you've performed some form of Livewire action on the page and wish to refresh the page state and repaint:

public function refreshData(): void
{
    $this->refreshRecord(forceCacheRefresh: true);

    $this->notify('Data refreshed successfully!');
}

API Response Format

By default, the package expects your API to return responses in Laravel's standard paginated format:

{
    "data": {
        "current_page": 1,
        "data": [
            {
                "id": 1,
                "name": "John Doe",
                "email": "john@example.com"
            }
        ],
        "total": 100,
        "per_page": 15
    }
}

This matches Laravel's default API resource pagination format. You can customize the response structure keys in the configuration file if your API uses a different format.

Pagination Query Parameters

When fetching paginated data, the package automatically sends the following query parameters to your API:

  • page - The current page number (e.g., ?page=2)
  • per_page - The number of items per page (e.g., ?per_page=15)

These parameter names can be customized in the configuration file:

// config/filament-api-resources.php
'pagination_params' => [
    'page' => 'page',           // Change to 'p' if your API uses ?p=2
    'per_page' => 'per_page',   // Change to 'limit' if your API uses ?limit=15
],

Error Handling

The package includes built-in error handling for API requests. Failed requests will throw exceptions with detailed error messages. You can catch and handle these in your application as needed.

Caching

API responses are automatically cached based on your configuration. You can:

  • Set default cache TTL in config
  • Override cache TTL per request
  • Force cache refresh when needed
  • Disable caching by setting cacheSeconds to null

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

License

This package is open-sourced software licensed under the MIT license.