Guide for creating PHP and Laravel packages using Spatie's package-skeleton-laravel and package-skeleton-php templates. Use when the user wants to create a new PHP or Laravel package, scaffold a package. Also use when building customizable packages — covers proven patterns for extensibility (events, configurable models/jobs, action classes) instead of config option creep.
85
Quality
83%
Does it follow best practices?
Impact
Pending
No eval scenarios have been run
Advisory
Suggest reviewing before use
gh CLI installed and authenticatedphp available in PATHcomposer available in PATHAsk the user for:
spatie) — the GitHub org or usernamelaravel-cool-feature) — the repo/package nameUse defaults where sensible:
git config user.namegit config user.emailgh auth statusSpatie)laravel- prefix (e.g. CoolFeature)gh repo create <vendor>/<package-name> --template spatie/package-skeleton-laravel --public --clone
cd <package-name>If the user wants a private repo, use --private instead of --public.
WARNING: Do NOT pipe stdin to configure.php. The script's child processes (gh auth status, git log, git config) consume lines from the piped stdin, causing inputs to shift and produce garbled results. Instead, do the replacements manually:
sed to replace all placeholder strings across the repo:find . -type f -not -path './.git/*' -not -path './vendor/*' -not -name 'configure.php' -exec sed -i '' \
-e 's/:author_name/Author Name/g' \
-e 's/:author_username/authorusername/g' \
-e 's/author@domain\.com/author@email.com/g' \
-e 's/:vendor_name/Vendor Name/g' \
-e 's/:vendor_slug/vendorslug/g' \
-e 's/VendorName/VendorNamespace/g' \
-e 's/:package_slug_without_prefix/package-without-prefix/g' \
-e 's/:package_slug/package-name/g' \
-e 's/:package_name/package-name/g' \
-e 's/:package_description/Package description here/g' \
-e 's/Skeleton/ClassName/g' \
-e 's/skeleton/package-name/g' \
-e 's/migration_table_name/package_without_prefix/g' \
-e 's/variable/variableName/g' \
{} +Important: The order of -e flags matters. Replace :package_slug_without_prefix before :package_slug to avoid partial matches. Replace Skeleton (PascalCase) before skeleton (lowercase).
mv src/Skeleton.php src/ClassName.php
mv src/SkeletonServiceProvider.php src/ClassNameServiceProvider.php
mv src/Facades/Skeleton.php src/Facades/ClassName.php
mv src/Commands/SkeletonCommand.php src/Commands/ClassNameCommand.php
mv config/skeleton.php config/package-without-prefix.php
mv database/migrations/create_skeleton_table.php.stub database/migrations/create_package_without_prefix_table.php.stubconfigure.php and run composer install:rm configure.php
composer installUse a longer timeout (5 minutes) for composer install.
After the script completes:
# Check the directory structure
ls -la src/
# Verify composer.json looks correct
cat composer.json | head -20
# Check tests passed during setupThe configure script modifies all files but doesn't commit. Create the initial commit:
git add -A
git commit -m "Configure package skeleton"
git push -u origin mainTell the user:
https://github.com/<vendor>/<package-name>)VendorNamespace\ClassName)src/<ClassName>.php — main package classsrc/<ClassName>ServiceProvider.php — service providerconfig/<package-slug>.php — configurationtests/ — test directorysrc/
YourClass.php # Main package class
YourClassServiceProvider.php # Service provider (uses spatie/laravel-package-tools)
Facades/YourClass.php # Facade
Commands/YourClassCommand.php # Artisan command stub
config/
your-package.php # Published config file
database/
factories/ModelFactory.php # Factory template (commented out)
migrations/create_table.php.stub # Migration stub
resources/views/ # Blade views
tests/
TestCase.php # Extends Orchestra\Testbench\TestCase
ArchTest.php # Architecture tests (no dd/dump/ray)
ExampleTest.php # Starter test
Pest.php # Pest config binding TestCaseUses spatie/laravel-package-tools:
public function configurePackage(Package $package): void
{
$package
->name('your-package')
->hasConfigFile()
->hasViews()
->hasMigration('create_your_package_table')
->hasCommand(YourClassCommand::class);
}Remove methods you don't need. Delete corresponding directories/files too:
database/ and remove ->hasMigration()src/Commands/ and remove ->hasCommand()resources/views/ and remove ->hasViews()src/Facades/ and remove facade alias from composer.json extra.laravel.aliasesconfig/ and remove ->hasConfigFile()composer test # Run tests
composer format # Run code style fixer
composer analyse # Run static analysisuse Spatie\LaravelPackageTools\Commands\InstallCommand;
$package->hasInstallCommand(function (InstallCommand $command) {
$command
->publishConfigFile()
->publishMigrations()
->askToRunMigrations()
->askToStarRepoOnGitHub('vendor/package-name');
});clear(), forget(), save()).php-guidelines-from-spatie skill.Builder-style classes where every setter returns $this. Users should be able to chain configuration calls naturally.
Pdf::view('invoice', $data)->format('a4')->landscape()->save('invoice.pdf');The package should work well out of the box with zero configuration. Only require explicit setup for non-standard use cases. Provide safe defaults in the config file and apply them when values aren't explicitly set.
Back facades with a factory that creates a fresh builder per call to prevent state bleed between requests.
// Factory intercepts calls via __call() to create fresh builder instances
class PdfFactory {
public function __call($method, $parameters) {
return (clone $this->builder)->$method(...$parameters);
}
}Use PHP enums for any fixed set of options instead of string constants. This gives type safety and IDE support.
Group related settings into small readonly classes (like PdfOptions, ScreenshotOptions) rather than passing many loose parameters between layers.
Name exceptions after what went wrong and provide static factory methods for specific scenarios with helpful error messages:
class CouldNotGeneratePdf extends Exception
{
public static function browsershotNotInstalled(): static
{
return new static('To use Browsershot, install it via `composer require spatie/browsershot`.');
}
}Use Conditionable (for when()/unless() chaining), Macroable (for runtime extension), and Dumpable (for debugging) on builder classes.
Define interfaces for components users might want to swap. Keep them small — one or two methods is ideal:
interface PdfDriver {
public function generatePdf(string $html, ...): string;
public function savePdf(string $html, ..., string $path): void;
}Let users swap implementations via config rather than requiring service provider overrides:
// config/your-package.php
'driver' => env('LARAVEL_PDF_DRIVER', 'browsershot'),
'cache_profile' => App\CacheProfiles\CustomCacheProfile::class,
'hasher' => App\Hashers\CustomHasher::class,Provide a ::fake() method on the facade that swaps in a fake builder. Track calls and offer assertion methods:
Pdf::fake();
// ... code that generates PDFs ...
Pdf::assertSaved(fn ($pdf, $path) => $path === 'invoice.pdf');
Pdf::assertQueued();
Pdf::assertNotQueued();Fire events for important lifecycle moments so users can hook into the workflow without modifying package code.
Don't add small config options for every customization request. Instead, give users full control via class extension.
Fire events and let users listen:
event(new TransformerStarting($transformer, $url));
$transformer->transform();
event(new TransformerEnded($transformer, $url, $result));Let users specify their own model class in config:
// config
'model' => Spatie\Package\Models\Result::class,
// In package code — always resolve from config:
$model = config('your-package.model');
$model::find($id);Let users specify their own job class in config:
'process_job' => Spatie\Package\Jobs\ProcessJob::class,Wrap small pieces of functionality in action classes registered in config:
'actions' => [
'fetch_content' => Spatie\Package\Actions\FetchContentAction::class,
],Users override by extending and registering their custom action.
For expensive operations, provide saveQueued() that returns a wrapper around PendingDispatch with then()/catch() callbacks:
Pdf::view('invoice', $data)
->saveQueued('invoice.pdf')
->then(fn ($path) => /* success */)
->catch(fn ($e) => /* failure */)
->onQueue('pdfs');EventNotificationConfig{Service}Driver for driver implementationsCould Not... for exception classesFake prefix for test doublesAlways add block comments above each config key or group explaining what it does:
return [
/*
* When disabled, the middleware will not convert any responses.
*/
'enabled' => env('PACKAGE_ENABLED', true),
/*
* The driver used to perform the operation.
* Supported: "local", "cloud"
*/
'driver' => env('PACKAGE_DRIVER', 'local'),
'cache' => [
/*
* How long results should be cached, in seconds.
*/
'ttl' => (int) env('PACKAGE_CACHE_TTL', 3600),
],
];Use /* */ block comments (not //). Mention supported values, defaults, and any non-obvious behavior. Keep comments concise — one to three lines.
down methods to migrationprotected visibility over private355d067
If you maintain this skill, you can claim it as your own. Once claimed, you can manage eval scenarios, bundle related skills, attach documentation or rules, and ensure cross-agent compatibility.