- Add comprehensive health check system with multiple endpoints - Add Prometheus metrics endpoint - Add production logging configurations (5 strategies) - Add complete deployment documentation suite: * QUICKSTART.md - 30-minute deployment guide * DEPLOYMENT_CHECKLIST.md - Printable verification checklist * DEPLOYMENT_WORKFLOW.md - Complete deployment lifecycle * PRODUCTION_DEPLOYMENT.md - Comprehensive technical reference * production-logging.md - Logging configuration guide * ANSIBLE_DEPLOYMENT.md - Infrastructure as Code automation * README.md - Navigation hub * DEPLOYMENT_SUMMARY.md - Executive summary - Add deployment scripts and automation - Add DEPLOYMENT_PLAN.md - Concrete plan for immediate deployment - Update README with production-ready features All production infrastructure is now complete and ready for deployment.
72 lines
2.0 KiB
PHP
72 lines
2.0 KiB
PHP
<?php
|
|
|
|
declare(strict_types=1);
|
|
|
|
namespace App\Framework\Queue\Migrations;
|
|
|
|
use App\Framework\Database\ConnectionInterface;
|
|
use App\Framework\Database\Migration\Migration;
|
|
use App\Framework\Database\Migration\MigrationVersion;
|
|
use App\Framework\Database\Schema\Schema;
|
|
|
|
final readonly class CreateJobProgressTable implements Migration
|
|
{
|
|
public function up(ConnectionInterface $connection): void
|
|
{
|
|
$schema = new Schema($connection);
|
|
|
|
$schema->createIfNotExists('job_progress', function ($table) {
|
|
// Primary key
|
|
$table->string('id', 26)->primary();
|
|
|
|
// Job reference
|
|
$table->string('job_id', 26)->index();
|
|
|
|
// Progress tracking
|
|
$table->decimal('percentage', 5, 2)->index(); // 0.00 to 100.00
|
|
$table->text('message');
|
|
$table->string('step_name', 100)->nullable()->index();
|
|
|
|
// Additional data
|
|
$table->json('metadata')->nullable();
|
|
|
|
// Status flags
|
|
$table->boolean('is_completed')->default(false)->index();
|
|
$table->boolean('is_failed')->default(false)->index();
|
|
|
|
// Timestamp
|
|
$table->timestamp('updated_at')->index();
|
|
|
|
// Composite indexes for efficient querying
|
|
$table->index(['job_id', 'updated_at']);
|
|
$table->index(['job_id', 'is_completed']);
|
|
$table->index(['is_completed', 'updated_at']);
|
|
$table->index(['percentage', 'updated_at']);
|
|
});
|
|
|
|
$schema->execute();
|
|
}
|
|
|
|
public function down(ConnectionInterface $connection): void
|
|
{
|
|
$schema = new Schema($connection);
|
|
$schema->dropIfExists('job_progress');
|
|
$schema->execute();
|
|
}
|
|
|
|
public function getVersion(): MigrationVersion
|
|
{
|
|
return MigrationVersion::fromTimestamp("2024_12_31_140003");
|
|
}
|
|
|
|
public function getDescription(): string
|
|
{
|
|
return "Create Job Progress Table";
|
|
}
|
|
|
|
public function getDomain(): string
|
|
{
|
|
return "Framework";
|
|
}
|
|
}
|