Supercharge your Laravel application with static file caching. Laravel Static converts your dynamic Laravel responses into static HTML files, dramatically improving performance and reducing server load.
Traditional Laravel applications generate HTML on every request, hitting your database and executing PHP code repeatedly. Laravel Static solves this by:
- Converting dynamic responses to static HTML files — Serve pre-generated HTML instead of executing PHP on every request
- Reducing server load — Let your web server (Nginx, Apache) serve static files directly
- Improving response times — Static files are served in milliseconds, not hundreds of milliseconds
- Supporting multiple caching strategies — Choose between route-based caching or automatic web crawling
- Handling complex scenarios — Multi-domain support, query string handling, and HTML minification
- PHP 8.1 or higher
- Laravel 11.0 or higher
Install the package via Composer:
composer require backstage/laravel-staticPublish the configuration file:
php artisan vendor:publish --tag="laravel-static-config"Optionally, publish the migrations if you need database-backed features:
php artisan vendor:publish --tag="laravel-static-migrations"
php artisan migrateAdd the STATIC_ENABLED=true environment variable to your .env file:
STATIC_ENABLED=trueApply the StaticResponse middleware to routes you want to cache:
use Backstage\LaravelStatic\Middleware\StaticResponse;
Route::get('/', function () {
return view('welcome');
})->middleware(StaticResponse::class);
// Or apply to route groups
Route::middleware([StaticResponse::class])->group(function () {
Route::get('/about', [PageController::class, 'about']);
Route::get('/contact', [PageController::class, 'contact']);
Route::get('/blog', [BlogController::class, 'index']);
});Generate your static files:
php artisan static:buildThat's it! Your routes are now served as static HTML files.
The configuration file is located at config/static.php. Here's a breakdown of all available options:
'driver' => 'crawler', // Options: 'crawler' or 'routes'| Driver | Description |
|---|---|
crawler |
Uses Spatie Crawler to automatically discover and cache all internal URLs starting from your homepage. Best for sites with many interconnected pages. |
routes |
Only caches routes that have the StaticResponse middleware explicitly applied. Best for selective caching. |
'enabled' => env('STATIC_ENABLED', true),Toggle static caching on or off. Useful for disabling in development while keeping it enabled in production.
'build' => [
'clear_before_start' => true, // Clear existing cache before rebuilding
'concurrency' => 5, // Number of concurrent HTTP requests
'accept_no_follow' => true, // Follow nofollow links when crawling
'default_scheme' => 'https', // URL scheme for crawler requests
'crawl_observer' => \Backstage\LaravelStatic\Crawler\StaticCrawlObserver::class,
'crawl_profile' => \Spatie\Crawler\CrawlProfiles\CrawlInternalUrls::class,
'bypass_header' => [
'name' => 'X-Laravel-Static',
'value' => 'off',
],
],'files' => [
'disk' => env('STATIC_DISK', 'public'), // Laravel filesystem disk
'include_domain' => true, // Create separate caches per domain
'include_query_string' => true, // Include query strings in cache keys
'filepath_max_length' => 4096, // Maximum file path length
'filename_max_length' => 255, // Maximum filename length
],'options' => [
'on_termination' => false, // Save cache after response sent (async)
'minify_html' => false, // Minify HTML before caching
],Generate static files for all configured routes:
php artisan static:buildWhen using the routes driver, only routes with the StaticResponse middleware are cached. When using the crawler driver, the crawler starts from your homepage and discovers all internal links.
Clear all cached static files:
php artisan static:clearClear specific URIs:
php artisan static:clear --uri=/about --uri=/contactClear by route names:
php artisan static:clear --routes=home --routes=about --routes=blog.indexClear by domain (useful for multi-tenant applications):
php artisan static:clear --domain=example.com
php artisan static:clear --domain=subdomain.example.comLaravel Static supports multi-domain setups out of the box. When include_domain is enabled (default), each domain gets its own cache directory:
storage/app/public/
├── example.com/
│ ├── GET/
│ │ ├── index.html
│ │ └── about.html
├── subdomain.example.com/
│ ├── GET/
│ │ └── index.html
When include_query_string is enabled, different query strings create separate cache files:
/products?page=1 → products/page=1.html
/products?page=2 → products/page=2.html
/search?q=laravel → search/q=laravel.html
Enable HTML minification to reduce file sizes:
// config/static.php
'options' => [
'minify_html' => true,
],This removes unnecessary whitespace, comments, and optimizes the HTML output using the voku/html-min library.
During development or testing, you may want to bypass the static cache. The package includes a bypass header mechanism:
curl -H "X-Laravel-Static: off" https://example.com/This header tells the middleware to skip the static cache and generate a fresh response.
Use the StaticCache facade to clear cache programmatically:
use Backstage\LaravelStatic\Facades\StaticCache;
// Clear all cache
StaticCache::clear();
// Clear specific paths
StaticCache::clear(['/about', '/contact']);Create a custom crawl observer to customize the crawling behavior:
namespace App\Crawlers;
use Backstage\LaravelStatic\Crawler\StaticCrawlObserver;
use Psr\Http\Message\UriInterface;
use Psr\Http\Message\ResponseInterface;
class CustomCrawlObserver extends StaticCrawlObserver
{
public function crawled(UriInterface $url, ResponseInterface $response, ?UriInterface $foundOnUrl = null): void
{
// Add custom logic before caching
logger()->info("Caching: {$url}");
parent::crawled($url, $response, $foundOnUrl);
}
}Update your configuration:
'build' => [
'crawl_observer' => \App\Crawlers\CustomCrawlObserver::class,
],Control which URLs get crawled by creating a custom crawl profile:
namespace App\Crawlers;
use Psr\Http\Message\UriInterface;
use Spatie\Crawler\CrawlProfiles\CrawlProfile;
class CustomCrawlProfile extends CrawlProfile
{
public function shouldCrawl(UriInterface $url): bool
{
$path = $url->getPath();
// Skip admin routes
if (str_starts_with($path, '/admin')) {
return false;
}
// Skip API routes
if (str_starts_with($path, '/api')) {
return false;
}
return true;
}
}Routes with parameters cannot be automatically cached (they require specific values). You can also explicitly exclude routes by not applying the middleware:
// These routes will be cached
Route::middleware([StaticResponse::class])->group(function () {
Route::get('/', [HomeController::class, 'index']);
Route::get('/about', [PageController::class, 'about']);
});
// These routes will NOT be cached (no middleware)
Route::get('/dashboard', [DashboardController::class, 'index']);
Route::get('/user/{id}', [UserController::class, 'show']); // Has parametersEnable on_termination to generate cache files after the response is sent to the user:
'options' => [
'on_termination' => true,
],This improves perceived performance as users don't wait for the cache file to be written.
For optimal performance, configure your web server to serve static files directly without hitting PHP.
server {
listen 80;
server_name example.com;
root /var/www/html/public;
# Try static cache first, then Laravel
location / {
# Check for static cache file
set $cache_path /storage/example.com/GET$uri;
# Handle index files
if (-f $document_root$cache_path/index.html) {
rewrite ^ $cache_path/index.html last;
}
# Handle direct files
if (-f $document_root$cache_path.html) {
rewrite ^ $cache_path.html last;
}
# Fall back to Laravel
try_files $uri $uri/ /index.php?$query_string;
}
location ~ \.php$ {
fastcgi_pass unix:/var/run/php/php8.1-fpm.sock;
fastcgi_param SCRIPT_FILENAME $realpath_root$fastcgi_script_name;
include fastcgi_params;
}
}<IfModule mod_rewrite.c>
RewriteEngine On
# Check for static cache
RewriteCond %{DOCUMENT_ROOT}/storage/%{HTTP_HOST}/GET%{REQUEST_URI}.html -f
RewriteRule ^(.*)$ /storage/%{HTTP_HOST}/GET/$1.html [L]
RewriteCond %{DOCUMENT_ROOT}/storage/%{HTTP_HOST}/GET%{REQUEST_URI}/index.html -f
RewriteRule ^(.*)$ /storage/%{HTTP_HOST}/GET/$1/index.html [L]
# Laravel fallback
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule ^(.*)$ index.php [L]
</IfModule>Clear cache when content changes using model events:
use Backstage\LaravelStatic\Facades\StaticCache;
class Post extends Model
{
protected static function booted()
{
static::saved(function (Post $post) {
StaticCache::clear([
"/blog/{$post->slug}",
'/blog',
]);
});
static::deleted(function (Post $post) {
StaticCache::clear([
"/blog/{$post->slug}",
'/blog',
]);
});
}
}Add a scheduled task to rebuild your cache periodically:
// app/Console/Kernel.php or bootstrap/app.php (Laravel 11+)
Schedule::command('static:build')->daily();Clear and rebuild cache during deployments:
#!/bin/bash
# deploy.sh
php artisan static:clear
php artisan static:build| Feature | Routes Driver | Crawler Driver |
|---|---|---|
| Setup complexity | Manual (add middleware to each route) | Automatic (discovers all pages) |
| Control | Fine-grained | Less control |
| Speed | Faster (only caches specified routes) | Slower (crawls entire site) |
| Discovery | Manual | Automatic |
| Best for | Selective caching, large apps | Content sites, blogs |
- Request Interception: The
StaticResponsemiddleware intercepts outgoing responses - Eligibility Check: Only
GET/HEADrequests with200 OKstatus are cached - File Generation: HTML content is saved to the configured storage disk
- Optional Minification: If enabled, HTML is minified before saving
- Directory Structure: Files are organized by domain, HTTP method, and URI path
The PreventStaticResponseMiddleware (automatically registered) handles bypass headers and ensures proper behavior during cache building.
- Ensure
STATIC_ENABLED=trueis set in your.env - Verify the
StaticResponsemiddleware is applied to your routes - Check that the storage disk is writable
- Routes with parameters cannot be cached automatically
- Only
200 OKresponses are cached
- Verify static files exist in your storage directory
- Check web server configuration
- Ensure the bypass header is not being sent accidentally
- Check if pages are linked from the homepage
- Verify
accept_no_followsetting if usingrel="nofollow"links - Review your crawl profile configuration
- Note: JavaScript-rendered content is not supported
If you encounter file path length errors:
- Check the
filepath_max_lengthandfilename_max_lengthsettings - Consider using shorter URLs or disabling query string caching
- The package will skip files that exceed the configured limits
Run the test suite:
composer testRun tests with coverage:
composer test-coverageRun static analysis:
composer analyseFormat code:
composer formatPlease see CHANGELOG for more information on what has changed recently.
Please see CONTRIBUTING for details.
Please review our security policy on how to report security vulnerabilities.
Built with Spatie Crawler and voku/HtmlMin.
The MIT License (MIT). Please see License File for more information.