jodeveloper / approval-flow
A Laravel package for managing approval workflows with enums and traits
Requires
- php: ^8.1
- illuminate/contracts: ^10.0|^11.0|^12.0
- spatie/laravel-package-tools: ^1.16
Requires (Dev)
- laravel/pint: ^1.0
- nunomaduro/collision: ^8.0
- nunomaduro/larastan: ^3.0
- orchestra/testbench: ^10.0
- pestphp/pest: ^3.0
- pestphp/pest-plugin-arch: ^3.0
- pestphp/pest-plugin-laravel: ^3.0
- phpstan/extension-installer: ^1.1
- phpstan/phpstan: ^2.0
- phpstan/phpstan-deprecation-rules: ^2.0
- phpstan/phpstan-phpunit: ^2.0
- spatie/laravel-ray: ^1.26
README
A powerful Laravel package for managing approval workflows using PHP 8.1+ enums and traits. Create complex approval processes with ease!
Features
- ✅ Type-safe approval flows using PHP 8.1 enums
- ✅ Reusable trait for any Eloquent model
- ✅ Permission-based approvals with Laravel's authorization system
- ✅ Event-driven architecture for notifications and logging
- ✅ Automatic activity logging with user tracking
- ✅ Bulk approval operations
- ✅ Artisan command to generate approval flow enums
- ✅ Comprehensive testing with Pest
Installation
You can install the package via composer:
composer require jodeveloper/approval-flow
You can publish and run the migrations with:
php artisan vendor:publish --tag="approval-flow-migrations"
php artisan migrate
You can publish the config file with:
php artisan vendor:publish --tag="approval-flow-config"
Quick Start
1. Create an Approval Flow Enum
Generate a new approval flow enum:
php artisan make:approval-flow Document
This creates app/Enums/DocumentStatuses.php
:
<?php namespace App\Enums; use jodeveloper\ApprovalFlow\Contracts\ApprovalStatusInterface; use jodeveloper\ApprovalFlow\DataTransferObjects\ApprovalFlowStep; enum DocumentStatuses: string implements ApprovalStatusInterface { case DRAFT = 'DRAFT'; case MANAGER_REVIEW = 'MANAGER_REVIEW'; case DIRECTOR_REVIEW = 'DIRECTOR_REVIEW'; case APPROVED = 'APPROVED'; case REJECTED = 'REJECTED'; public static function getApprovalFlow(): array { return [ self::DRAFT->name => new ApprovalFlowStep( permission: null, // No permission required for initial submission next: self::MANAGER_REVIEW->name, ), self::MANAGER_REVIEW->name => new ApprovalFlowStep( permission: 'managerApprove', next: self::DIRECTOR_REVIEW->name, ), self::DIRECTOR_REVIEW->name => new ApprovalFlowStep( permission: 'directorApprove', next: self::APPROVED->name, ), ]; } public static function getRejectionStatuses(): array { return [ self::MANAGER_REVIEW->value => self::REJECTED->value, self::DIRECTOR_REVIEW->value => self::REJECTED->value, ]; } public static function getCompletedStatus(): string { return self::APPROVED->value; } /** * Define simple status transitions that bypass the approval workflow. * Use this for automatic transitions that don't require permissions. * * @return array<string, string> Maps current status to next status */ public static function getStatusTransitions(): array { return [ // Example: 'AUTO_APPROVED' => 'COMPLETED', // Example: 'EXPIRED' => 'CANCELLED', ]; } }
2. Add the Trait to Your Model
<?php namespace App\Models; use Illuminate\Database\Eloquent\Model; use jodeveloper\ApprovalFlow\Traits\HasApprovalFlow; class Document extends Model { use HasApprovalFlow; protected $fillable = [ 'title', 'content', 'status_id', 'approval_comment', 'rejection_note', ]; public function status() { return $this->belongsTo(Status::class); } public static function getStatusEnum(): string { return DocumentStatuses::class; } public static function getStatus(string $code) { return Status::where('code', $code)->first(); } }
3. Use in Controllers
<?php namespace App\Http\Controllers; use App\Models\Document; use Illuminate\Http\Request; class DocumentApprovalController extends Controller { public function approve(Request $request, Document $document) { if (!$document->canApprove()) { return response()->json(['error' => 'Unauthorized'], 403); } if ($document->approve($request->comment)) { return response()->json([ 'message' => 'Document approved successfully', 'status' => $document->fresh()->status->name ]); } return response()->json(['error' => 'Could not approve document'], 400); } public function reject(Request $request, Document $document) { $request->validate(['note' => 'required|string|max:1000']); if (!$document->canReject()) { return response()->json(['error' => 'Unauthorized'], 403); } if ($document->reject($request->note)) { return response()->json(['message' => 'Document rejected']); } return response()->json(['error' => 'Could not reject document'], 400); } }
Usage Examples
Basic Approval Operations
$document = Document::find(1); // Check permissions if ($document->canApprove()) { $document->approve('Looks good!'); } if ($document->canReject()) { $document->reject('Please revise section 3'); } // Check status if ($document->isCompleted()) { // Document is fully approved } if ($document->isInApprovalProcess()) { $step = $document->getCurrentApprovalStep(); echo "Waiting for: " . $step->role; }
Bulk Operations
use jodeveloper\ApprovalFlow\ApprovalFlowManager; $manager = app(ApprovalFlowManager::class); // Bulk approve multiple documents $documents = Document::where('status_id', $pendingStatusId)->get(); $results = $manager->bulkApprove($documents, 'Batch approval'); // Results contain success and failed arrays echo "Approved: " . count($results['success']); echo "Failed: " . count($results['failed']);
Approval Statistics
$manager = app(ApprovalFlowManager::class); $stats = $manager->getApprovalStats($document); /* Array output: [ 'total_approvals' => 2, 'total_rejections' => 1, 'current_status' => 'MANAGER_REVIEW', 'is_completed' => false, 'can_approve' => true, 'can_reject' => true, 'next_step' => 'Manager' ] */
Event Handling
The package fires events that you can listen to:
// In your EventServiceProvider use jodeveloper\ApprovalFlow\Events\ModelApproved; use jodeveloper\ApprovalFlow\Events\ModelRejected; protected $listen = [ ModelApproved::class => [ SendApprovalNotification::class, ], ModelRejected::class => [ SendRejectionNotification::class, ], ];
Create listeners:
<?php namespace App\Listeners; use jodeveloper\ApprovalFlow\Events\ModelApproved; use Illuminate\Support\Facades\Mail; class SendApprovalNotification { public function handle(ModelApproved $event): void { // Send notification to next approver or completion notification $model = $event->model; $nextStep = $model->getCurrentApprovalStep(); if ($nextStep) { // Notify next approver Mail::to($nextStep->role)->send(new ApprovalNeeded($model)); } else { // Notify completion Mail::to($model->user)->send(new ApprovalCompleted($model)); } } }
Approval History
// Get approval history for a model $history = $document->approvalHistory; foreach ($history as $log) { echo "{$log->user->name} {$log->action} on {$log->created_at}"; if ($log->comment) { echo " - Comment: {$log->comment}"; } }
Custom Status Transitions
For simple status changes that don't require approval workflow:
enum DocumentStatuses: string implements ApprovalStatusInterface { case DRAFT = 'DRAFT'; case ON_HOLD = 'ON_HOLD'; case ARCHIVED = 'ARCHIVED'; case AUTO_APPROVED = 'AUTO_APPROVED'; case EXPIRED = 'EXPIRED'; // ... other cases public static function getStatusTransitions(): array { return [ // Simple transitions without permissions self::DRAFT->name => self::ON_HOLD->name, self::ON_HOLD->name => self::DRAFT->name, // Automatic system transitions self::AUTO_APPROVED->name => self::APPROVED->name, self::EXPIRED->name => self::ARCHIVED->name, ]; } // ... other methods }
When to use getStatusTransitions()
:
- ✅ Automatic transitions (system-triggered)
- ✅ Simple state changes (no approval needed)
- ✅ Performance optimization (bypass permission checks)
- ✅ Fallback transitions (when approval flow not applicable)
When to use getApprovalFlow()
:
- ❌ Permission-based approvals
- ❌ Multi-step workflows
- ❌ User-triggered transitions
- ❌ Audit trails required
Advanced Configuration
Custom Approval Log Model
If you want to extend the approval logging functionality:
<?php namespace App\Models; use jodeveloper\ApprovalFlow\Models\ApprovalLog as BaseApprovalLog; class CustomApprovalLog extends BaseApprovalLog { protected $fillable = [ ...parent::$fillable, 'department', 'priority', ]; // Add custom relationships or methods public function department() { return $this->belongsTo(Department::class); } }
Then update your config:
// config/approval-flow.php return [ 'models' => [ 'approval_log' => \App\Models\CustomApprovalLog::class, ], // ... ];
Disable Logging
// In your .env file APPROVAL_FLOW_LOG_ENABLED=false // Or in config/approval-flow.php 'log_approvals' => false,
Testing
composer test
Package Structure
src/
├── ApprovalFlowServiceProvider.php
├── ApprovalFlowManager.php
├── Commands/
│ └── MakeApprovalFlowCommand.php
├── Contracts/
│ └── ApprovalStatusInterface.php
├── DataTransferObjects/
│ └── ApprovalFlowStep.php
├── Events/
│ ├── ModelApproved.php
│ └── ModelRejected.php
├── Exceptions/
│ └── ApprovalFlowException.php
├── Listeners/
│ └── LogApprovalActivity.php
├── Models/
│ └── ApprovalLog.php
└── Traits/
└── HasApprovalFlow.php
Changelog
Please see CHANGELOG for more information on what has changed recently.
Contributing
Please see CONTRIBUTING for details.
Security Vulnerabilities
Please review our security policy on how to report security vulnerabilities.
Credits
License
The MIT License (MIT). Please see License File for more information.