repo
stringlengths
7
63
file_url
stringlengths
81
284
file_path
stringlengths
5
200
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
7 values
commit_sha
stringlengths
40
40
retrieved_at
stringdate
2026-01-04 15:02:33
2026-01-05 05:24:06
truncated
bool
2 classes
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_11_16_000001_create_webhook_notification_settings_table.php
database/migrations/2025_11_16_000001_create_webhook_notification_settings_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\Log; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { // Create table if it doesn't exist if (! Schema::hasTable('webhook_notification_settings')) { Schema::create('webhook_notification_settings', function (Blueprint $table) { $table->id(); $table->foreignId('team_id')->constrained()->cascadeOnDelete(); $table->boolean('webhook_enabled')->default(false); $table->text('webhook_url')->nullable(); $table->boolean('deployment_success_webhook_notifications')->default(false); $table->boolean('deployment_failure_webhook_notifications')->default(true); $table->boolean('status_change_webhook_notifications')->default(false); $table->boolean('backup_success_webhook_notifications')->default(false); $table->boolean('backup_failure_webhook_notifications')->default(true); $table->boolean('scheduled_task_success_webhook_notifications')->default(false); $table->boolean('scheduled_task_failure_webhook_notifications')->default(true); $table->boolean('docker_cleanup_success_webhook_notifications')->default(false); $table->boolean('docker_cleanup_failure_webhook_notifications')->default(true); $table->boolean('server_disk_usage_webhook_notifications')->default(true); $table->boolean('server_reachable_webhook_notifications')->default(false); $table->boolean('server_unreachable_webhook_notifications')->default(true); $table->boolean('server_patch_webhook_notifications')->default(false); $table->boolean('traefik_outdated_webhook_notifications')->default(true); $table->unique(['team_id']); }); } // Populate webhook notification settings for existing teams (only if they don't already have settings) DB::table('teams')->chunkById(100, function ($teams) { foreach ($teams as $team) { try { // Check if settings already exist for this team $exists = DB::table('webhook_notification_settings') ->where('team_id', $team->id) ->exists(); if (! $exists) { // Only insert if no settings exist - don't overwrite existing preferences DB::table('webhook_notification_settings')->insert([ 'team_id' => $team->id, 'webhook_enabled' => false, 'webhook_url' => null, 'deployment_success_webhook_notifications' => false, 'deployment_failure_webhook_notifications' => true, 'status_change_webhook_notifications' => false, 'backup_success_webhook_notifications' => false, 'backup_failure_webhook_notifications' => true, 'scheduled_task_success_webhook_notifications' => false, 'scheduled_task_failure_webhook_notifications' => true, 'docker_cleanup_success_webhook_notifications' => false, 'docker_cleanup_failure_webhook_notifications' => true, 'server_disk_usage_webhook_notifications' => true, 'server_reachable_webhook_notifications' => false, 'server_unreachable_webhook_notifications' => true, 'server_patch_webhook_notifications' => false, 'traefik_outdated_webhook_notifications' => true, ]); } } catch (\Throwable $e) { Log::error('Error creating webhook notification settings for team '.$team->id.': '.$e->getMessage()); } } }); } /** * Reverse the migrations. */ public function down(): void { Schema::dropIfExists('webhook_notification_settings'); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_10_10_113144_add_dockerfile_location_applications_table.php
database/migrations/2023_10_10_113144_add_dockerfile_location_applications_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('applications', function (Blueprint $table) { $table->string('dockerfile_location')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('applications', function (Blueprint $table) { $table->dropColumn('dockerfile_location'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_11_12_131252_add_traefik_outdated_to_email_notification_settings.php
database/migrations/2025_11_12_131252_add_traefik_outdated_to_email_notification_settings.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { if (! Schema::hasColumn('email_notification_settings', 'traefik_outdated_email_notifications')) { Schema::table('email_notification_settings', function (Blueprint $table) { $table->boolean('traefik_outdated_email_notifications')->default(true); }); } } /** * Reverse the migrations. */ public function down(): void { if (Schema::hasColumn('email_notification_settings', 'traefik_outdated_email_notifications')) { Schema::table('email_notification_settings', function (Blueprint $table) { $table->dropColumn('traefik_outdated_email_notifications'); }); } } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_01_10_135244_add_horizon_job_details_to_queue.php
database/migrations/2025_01_10_135244_add_horizon_job_details_to_queue.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('application_deployment_queues', function (Blueprint $table) { $table->string('horizon_job_id')->nullable(); $table->string('horizon_job_worker')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('application_deployment_queues', function (Blueprint $table) { $table->dropColumn('horizon_job_id'); $table->dropColumn('horizon_job_worker'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_03_20_112411_add_event_column_to_activity_log_table.php
database/migrations/2023_03_20_112411_add_event_column_to_activity_log_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; class AddEventColumnToActivityLogTable extends Migration { public function up() { Schema::connection(config('activitylog.database_connection'))->table(config('activitylog.table_name'), function (Blueprint $table) { $table->string('event')->nullable()->after('subject_type'); }); } public function down() { Schema::connection(config('activitylog.database_connection'))->table(config('activitylog.table_name'), function (Blueprint $table) { $table->dropColumn('event'); }); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_08_27_090528_add_compose_parsing_version_to_services.php
database/migrations/2024_08_27_090528_add_compose_parsing_version_to_services.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('services', function (Blueprint $table) { $table->string('compose_parsing_version')->default('2'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('services', function (Blueprint $table) { $table->dropColumn('compose_parsing_version'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_08_22_071059_add_stripe_trial_ended.php
database/migrations/2023_08_22_071059_add_stripe_trial_ended.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('subscriptions', function (Blueprint $table) { $table->boolean('stripe_trial_already_ended')->default(false)->after('stripe_cancel_at_period_end'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('subscriptions', function (Blueprint $table) { $table->dropColumn('stripe_trial_already_ended'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_01_29_145200_add_custom_docker_run_options.php
database/migrations/2024_01_29_145200_add_custom_docker_run_options.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('applications', function (Blueprint $table) { $table->string('custom_docker_run_options')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('applications', function (Blueprint $table) { $table->dropColumn('custom_docker_run_options'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_12_11_161418_add_authentik_base_url_to_oauth_settings_table.php
database/migrations/2024_12_11_161418_add_authentik_base_url_to_oauth_settings_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('oauth_settings', function (Blueprint $table) { $table->string('base_url')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('oauth_settings', function (Blueprint $table) { $table->dropColumn('base_url'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_06_18_105948_move_server_metrics.php
database/migrations/2024_06_18_105948_move_server_metrics.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('servers', function (Blueprint $table) { $table->dropColumn('is_metrics_enabled'); }); Schema::table('server_settings', function (Blueprint $table) { $table->boolean('is_metrics_enabled')->default(false); $table->integer('metrics_refresh_rate_seconds')->default(5); $table->integer('metrics_history_days')->default(30); $table->string('metrics_token')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('servers', function (Blueprint $table) { $table->boolean('is_metrics_enabled')->default(true); }); Schema::table('server_settings', function (Blueprint $table) { $table->dropColumn('is_metrics_enabled'); $table->dropColumn('metrics_refresh_rate_seconds'); $table->dropColumn('metrics_history_days'); $table->dropColumn('metrics_token'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_09_10_172952_remove_is_readonly_from_local_persistent_volumes_table.php
database/migrations/2025_09_10_172952_remove_is_readonly_from_local_persistent_volumes_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('local_persistent_volumes', function (Blueprint $table) { $table->dropColumn('is_readonly'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('local_persistent_volumes', function (Blueprint $table) { $table->boolean('is_readonly')->default(false); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_04_10_071920_create_standalone_keydbs_table.php
database/migrations/2024_04_10_071920_create_standalone_keydbs_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::create('standalone_keydbs', function (Blueprint $table) { $table->id(); $table->string('uuid')->unique(); $table->string('name'); $table->string('description')->nullable(); $table->text('keydb_password'); $table->longText('keydb_conf')->nullable(); $table->boolean('is_log_drain_enabled')->default(false); $table->boolean('is_include_timestamps')->default(false); $table->softDeletes(); $table->string('status')->default('exited'); $table->string('image')->default('eqalpha/keydb:latest'); $table->boolean('is_public')->default(false); $table->integer('public_port')->nullable(); $table->text('ports_mappings')->nullable(); $table->string('limits_memory')->default('0'); $table->string('limits_memory_swap')->default('0'); $table->integer('limits_memory_swappiness')->default(60); $table->string('limits_memory_reservation')->default('0'); $table->string('limits_cpus')->default('0'); $table->string('limits_cpuset')->nullable()->default(null); $table->integer('limits_cpu_shares')->default(1024); $table->timestamp('started_at')->nullable(); $table->morphs('destination'); $table->foreignId('environment_id')->nullable(); $table->timestamps(); }); Schema::table('environment_variables', function (Blueprint $table) { $table->foreignId('standalone_keydb_id')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::dropIfExists('standalone_keydbs'); Schema::table('environment_variables', function (Blueprint $table) { $table->dropColumn('standalone_keydb_id'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_07_17_123828_add_is_container_labels_readonly.php
database/migrations/2024_07_17_123828_add_is_container_labels_readonly.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('application_settings', function (Blueprint $table) { $table->boolean('is_container_label_readonly_enabled')->default(false); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('application_settings', function (Blueprint $table) { $table->dropColumn('is_container_label_readonly_enabled'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_12_05_212440_create_telegram_notification_settings_table.php
database/migrations/2024_12_05_212440_create_telegram_notification_settings_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::create('telegram_notification_settings', function (Blueprint $table) { $table->id(); $table->foreignId('team_id')->constrained()->cascadeOnDelete(); $table->boolean('telegram_enabled')->default(false); $table->text('telegram_token')->nullable(); $table->text('telegram_chat_id')->nullable(); $table->boolean('deployment_success_telegram_notifications')->default(false); $table->boolean('deployment_failure_telegram_notifications')->default(true); $table->boolean('status_change_telegram_notifications')->default(false); $table->boolean('backup_success_telegram_notifications')->default(false); $table->boolean('backup_failure_telegram_notifications')->default(true); $table->boolean('scheduled_task_success_telegram_notifications')->default(false); $table->boolean('scheduled_task_failure_telegram_notifications')->default(true); $table->boolean('docker_cleanup_success_telegram_notifications')->default(false); $table->boolean('docker_cleanup_failure_telegram_notifications')->default(true); $table->boolean('server_disk_usage_telegram_notifications')->default(true); $table->boolean('server_reachable_telegram_notifications')->default(false); $table->boolean('server_unreachable_telegram_notifications')->default(true); $table->text('telegram_notifications_deployment_success_thread_id')->nullable(); $table->text('telegram_notifications_deployment_failure_thread_id')->nullable(); $table->text('telegram_notifications_status_change_thread_id')->nullable(); $table->text('telegram_notifications_backup_success_thread_id')->nullable(); $table->text('telegram_notifications_backup_failure_thread_id')->nullable(); $table->text('telegram_notifications_scheduled_task_success_thread_id')->nullable(); $table->text('telegram_notifications_scheduled_task_failure_thread_id')->nullable(); $table->text('telegram_notifications_docker_cleanup_success_thread_id')->nullable(); $table->text('telegram_notifications_docker_cleanup_failure_thread_id')->nullable(); $table->text('telegram_notifications_server_disk_usage_thread_id')->nullable(); $table->text('telegram_notifications_server_reachable_thread_id')->nullable(); $table->text('telegram_notifications_server_unreachable_thread_id')->nullable(); $table->unique(['team_id']); }); } /** * Reverse the migrations. */ public function down(): void { Schema::dropIfExists('telegram_notification_settings'); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_12_05_212631_migrate_discord_notification_settings_from_teams_table.php
database/migrations/2024_12_05_212631_migrate_discord_notification_settings_from_teams_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Crypt; use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { $teams = DB::table('teams')->get(); foreach ($teams as $team) { try { DB::table('discord_notification_settings')->updateOrInsert( ['team_id' => $team->id], [ 'discord_enabled' => $team->discord_enabled ?? false, 'discord_webhook_url' => $team->discord_webhook_url ? Crypt::encryptString($team->discord_webhook_url) : null, 'deployment_success_discord_notifications' => $team->discord_notifications_deployments ?? false, 'deployment_failure_discord_notifications' => $team->discord_notifications_deployments ?? true, 'backup_success_discord_notifications' => $team->discord_notifications_database_backups ?? false, 'backup_failure_discord_notifications' => $team->discord_notifications_database_backups ?? true, 'scheduled_task_success_discord_notifications' => $team->discord_notifications_scheduled_tasks ?? false, 'scheduled_task_failure_discord_notifications' => $team->discord_notifications_scheduled_tasks ?? true, 'status_change_discord_notifications' => $team->discord_notifications_status_changes ?? false, 'server_disk_usage_discord_notifications' => $team->discord_notifications_server_disk_usage ?? true, ] ); } catch (Exception $e) { \Log::error('Error migrating discord notification settings from teams table: '.$e->getMessage()); } } Schema::table('teams', function (Blueprint $table) { $table->dropColumn([ 'discord_enabled', 'discord_webhook_url', 'discord_notifications_test', 'discord_notifications_deployments', 'discord_notifications_status_changes', 'discord_notifications_database_backups', 'discord_notifications_scheduled_tasks', 'discord_notifications_server_disk_usage', ]); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('teams', function (Blueprint $table) { $table->boolean('discord_enabled')->default(false); $table->string('discord_webhook_url')->nullable(); $table->boolean('discord_notifications_test')->default(true); $table->boolean('discord_notifications_deployments')->default(true); $table->boolean('discord_notifications_status_changes')->default(true); $table->boolean('discord_notifications_database_backups')->default(true); $table->boolean('discord_notifications_scheduled_tasks')->default(true); $table->boolean('discord_notifications_server_disk_usage')->default(true); }); $settings = DB::table('discord_notification_settings')->get(); foreach ($settings as $setting) { try { DB::table('teams') ->where('id', $setting->team_id) ->update([ 'discord_enabled' => $setting->discord_enabled, 'discord_webhook_url' => Crypt::decryptString($setting->discord_webhook_url), 'discord_notifications_deployments' => $setting->deployment_success_discord_notifications || $setting->deployment_failure_discord_notifications, 'discord_notifications_status_changes' => $setting->status_change_discord_notifications, 'discord_notifications_database_backups' => $setting->backup_success_discord_notifications || $setting->backup_failure_discord_notifications, 'discord_notifications_scheduled_tasks' => $setting->scheduled_task_success_discord_notifications || $setting->scheduled_task_failure_discord_notifications, 'discord_notifications_server_disk_usage' => $setting->server_disk_usage_discord_notifications, ]); } catch (Exception $e) { \Log::error('Error migrating discord notification settings from teams table: '.$e->getMessage()); } } } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_08_15_115907_add_build_server_id_to_deployment_queue.php
database/migrations/2024_08_15_115907_add_build_server_id_to_deployment_queue.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('application_deployment_queues', function (Blueprint $table) { $table->integer('build_server_id')->nullable()->after('server_id'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('application_deployment_queues', function (Blueprint $table) { $table->dropColumn('build_server_id'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_08_18_104146_add_email_change_fields_to_users_table.php
database/migrations/2025_08_18_104146_add_email_change_fields_to_users_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('users', function (Blueprint $table) { $table->string('pending_email')->nullable()->after('email'); $table->string('email_change_code', 6)->nullable()->after('pending_email'); $table->timestamp('email_change_code_expires_at')->nullable()->after('email_change_code'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('users', function (Blueprint $table) { $table->dropColumn(['pending_email', 'email_change_code', 'email_change_code_expires_at']); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_11_09_000002_improve_scheduled_task_executions_tracking.php
database/migrations/2025_11_09_000002_improve_scheduled_task_executions_tracking.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { if (! Schema::hasColumn('scheduled_task_executions', 'started_at')) { Schema::table('scheduled_task_executions', function (Blueprint $table) { $table->timestamp('started_at')->nullable()->after('scheduled_task_id'); }); } if (! Schema::hasColumn('scheduled_task_executions', 'retry_count')) { Schema::table('scheduled_task_executions', function (Blueprint $table) { $table->integer('retry_count')->default(0)->after('status'); }); } if (! Schema::hasColumn('scheduled_task_executions', 'duration')) { Schema::table('scheduled_task_executions', function (Blueprint $table) { $table->decimal('duration', 10, 2)->nullable()->after('retry_count')->comment('Duration in seconds'); }); } if (! Schema::hasColumn('scheduled_task_executions', 'error_details')) { Schema::table('scheduled_task_executions', function (Blueprint $table) { $table->text('error_details')->nullable()->after('message'); }); } } /** * Reverse the migrations. */ public function down(): void { $columns = ['started_at', 'retry_count', 'duration', 'error_details']; foreach ($columns as $column) { if (Schema::hasColumn('scheduled_task_executions', $column)) { Schema::table('scheduled_task_executions', function (Blueprint $table) use ($column) { $table->dropColumn($column); }); } } } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_04_17_132541_add_rollback_queues.php
database/migrations/2024_04_17_132541_add_rollback_queues.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('application_deployment_queues', function (Blueprint $table) { $table->boolean('rollback')->default(false); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('application_deployment_queues', function (Blueprint $table) { $table->dropColumn('rollback'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_11_13_133059_add_sponsorship_disable.php
database/migrations/2023_11_13_133059_add_sponsorship_disable.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('users', function (Blueprint $table) { $table->boolean('is_notification_sponsorship_enabled')->default(true); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('users', function (Blueprint $table) { $table->dropColumn('is_notification_sponsorship_enabled'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_04_12_092337_add_config_hash_to_other_resources.php
database/migrations/2024_04_12_092337_add_config_hash_to_other_resources.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('standalone_postgresqls', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); Schema::table('standalone_redis', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); Schema::table('standalone_mysqls', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); Schema::table('standalone_mariadbs', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); Schema::table('standalone_mongodbs', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); Schema::table('standalone_keydbs', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); Schema::table('standalone_dragonflies', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); Schema::table('standalone_clickhouses', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); Schema::table('services', function (Blueprint $table) { $table->string('config_hash')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('standalone_postgresqls', function (Blueprint $table) { $table->dropColumn('config_hash'); }); Schema::table('standalone_redis', function (Blueprint $table) { $table->dropColumn('config_hash'); }); Schema::table('standalone_mysqls', function (Blueprint $table) { $table->dropColumn('config_hash'); }); Schema::table('standalone_mariadbs', function (Blueprint $table) { $table->dropColumn('config_hash'); }); Schema::table('standalone_mongodbs', function (Blueprint $table) { $table->dropColumn('config_hash'); }); Schema::table('standalone_keydbs', function (Blueprint $table) { $table->dropColumn('config_hash'); }); Schema::table('standalone_dragonflies', function (Blueprint $table) { $table->dropColumn('config_hash'); }); Schema::table('standalone_clickhouses', function (Blueprint $table) { $table->dropColumn('config_hash'); }); Schema::table('services', function (Blueprint $table) { $table->dropColumn('config_hash'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_12_17_155616_add_custom_docker_compose_start_command.php
database/migrations/2023_12_17_155616_add_custom_docker_compose_start_command.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('applications', function (Blueprint $table) { $table->string('docker_compose_custom_start_command')->nullable(); $table->string('docker_compose_custom_build_command')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('applications', function (Blueprint $table) { $table->dropColumn('docker_compose_custom_start_command'); $table->dropColumn('docker_compose_custom_build_command'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_03_28_062150_create_kubernetes_table.php
database/migrations/2023_03_28_062150_create_kubernetes_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::create('kubernetes', function (Blueprint $table) { $table->id(); $table->string('uuid')->unique(); $table->timestamps(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::dropIfExists('kubernetes'); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_08_06_142952_remove_foreignId_environment_variables.php
database/migrations/2023_08_06_142952_remove_foreignId_environment_variables.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('environment_variables', function (Blueprint $table) { $table->dropColumn('service_id'); $table->dropColumn('database_id'); $table->foreignId('standalone_postgresql_id')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('environment_variables', function (Blueprint $table) { $table->foreignId('service_id')->nullable(); $table->foreignId('database_id')->nullable(); $table->dropColumn('standalone_postgresql_id'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_01_27_164724_add_application_name_and_deployment_url_to_queue.php
database/migrations/2024_01_27_164724_add_application_name_and_deployment_url_to_queue.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('application_deployment_queues', function (Blueprint $table) { $table->string('application_name')->nullable(); $table->string('server_name')->nullable(); $table->string('deployment_url')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('application_deployment_queues', function (Blueprint $table) { $table->dropColumn('application_name'); $table->dropColumn('server_name'); $table->dropColumn('deployment_url'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_11_07_123731_add_target_build_dockerfile.php
database/migrations/2023_11_07_123731_add_target_build_dockerfile.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('applications', function (Blueprint $table) { $table->string('dockerfile_target_build')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('applications', function (Blueprint $table) { $table->dropColumn('dockerfile_target_build'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_12_10_135600_add_uuid_to_cloud_provider_tokens.php
database/migrations/2025_12_10_135600_add_uuid_to_cloud_provider_tokens.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\Schema; use Visus\Cuid2\Cuid2; return new class extends Migration { /** * Run the migrations. */ public function up(): void { if (! Schema::hasColumn('cloud_provider_tokens', 'uuid')) { Schema::table('cloud_provider_tokens', function (Blueprint $table) { $table->string('uuid')->nullable()->unique()->after('id'); }); // Generate UUIDs for existing records using chunked processing DB::table('cloud_provider_tokens') ->whereNull('uuid') ->chunkById(500, function ($tokens) { foreach ($tokens as $token) { DB::table('cloud_provider_tokens') ->where('id', $token->id) ->update(['uuid' => (string) new Cuid2]); } }); // Make uuid non-nullable after filling in values Schema::table('cloud_provider_tokens', function (Blueprint $table) { $table->string('uuid')->nullable(false)->change(); }); } } /** * Reverse the migrations. */ public function down(): void { if (Schema::hasColumn('cloud_provider_tokens', 'uuid')) { Schema::table('cloud_provider_tokens', function (Blueprint $table) { $table->dropColumn('uuid'); }); } } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_09_23_111813_update_users_databases_table.php
database/migrations/2023_09_23_111813_update_users_databases_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('users', function (Blueprint $table) { $table->boolean('marketing_emails')->default(true); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('users', function (Blueprint $table) { $table->dropColumn('marketing_emails'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_03_24_140711_create_servers_table.php
database/migrations/2023_03_24_140711_create_servers_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::create('servers', function (Blueprint $table) { $table->id(); $table->string('uuid')->unique(); $table->string('name'); $table->string('description')->nullable(); $table->string('ip'); $table->integer('port')->default(22); $table->string('user')->default('root'); $table->foreignId('team_id'); $table->foreignId('private_key_id'); $table->schemalessAttributes('proxy'); $table->timestamps(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::dropIfExists('servers'); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_03_31_124212_add_specific_spa_configuration.php
database/migrations/2025_03_31_124212_add_specific_spa_configuration.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('application_settings', function (Blueprint $table) { $table->boolean('is_spa')->default(false); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('application_settings', function (Blueprint $table) { $table->dropColumn('is_spa'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_10_16_120026_move_redis_password_to_envs.php
database/migrations/2024_10_16_120026_move_redis_password_to_envs.php
<?php use App\Models\EnvironmentVariable; use App\Models\StandaloneRedis; use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\Schema; class MoveRedisPasswordToEnvs extends Migration { /** * Run the migrations. */ public function up(): void { try { StandaloneRedis::chunkById(100, function ($redisInstances) { foreach ($redisInstances as $redis) { $redis_password = DB::table('standalone_redis')->where('id', $redis->id)->value('redis_password'); EnvironmentVariable::create([ 'standalone_redis_id' => $redis->id, 'key' => 'REDIS_PASSWORD', 'value' => $redis_password, ]); EnvironmentVariable::create([ 'standalone_redis_id' => $redis->id, 'key' => 'REDIS_USERNAME', 'value' => 'default', ]); } }); Schema::table('standalone_redis', function (Blueprint $table) { $table->dropColumn('redis_password'); }); } catch (\Exception $e) { echo 'Moving Redis passwords to envs failed.'; echo $e->getMessage(); } } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_08_12_131659_add_local_file_volume_based_on_git.php
database/migrations/2024_08_12_131659_add_local_file_volume_based_on_git.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('local_file_volumes', function (Blueprint $table) { $table->boolean('is_based_on_git')->default(false); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('local_file_volumes', function (Blueprint $table) { $table->dropColumn('is_based_on_git'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_08_07_155324_add_proxy_label_chooser.php
database/migrations/2024_08_07_155324_add_proxy_label_chooser.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('server_settings', function (Blueprint $table) { $table->boolean('generate_exact_labels')->default(false); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('server_settings', function (Blueprint $table) { $table->dropColumn('generate_exact_labels'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_03_26_122110_remove_realtime_notifications.php
database/migrations/2024_03_26_122110_remove_realtime_notifications.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('users', function (Blueprint $table) { $table->dropColumn('is_notification_realtime_enabled'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('users', function (Blueprint $table) { $table->boolean('is_notification_realtime_enabled')->default(true); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_12_01_091723_save_logs_view_settings.php
database/migrations/2023_12_01_091723_save_logs_view_settings.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('application_settings', function (Blueprint $table) { $table->boolean('is_include_timestamps')->default(false); }); Schema::table('service_applications', function (Blueprint $table) { $table->boolean('is_include_timestamps')->default(false); }); Schema::table('service_databases', function (Blueprint $table) { $table->boolean('is_include_timestamps')->default(false); }); Schema::table('standalone_mysqls', function (Blueprint $table) { $table->boolean('is_include_timestamps')->default(false); }); Schema::table('standalone_postgresqls', function (Blueprint $table) { $table->boolean('is_include_timestamps')->default(false); }); Schema::table('standalone_redis', function (Blueprint $table) { $table->boolean('is_include_timestamps')->default(false); }); Schema::table('standalone_mongodbs', function (Blueprint $table) { $table->boolean('is_include_timestamps')->default(false); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('application_settings', function (Blueprint $table) { $table->dropColumn('is_include_timestamps'); }); Schema::table('service_applications', function (Blueprint $table) { $table->dropColumn('is_include_timestamps'); }); Schema::table('service_databases', function (Blueprint $table) { $table->dropColumn('is_include_timestamps'); }); Schema::table('standalone_mysqls', function (Blueprint $table) { $table->dropColumn('is_include_timestamps'); }); Schema::table('standalone_postgresqls', function (Blueprint $table) { $table->dropColumn('is_include_timestamps'); }); Schema::table('standalone_redis', function (Blueprint $table) { $table->dropColumn('is_include_timestamps'); }); Schema::table('standalone_mongodbs', function (Blueprint $table) { $table->dropColumn('is_include_timestamps'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2014_10_12_200000_add_two_factor_columns_to_users_table.php
database/migrations/2014_10_12_200000_add_two_factor_columns_to_users_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; use Laravel\Fortify\Fortify; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('users', function (Blueprint $table) { $table->text('two_factor_secret') ->after('password') ->nullable(); $table->text('two_factor_recovery_codes') ->after('two_factor_secret') ->nullable(); if (Fortify::confirmsTwoFactorAuthentication()) { $table->timestamp('two_factor_confirmed_at') ->after('two_factor_recovery_codes') ->nullable(); } }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('users', function (Blueprint $table) { $table->dropColumn(array_merge([ 'two_factor_secret', 'two_factor_recovery_codes', ], Fortify::confirmsTwoFactorAuthentication() ? [ 'two_factor_confirmed_at', ] : [])); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_10_12_132430_create_standalone_redis_table.php
database/migrations/2023_10_12_132430_create_standalone_redis_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::create('standalone_redis', function (Blueprint $table) { $table->id(); $table->string('uuid')->unique(); $table->string('name'); $table->string('description')->nullable(); $table->text('redis_password'); $table->longText('redis_conf')->nullable(); $table->string('status')->default('exited'); $table->string('image')->default('redis:7.2'); $table->boolean('is_public')->default(false); $table->integer('public_port')->nullable(); $table->text('ports_mappings')->nullable(); $table->string('limits_memory')->default('0'); $table->string('limits_memory_swap')->default('0'); $table->integer('limits_memory_swappiness')->default(60); $table->string('limits_memory_reservation')->default('0'); $table->string('limits_cpus')->default('0'); $table->string('limits_cpuset')->nullable()->default('0'); $table->integer('limits_cpu_shares')->default(1024); $table->timestamp('started_at')->nullable(); $table->morphs('destination'); $table->foreignId('environment_id')->nullable(); $table->timestamps(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::dropIfExists('standalone_redis'); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_12_17_140637_add_server_disk_usage_check_frequency_to_server_settings_table.php
database/migrations/2024_12_17_140637_add_server_disk_usage_check_frequency_to_server_settings_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('server_settings', function (Blueprint $table) { $table->string('server_disk_usage_check_frequency')->default('0 23 * * *'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('server_settings', function (Blueprint $table) { $table->dropColumn('server_disk_usage_check_frequency'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_06_11_081614_add_www_non_www_redirect.php
database/migrations/2024_06_11_081614_add_www_non_www_redirect.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('applications', function (Blueprint $table) { $table->enum('redirect', ['www', 'non-www', 'both'])->default('both')->after('domain'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('applications', function (Blueprint $table) { $table->dropColumn('redirect'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_01_13_130238_add_backup_retention_fields_to_scheduled_database_backups_table.php
database/migrations/2025_01_13_130238_add_backup_retention_fields_to_scheduled_database_backups_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { public function up() { Schema::table('scheduled_database_backups', function (Blueprint $table) { $table->renameColumn('number_of_backups_locally', 'database_backup_retention_amount_locally'); $table->integer('database_backup_retention_amount_locally')->default(0)->nullable(false)->change(); $table->integer('database_backup_retention_days_locally')->default(0)->nullable(false); $table->decimal('database_backup_retention_max_storage_locally', 17, 7)->default(0)->nullable(false); $table->integer('database_backup_retention_amount_s3')->default(0)->nullable(false); $table->integer('database_backup_retention_days_s3')->default(0)->nullable(false); $table->decimal('database_backup_retention_max_storage_s3', 17, 7)->default(0)->nullable(false); }); } public function down() { Schema::table('scheduled_database_backups', function (Blueprint $table) { $table->renameColumn('database_backup_retention_amount_locally', 'number_of_backups_locally')->nullable(true)->change(); $table->dropColumn([ 'database_backup_retention_days_locally', 'database_backup_retention_max_storage_locally', 'database_backup_retention_amount_s3', 'database_backup_retention_days_s3', 'database_backup_retention_max_storage_s3', ]); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_08_22_071052_add_resend_as_email.php
database/migrations/2023_08_22_071052_add_resend_as_email.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('instance_settings', function (Blueprint $table) { $table->boolean('resend_enabled')->default(false); $table->text('resend_api_key')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('instance_settings', function (Blueprint $table) { $table->dropColumn('resend_enabled'); $table->dropColumn('resend_api_key'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_09_22_165240_add_advanced_options_to_cleanup_options_to_servers_settings_table.php
database/migrations/2024_09_22_165240_add_advanced_options_to_cleanup_options_to_servers_settings_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { public function up() { Schema::table('server_settings', function (Blueprint $table) { $table->boolean('delete_unused_volumes')->default(false); $table->boolean('delete_unused_networks')->default(false); }); } public function down() { Schema::table('server_settings', function (Blueprint $table) { $table->dropColumn('delete_unused_volumes'); $table->dropColumn('delete_unused_networks'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_06_20_102551_add_server_api_sentinel.php
database/migrations/2024_06_20_102551_add_server_api_sentinel.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('server_settings', function (Blueprint $table) { $table->boolean('is_server_api_enabled')->default(false); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('server_settings', function (Blueprint $table) { $table->dropColumn('is_server_api_enabled'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_06_25_131350_add_is_sponsorship_popup_enabled_to_instance_settings_table.php
database/migrations/2025_06_25_131350_add_is_sponsorship_popup_enabled_to_instance_settings_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('instance_settings', function (Blueprint $table) { $table->boolean('is_sponsorship_popup_enabled')->default(true); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('instance_settings', function (Blueprint $table) { $table->dropColumn('is_sponsorship_popup_enabled'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_11_28_143533_add_fields_to_swarm_dockers.php
database/migrations/2023_11_28_143533_add_fields_to_swarm_dockers.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('swarm_dockers', function (Blueprint $table) { $table->string('network'); $table->unique(['server_id', 'network']); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('swarm_dockers', function (Blueprint $table) { $table->dropColumn('network'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_12_04_134435_add_deployment_queue_limit_to_server_settings.php
database/migrations/2025_12_04_134435_add_deployment_queue_limit_to_server_settings.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { if (! Schema::hasColumn('server_settings', 'deployment_queue_limit')) { Schema::table('server_settings', function (Blueprint $table) { $table->integer('deployment_queue_limit')->default(25)->after('concurrent_builds'); }); } } /** * Reverse the migrations. */ public function down(): void { if (Schema::hasColumn('server_settings', 'deployment_queue_limit')) { Schema::table('server_settings', function (Blueprint $table) { $table->dropColumn('deployment_queue_limit'); }); } } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_11_02_213214_add_last_online_at_to_resources.php
database/migrations/2024_11_02_213214_add_last_online_at_to_resources.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('applications', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('application_previews', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('service_applications', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('service_databases', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('standalone_postgresqls', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('standalone_redis', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('standalone_mongodbs', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('standalone_mysqls', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('standalone_mariadbs', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('standalone_keydbs', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('standalone_dragonflies', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); Schema::table('standalone_clickhouses', function (Blueprint $table) { $table->timestamp('last_online_at')->default(now())->after('updated_at'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('applications', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('application_previews', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('service_applications', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('service_databases', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('standalone_postgresqls', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('standalone_redis', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('standalone_mongodbs', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('standalone_mysqls', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('standalone_mariadbs', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('standalone_keydbs', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('standalone_dragonflies', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); Schema::table('standalone_clickhouses', function (Blueprint $table) { $table->dropColumn('last_online_at'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2025_08_07_142403_create_user_changelog_reads_table.php
database/migrations/2025_08_07_142403_create_user_changelog_reads_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::create('user_changelog_reads', function (Blueprint $table) { $table->id(); $table->foreignId('user_id')->constrained()->onDelete('cascade'); $table->string('release_tag'); // GitHub tag_name (e.g., "v4.0.0-beta.420.6") $table->timestamp('read_at'); $table->timestamps(); $table->unique(['user_id', 'release_tag']); $table->index('user_id'); $table->index('release_tag'); }); } /** * Reverse the migrations. */ public function down(): void { Schema::dropIfExists('user_changelog_reads'); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2023_03_27_075443_create_project_settings_table.php
database/migrations/2023_03_27_075443_create_project_settings_table.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::create('project_settings', function (Blueprint $table) { $table->id(); $table->string('wildcard_domain')->nullable(); $table->foreignId('project_id'); $table->timestamps(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::dropIfExists('project_settings'); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_03_28_114620_add_watch_paths_to_apps.php
database/migrations/2024_03_28_114620_add_watch_paths_to_apps.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('applications', function (Blueprint $table) { $table->longText('watch_paths')->nullable(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('applications', function (Blueprint $table) { $table->dropColumn('watch_paths'); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_11_11_125366_add_index_to_activity_log.php
database/migrations/2024_11_11_125366_add_index_to_activity_log.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\Log; class AddIndexToActivityLog extends Migration { public function up() { try { DB::statement('ALTER TABLE activity_log ALTER COLUMN properties TYPE jsonb USING properties::jsonb'); DB::statement('CREATE INDEX idx_activity_type_uuid ON activity_log USING GIN (properties jsonb_path_ops)'); } catch (\Exception $e) { Log::error('Error adding index to activity_log: '.$e->getMessage()); } } public function down() { try { DB::statement('DROP INDEX IF EXISTS idx_activity_type_uuid'); DB::statement('ALTER TABLE activity_log ALTER COLUMN properties TYPE json USING properties::json'); } catch (\Exception $e) { Log::error('Error dropping index from activity_log: '.$e->getMessage()); } } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/migrations/2024_04_09_095517_make_custom_docker_commands_longer.php
database/migrations/2024_04_09_095517_make_custom_docker_commands_longer.php
<?php use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::table('applications', function (Blueprint $table) { $table->text('custom_docker_run_options')->nullable()->change(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('applications', function (Blueprint $table) { $table->string('custom_docker_run_options')->nullable()->change(); }); } };
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/UserSeeder.php
database/seeders/UserSeeder.php
<?php namespace Database\Seeders; use App\Models\User; use Illuminate\Database\Seeder; class UserSeeder extends Seeder { public function run(): void { User::factory()->create([ 'id' => 0, 'name' => 'Root User', 'email' => 'test@example.com', ]); User::factory()->create([ 'id' => 1, 'name' => 'Normal User (but in root team)', 'email' => 'test2@example.com', ]); User::factory()->create([ 'id' => 2, 'name' => 'Normal User (not in root team)', 'email' => 'test3@example.com', ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/OauthSettingSeeder.php
database/seeders/OauthSettingSeeder.php
<?php namespace Database\Seeders; use App\Models\OauthSetting; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\Log; class OauthSettingSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { try { $providers = collect([ 'azure', 'bitbucket', 'clerk', 'discord', 'github', 'gitlab', 'google', 'authentik', 'infomaniak', 'zitadel', ]); $isOauthSeeded = OauthSetting::count() > 0; // We changed how providers are defined in the database, so we authentik does not exists, we need to recreate all of the auth providers // Before authentik was a provider, providers started with 0 id $isOauthAuthentik = OauthSetting::where('provider', 'authentik')->exists(); if (! $isOauthSeeded || $isOauthAuthentik) { foreach ($providers as $provider) { OauthSetting::updateOrCreate([ 'provider' => $provider, ]); } return; } $allProviders = OauthSetting::all(); $notFoundProviders = $providers->diff($allProviders->pluck('provider')); $allProviders->each(function ($provider) { $provider->delete(); }); $allProviders->each(function ($provider) { $provider = new OauthSetting; $provider->provider = $provider->provider; unset($provider->id); $provider->save(); }); foreach ($notFoundProviders as $provider) { OauthSetting::create([ 'provider' => $provider, ]); } } catch (\Exception $e) { Log::error($e->getMessage()); } } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/ServerSeeder.php
database/seeders/ServerSeeder.php
<?php namespace Database\Seeders; use App\Enums\ProxyStatus; use App\Enums\ProxyTypes; use App\Models\Server; use Illuminate\Database\Seeder; class ServerSeeder extends Seeder { public function run(): void { Server::create([ 'id' => 0, 'uuid' => 'localhost', 'name' => 'localhost', 'description' => 'This is a test docker container in development mode', 'ip' => 'coolify-testing-host', 'team_id' => 0, 'private_key_id' => 1, 'proxy' => [ 'type' => ProxyTypes::TRAEFIK->value, 'status' => ProxyStatus::EXITED->value, ], ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/StandaloneRedisSeeder.php
database/seeders/StandaloneRedisSeeder.php
<?php namespace Database\Seeders; use App\Models\StandaloneDocker; use App\Models\StandaloneRedis; use Illuminate\Database\Seeder; class StandaloneRedisSeeder extends Seeder { public function run(): void { StandaloneRedis::create([ 'name' => 'Local PostgreSQL', 'description' => 'Local PostgreSQL for testing', 'redis_password' => 'redis', 'environment_id' => 1, 'destination_id' => 0, 'destination_type' => StandaloneDocker::class, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/PersonalAccessTokenSeeder.php
database/seeders/PersonalAccessTokenSeeder.php
<?php namespace Database\Seeders; use App\Models\PersonalAccessToken; use App\Models\Team; use App\Models\User; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\Hash; class PersonalAccessTokenSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { // Only run in development environment if (app()->environment('production')) { $this->command->warn('Skipping PersonalAccessTokenSeeder in production environment'); return; } // Get the first user (usually the admin user created during setup) $user = User::find(0); if (! $user) { $this->command->warn('No user found. Please run UserSeeder first.'); return; } // Get the user's first team $team = $user->teams()->first(); if (! $team) { $this->command->warn('No team found for user. Cannot create API tokens.'); return; } // Define test tokens with different scopes $testTokens = [ [ 'name' => 'Development Root Token', 'token' => 'root', 'abilities' => ['root'], ], [ 'name' => 'Development Read Token', 'token' => 'read', 'abilities' => ['read'], ], [ 'name' => 'Development Read Sensitive Token', 'token' => 'read-sensitive', 'abilities' => ['read', 'read:sensitive'], ], [ 'name' => 'Development Write Token', 'token' => 'write', 'abilities' => ['write'], ], [ 'name' => 'Development Write Sensitive Token', 'token' => 'write-sensitive', 'abilities' => ['write', 'write:sensitive'], ], [ 'name' => 'Development Deploy Token', 'token' => 'deploy', 'abilities' => ['deploy'], ], ]; // First, remove all existing development tokens for this user $deletedCount = PersonalAccessToken::where('tokenable_id', $user->id) ->where('tokenable_type', get_class($user)) ->whereIn('name', array_column($testTokens, 'name')) ->delete(); if ($deletedCount > 0) { $this->command->info("Removed {$deletedCount} existing development token(s)."); } // Now create fresh tokens foreach ($testTokens as $tokenData) { // Create the token with a simple format: Bearer {scope} // The token format in the database is the hash of the plain text token $plainTextToken = $tokenData['token']; PersonalAccessToken::create([ 'tokenable_type' => get_class($user), 'tokenable_id' => $user->id, 'name' => $tokenData['name'], 'token' => hash('sha256', $plainTextToken), 'abilities' => $tokenData['abilities'], 'team_id' => $team->id, ]); $this->command->info("Created token '{$tokenData['name']}' with Bearer token: {$plainTextToken}"); } $this->command->info(''); $this->command->info('Test API tokens created successfully!'); $this->command->info('You can use these tokens in development as:'); $this->command->info(' Bearer root - Root access'); $this->command->info(' Bearer read - Read only access'); $this->command->info(' Bearer read-sensitive - Read with sensitive data access'); $this->command->info(' Bearer write - Write access'); $this->command->info(' Bearer write-sensitive - Write with sensitive data access'); $this->command->info(' Bearer deploy - Deploy access'); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/GitlabAppSeeder.php
database/seeders/GitlabAppSeeder.php
<?php namespace Database\Seeders; use App\Models\GitlabApp; use Illuminate\Database\Seeder; class GitlabAppSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { GitlabApp::create([ 'id' => 1, 'uuid' => 'gitlab-public', 'name' => 'Public GitLab', 'api_url' => 'https://gitlab.com/api/v4', 'html_url' => 'https://gitlab.com', 'is_public' => true, 'team_id' => 0, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/StandaloneDockerSeeder.php
database/seeders/StandaloneDockerSeeder.php
<?php namespace Database\Seeders; use App\Models\StandaloneDocker; use Illuminate\Database\Seeder; class StandaloneDockerSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { if (StandaloneDocker::find(0) == null) { StandaloneDocker::create([ 'id' => 0, 'uuid' => 'docker', 'name' => 'Standalone Docker 1', 'network' => 'coolify', 'server_id' => 0, ]); } } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/ServerSettingSeeder.php
database/seeders/ServerSettingSeeder.php
<?php namespace Database\Seeders; use App\Models\Server; use Illuminate\Database\Seeder; class ServerSettingSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { $server_2 = Server::find(0)->load(['settings']); $server_2->settings->wildcard_domain = 'http://127.0.0.1.sslip.io'; $server_2->settings->is_build_server = false; $server_2->settings->is_usable = true; $server_2->settings->is_reachable = true; $server_2->settings->save(); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/SentinelSeeder.php
database/seeders/SentinelSeeder.php
<?php namespace Database\Seeders; use App\Models\Server; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\Log; class SentinelSeeder extends Seeder { public function run() { Server::chunk(100, function ($servers) { foreach ($servers as $server) { try { if (str($server->settings->sentinel_token)->isEmpty()) { $server->settings->generateSentinelToken(ignoreEvent: true); } if (str($server->settings->sentinel_custom_url)->isEmpty()) { $url = $server->settings->generateSentinelUrl(ignoreEvent: true); if (str($url)->isEmpty()) { $server->settings->is_sentinel_enabled = false; $server->settings->save(); } } } catch (\Throwable $e) { Log::error('Error seeding sentinel: '.$e->getMessage()); } } }); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/LocalPersistentVolumeSeeder.php
database/seeders/LocalPersistentVolumeSeeder.php
<?php namespace Database\Seeders; use App\Models\Application; use App\Models\LocalPersistentVolume; use Illuminate\Database\Seeder; class LocalPersistentVolumeSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { LocalPersistentVolume::create([ 'name' => 'test-pv', 'mount_path' => '/data', 'resource_id' => 1, 'resource_type' => Application::class, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/SharedEnvironmentVariableSeeder.php
database/seeders/SharedEnvironmentVariableSeeder.php
<?php namespace Database\Seeders; use App\Models\SharedEnvironmentVariable; use Illuminate\Database\Seeder; class SharedEnvironmentVariableSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { SharedEnvironmentVariable::create([ 'key' => 'NODE_ENV', 'value' => 'team_env', 'type' => 'team', 'team_id' => 0, ]); SharedEnvironmentVariable::create([ 'key' => 'NODE_ENV', 'value' => 'env_env', 'type' => 'environment', 'environment_id' => 1, 'team_id' => 0, ]); SharedEnvironmentVariable::create([ 'key' => 'NODE_ENV', 'value' => 'project_env', 'type' => 'project', 'project_id' => 1, 'team_id' => 0, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/ApplicationSettingsSeeder.php
database/seeders/ApplicationSettingsSeeder.php
<?php namespace Database\Seeders; use App\Models\Application; use Illuminate\Database\Seeder; class ApplicationSettingsSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { $application_1 = Application::find(1)->load(['settings']); $application_1->settings->is_debug_enabled = false; $application_1->settings->save(); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/DisableTwoStepConfirmationSeeder.php
database/seeders/DisableTwoStepConfirmationSeeder.php
<?php namespace Database\Seeders; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\DB; class DisableTwoStepConfirmationSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { DB::table('instance_settings')->updateOrInsert( [], ['disable_two_step_confirmation' => true] ); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/ProductionSeeder.php
database/seeders/ProductionSeeder.php
<?php namespace Database\Seeders; use App\Actions\Proxy\CheckProxy; use App\Actions\Proxy\StartProxy; use App\Data\ServerMetadata; use App\Enums\ProxyStatus; use App\Enums\ProxyTypes; use App\Jobs\CheckAndStartSentinelJob; use App\Models\GithubApp; use App\Models\GitlabApp; use App\Models\InstanceSettings; use App\Models\PrivateKey; use App\Models\Server; use App\Models\StandaloneDocker; use App\Models\Team; use App\Models\User; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\Storage; class ProductionSeeder extends Seeder { public function run(): void { $user = 'root'; if (isCloud()) { echo " Running in cloud mode.\n"; } else { echo " Running in self-hosted mode.\n"; } if (User::find(0) !== null && Team::find(0) !== null) { if (DB::table('team_user')->where('user_id', 0)->first() === null) { DB::table('team_user')->insert([ 'user_id' => 0, 'team_id' => 0, 'role' => 'owner', 'created_at' => now(), 'updated_at' => now(), ]); } } if (InstanceSettings::find(0) == null) { InstanceSettings::create([ 'id' => 0, ]); } if (GithubApp::find(0) == null) { GithubApp::create([ 'id' => 0, 'name' => 'Public GitHub', 'api_url' => 'https://api.github.com', 'html_url' => 'https://github.com', 'is_public' => true, 'team_id' => 0, ]); } if (GitlabApp::find(0) == null) { GitlabApp::create([ 'id' => 0, 'name' => 'Public GitLab', 'api_url' => 'https://gitlab.com/api/v4', 'html_url' => 'https://gitlab.com', 'is_public' => true, 'team_id' => 0, ]); } if (! isCloud() && config('constants.coolify.is_windows_docker_desktop') == false) { $coolify_key_name = '@host.docker.internal'; $ssh_keys_directory = Storage::disk('ssh-keys')->files(); $coolify_key = collect($ssh_keys_directory)->firstWhere(fn ($item) => str($item)->contains($coolify_key_name)); $private_key_found = PrivateKey::find(0); if (! $private_key_found) { if ($coolify_key) { $user = str($coolify_key)->before('@')->after('id.'); $coolify_key = Storage::disk('ssh-keys')->get($coolify_key); PrivateKey::create([ 'id' => 0, 'team_id' => 0, 'name' => 'localhost\'s key', 'description' => 'The private key for the Coolify host machine (localhost).', 'private_key' => $coolify_key, ]); echo "SSH key found for the Coolify host machine (localhost).\n"; } else { echo "No SSH key found for the Coolify host machine (localhost).\n"; echo "Please read the following documentation (point 3) to fix it: https://coolify. io/docs/knowledge-base/server/openssh/\n"; echo "Your localhost connection won't work until then."; } } } if (! isCloud()) { if (Server::find(0) == null) { $server_details = [ 'id' => 0, 'name' => 'localhost', 'description' => "This is the server where Coolify is running on. Don't delete this!", 'user' => $user, 'ip' => 'host.docker.internal', 'team_id' => 0, 'private_key_id' => 0, ]; $server_details['proxy'] = ServerMetadata::from([ 'type' => ProxyTypes::TRAEFIK->value, 'status' => ProxyStatus::EXITED->value, 'last_saved_settings' => null, 'last_applied_settings' => null, ]); $server = Server::create($server_details); $server->settings->is_reachable = true; $server->settings->is_usable = true; $server->settings->save(); StartProxy::dispatch($server); CheckAndStartSentinelJob::dispatch($server); } else { $server = Server::find(0); $server->settings->is_reachable = true; $server->settings->is_usable = true; $server->settings->save(); $shouldStart = CheckProxy::run($server); if ($shouldStart) { StartProxy::dispatch($server); } if ($server->isSentinelEnabled()) { CheckAndStartSentinelJob::dispatch($server); } } if (StandaloneDocker::find(0) == null) { StandaloneDocker::create([ 'id' => 0, 'name' => 'localhost-coolify', 'network' => 'coolify', 'server_id' => 0, ]); } } if (config('constants.coolify.is_windows_docker_desktop')) { PrivateKey::updateOrCreate( [ 'id' => 0, 'team_id' => 0, ], [ 'name' => 'Testing-host', 'description' => 'This is a a docker container with SSH access', 'private_key' => '-----BEGIN OPENSSH PRIVATE KEY----- b3BlbnNzaC1rZXktdjEAAAAABG5vbmUAAAAEbm9uZQAAAAAAAAABAAAAMwAAAAtzc2gtZW QyNTUxOQAAACBbhpqHhqv6aI67Mj9abM3DVbmcfYhZAhC7ca4d9UCevAAAAJi/QySHv0Mk hwAAAAtzc2gtZWQyNTUxOQAAACBbhpqHhqv6aI67Mj9abM3DVbmcfYhZAhC7ca4d9UCevA AAAECBQw4jg1WRT2IGHMncCiZhURCts2s24HoDS0thHnnRKVuGmoeGq/pojrsyP1pszcNV uZx9iFkCELtxrh31QJ68AAAAEXNhaWxANzZmZjY2ZDJlMmRkAQIDBA== -----END OPENSSH PRIVATE KEY----- ', ] ); if (Server::find(0) == null) { $server_details = [ 'id' => 0, 'uuid' => 'coolify-testing-host', 'name' => 'localhost', 'description' => "This is the server where Coolify is running on. Don't delete this!", 'user' => 'root', 'ip' => 'coolify-testing-host', 'team_id' => 0, 'private_key_id' => 0, ]; $server_details['proxy'] = ServerMetadata::from([ 'type' => ProxyTypes::TRAEFIK->value, 'status' => ProxyStatus::EXITED->value, 'last_saved_settings' => null, 'last_applied_settings' => null, ]); $server = Server::create($server_details); $server->settings->is_reachable = true; $server->settings->is_usable = true; $server->settings->save(); } else { $server = Server::find(0); $server->settings->is_reachable = true; $server->settings->is_usable = true; $server->settings->save(); } if (StandaloneDocker::find(0) == null) { StandaloneDocker::create([ 'id' => 0, 'name' => 'localhost-coolify', 'network' => 'coolify', 'server_id' => 0, ]); } } get_public_ips(); $this->call(OauthSettingSeeder::class); $this->call(PopulateSshKeysDirectorySeeder::class); $this->call(SentinelSeeder::class); $this->call(RootUserSeeder::class); $this->call(CaSslCertSeeder::class); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/InstanceSettingsSeeder.php
database/seeders/InstanceSettingsSeeder.php
<?php namespace Database\Seeders; use App\Models\InstanceSettings; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\Process; class InstanceSettingsSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { InstanceSettings::create([ 'id' => 0, 'is_registration_enabled' => true, 'is_api_enabled' => isDev(), 'smtp_enabled' => true, 'smtp_host' => 'coolify-mail', 'smtp_port' => 1025, 'smtp_from_address' => 'hi@localhost.com', 'smtp_from_name' => 'Coolify', ]); try { $ipv4 = Process::run('curl -4s https://ifconfig.io')->output(); $ipv4 = trim($ipv4); $ipv4 = filter_var($ipv4, FILTER_VALIDATE_IP); $settings = instanceSettings(); if (is_null($settings->public_ipv4) && $ipv4) { $settings->update(['public_ipv4' => $ipv4]); } $ipv6 = Process::run('curl -6s https://ifconfig.io')->output(); $ipv6 = trim($ipv6); $ipv6 = filter_var($ipv6, FILTER_VALIDATE_IP); $settings = instanceSettings(); if (is_null($settings->public_ipv6) && $ipv6) { $settings->update(['public_ipv6' => $ipv6]); } } catch (\Throwable $e) { echo "Error: {$e->getMessage()}\n"; } } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/DatabaseSeeder.php
database/seeders/DatabaseSeeder.php
<?php namespace Database\Seeders; use Illuminate\Database\Seeder; class DatabaseSeeder extends Seeder { public function run(): void { $this->call([ InstanceSettingsSeeder::class, UserSeeder::class, TeamSeeder::class, PrivateKeySeeder::class, PopulateSshKeysDirectorySeeder::class, ServerSeeder::class, ServerSettingSeeder::class, ProjectSeeder::class, StandaloneDockerSeeder::class, GithubAppSeeder::class, GitlabAppSeeder::class, ApplicationSeeder::class, ApplicationSettingsSeeder::class, LocalPersistentVolumeSeeder::class, S3StorageSeeder::class, StandalonePostgresqlSeeder::class, OauthSettingSeeder::class, DisableTwoStepConfirmationSeeder::class, SentinelSeeder::class, CaSslCertSeeder::class, PersonalAccessTokenSeeder::class, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/RootUserSeeder.php
database/seeders/RootUserSeeder.php
<?php namespace Database\Seeders; use App\Models\InstanceSettings; use App\Models\User; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\Hash; use Illuminate\Support\Facades\Validator; use Illuminate\Validation\Rules\Password; class RootUserSeeder extends Seeder { public function run(): void { try { if (User::where('id', 0)->exists()) { echo "\n INFO Root user already exists. Skipping creation.\n\n"; return; } if (! env('ROOT_USER_EMAIL') || ! env('ROOT_USER_PASSWORD')) { return; } $validator = Validator::make([ 'email' => env('ROOT_USER_EMAIL'), 'username' => env('ROOT_USERNAME', 'Root User'), 'password' => env('ROOT_USER_PASSWORD'), ], [ 'email' => ['required', 'email:rfc,dns', 'max:255'], 'username' => ['required', 'string', 'min:3', 'max:255', 'regex:/^[\w\s-]+$/'], 'password' => ['required', 'string', 'min:8', Password::min(8)->mixedCase()->letters()->numbers()->symbols()->uncompromised()], ]); if ($validator->fails()) { echo "\n ERROR Invalid Root User Environment Variables\n"; foreach ($validator->errors()->all() as $error) { echo " → {$error}\n"; } echo "\n"; return; } try { User::create([ 'id' => 0, 'name' => env('ROOT_USERNAME', 'Root User'), 'email' => env('ROOT_USER_EMAIL'), 'password' => Hash::make(env('ROOT_USER_PASSWORD')), ]); echo "\n SUCCESS Root user created successfully.\n\n"; } catch (\Exception $e) { echo "\n ERROR Failed to create root user: {$e->getMessage()}\n\n"; return; } try { InstanceSettings::updateOrCreate( ['id' => 0], ['is_registration_enabled' => false] ); echo "\n SUCCESS Registration has been disabled successfully.\n\n"; } catch (\Exception $e) { echo "\n ERROR Failed to update instance settings: {$e->getMessage()}\n\n"; } } catch (\Exception $e) { echo "\n ERROR An unexpected error occurred: {$e->getMessage()}\n\n"; } } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/StandalonePostgresqlSeeder.php
database/seeders/StandalonePostgresqlSeeder.php
<?php namespace Database\Seeders; use App\Models\StandaloneDocker; use App\Models\StandalonePostgresql; use Illuminate\Database\Seeder; class StandalonePostgresqlSeeder extends Seeder { public function run(): void { StandalonePostgresql::create([ 'uuid' => 'postgresql', 'name' => 'Local PostgreSQL', 'description' => 'Local PostgreSQL for testing', 'postgres_password' => 'postgres', 'environment_id' => 1, 'destination_id' => 0, 'destination_type' => StandaloneDocker::class, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/ApplicationSeeder.php
database/seeders/ApplicationSeeder.php
<?php namespace Database\Seeders; use App\Models\Application; use App\Models\GithubApp; use App\Models\StandaloneDocker; use Illuminate\Database\Seeder; class ApplicationSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { Application::create([ 'uuid' => 'docker-compose', 'name' => 'Docker Compose Example', 'repository_project_id' => 603035348, 'git_repository' => 'coollabsio/coolify-examples', 'git_branch' => 'v4.x', 'base_directory' => '/docker-compose', 'docker_compose_location' => 'docker-compose-test.yaml', 'build_pack' => 'dockercompose', 'ports_exposes' => '80', 'environment_id' => 1, 'destination_id' => 0, 'destination_type' => StandaloneDocker::class, 'source_id' => 1, 'source_type' => GithubApp::class, ]); Application::create([ 'uuid' => 'nodejs', 'name' => 'NodeJS Fastify Example', 'fqdn' => 'http://nodejs.127.0.0.1.sslip.io', 'repository_project_id' => 603035348, 'git_repository' => 'coollabsio/coolify-examples', 'git_branch' => 'v4.x', 'base_directory' => '/nodejs', 'build_pack' => 'nixpacks', 'ports_exposes' => '3000', 'environment_id' => 1, 'destination_id' => 0, 'destination_type' => StandaloneDocker::class, 'source_id' => 1, 'source_type' => GithubApp::class, ]); Application::create([ 'uuid' => 'dockerfile', 'name' => 'Dockerfile Example', 'fqdn' => 'http://dockerfile.127.0.0.1.sslip.io', 'repository_project_id' => 603035348, 'git_repository' => 'coollabsio/coolify-examples', 'git_branch' => 'v4.x', 'base_directory' => '/dockerfile', 'build_pack' => 'dockerfile', 'ports_exposes' => '80', 'environment_id' => 1, 'destination_id' => 0, 'destination_type' => StandaloneDocker::class, 'source_id' => 0, 'source_type' => GithubApp::class, ]); Application::create([ 'uuid' => 'dockerfile-pure', 'name' => 'Pure Dockerfile Example', 'fqdn' => 'http://pure-dockerfile.127.0.0.1.sslip.io', 'git_repository' => 'coollabsio/coolify', 'git_branch' => 'v4.x', 'git_commit_sha' => 'HEAD', 'build_pack' => 'dockerfile', 'ports_exposes' => '80', 'environment_id' => 1, 'destination_id' => 0, 'destination_type' => StandaloneDocker::class, 'source_id' => 0, 'source_type' => GithubApp::class, 'dockerfile' => 'FROM nginx EXPOSE 80 CMD ["nginx", "-g", "daemon off;"] ', ]); Application::create([ 'uuid' => 'crashloop', 'name' => 'Crash Loop Example', 'git_repository' => 'coollabsio/coolify', 'git_branch' => 'v4.x', 'git_commit_sha' => 'HEAD', 'build_pack' => 'dockerfile', 'ports_exposes' => '80', 'environment_id' => 1, 'destination_id' => 0, 'destination_type' => StandaloneDocker::class, 'source_id' => 0, 'source_type' => GithubApp::class, 'dockerfile' => 'FROM alpine CMD ["sh", "-c", "echo Crashing in 5 seconds... && sleep 5 && exit 1"] ', ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/S3StorageSeeder.php
database/seeders/S3StorageSeeder.php
<?php namespace Database\Seeders; use App\Models\S3Storage; use Illuminate\Database\Seeder; class S3StorageSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { S3Storage::create([ 'uuid' => 'minio', 'name' => 'Local MinIO', 'description' => 'Local MinIO S3 Storage', 'key' => 'minioadmin', 'secret' => 'minioadmin', 'bucket' => 'local', 'endpoint' => 'http://coolify-minio:9000', 'team_id' => 0, 'is_usable' => true, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/GithubAppSeeder.php
database/seeders/GithubAppSeeder.php
<?php namespace Database\Seeders; use App\Models\GithubApp; use Illuminate\Database\Seeder; class GithubAppSeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { GithubApp::create([ 'id' => 0, 'uuid' => 'github-public', 'name' => 'Public GitHub', 'api_url' => 'https://api.github.com', 'html_url' => 'https://github.com', 'is_public' => true, 'team_id' => 0, ]); GithubApp::create([ 'name' => 'coolify-laravel-dev-public', 'uuid' => 'github-app', 'organization' => 'coollabsio', 'api_url' => 'https://api.github.com', 'html_url' => 'https://github.com', 'is_public' => false, 'app_id' => 292941, 'installation_id' => 37267016, 'client_id' => 'Iv1.220e564d2b0abd8c', 'client_secret' => '116d1d80289f378410dd70ab4e4b81dd8d2c52b6', 'webhook_secret' => '326a47b49054f03288f800d81247ec9414d0abf3', 'private_key_id' => 2, 'team_id' => 0, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/PopulateSshKeysDirectorySeeder.php
database/seeders/PopulateSshKeysDirectorySeeder.php
<?php namespace Database\Seeders; use App\Models\PrivateKey; use Illuminate\Database\Seeder; use Illuminate\Support\Facades\Process; use Illuminate\Support\Facades\Storage; class PopulateSshKeysDirectorySeeder extends Seeder { public function run() { try { Storage::disk('ssh-keys')->deleteDirectory(''); Storage::disk('ssh-keys')->makeDirectory(''); Storage::disk('ssh-mux')->deleteDirectory(''); Storage::disk('ssh-mux')->makeDirectory(''); PrivateKey::chunk(100, function ($keys) { foreach ($keys as $key) { $key->storeInFileSystem(); } }); if (isDev()) { Process::run('chown -R 9999:9999 '.storage_path('app/ssh/keys')); Process::run('chown -R 9999:9999 '.storage_path('app/ssh/mux')); } else { Process::run('chown -R 9999:root '.storage_path('app/ssh/keys')); Process::run('chown -R 9999:root '.storage_path('app/ssh/mux')); } } catch (\Throwable $e) { echo "Error: {$e->getMessage()}\n"; } } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/ProjectSeeder.php
database/seeders/ProjectSeeder.php
<?php namespace Database\Seeders; use App\Models\Project; use Illuminate\Database\Seeder; class ProjectSeeder extends Seeder { public function run(): void { $project = Project::create([ 'uuid' => 'project', 'name' => 'My first project', 'description' => 'This is a test project in development', 'team_id' => 0, ]); // Update the auto-created environment with a deterministic UUID $project->environments()->first()->update(['uuid' => 'production']); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/TeamSeeder.php
database/seeders/TeamSeeder.php
<?php namespace Database\Seeders; use App\Models\Team; use App\Models\User; use Illuminate\Database\Seeder; class TeamSeeder extends Seeder { public function run(): void { $normal_user_in_root_team = User::find(1); $root_user_personal_team = Team::find(0); $root_user_personal_team->description = 'The root team'; $root_user_personal_team->save(); $normal_user_in_root_team->teams()->attach($root_user_personal_team); $normal_user_not_in_root_team = User::find(2); $normal_user_in_root_team_personal_team = Team::find(1); $normal_user_not_in_root_team->teams()->attach($normal_user_in_root_team_personal_team, ['role' => 'admin']); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/PrivateKeySeeder.php
database/seeders/PrivateKeySeeder.php
<?php namespace Database\Seeders; use App\Models\PrivateKey; use Illuminate\Database\Seeder; class PrivateKeySeeder extends Seeder { /** * Run the database seeds. */ public function run(): void { PrivateKey::create([ 'uuid' => 'ssh', 'team_id' => 0, 'name' => 'Testing Host Key', 'description' => 'This is a test docker container', 'private_key' => '-----BEGIN OPENSSH PRIVATE KEY----- b3BlbnNzaC1rZXktdjEAAAAABG5vbmUAAAAEbm9uZQAAAAAAAAABAAAAMwAAAAtzc2gtZW QyNTUxOQAAACBbhpqHhqv6aI67Mj9abM3DVbmcfYhZAhC7ca4d9UCevAAAAJi/QySHv0Mk hwAAAAtzc2gtZWQyNTUxOQAAACBbhpqHhqv6aI67Mj9abM3DVbmcfYhZAhC7ca4d9UCevA AAAECBQw4jg1WRT2IGHMncCiZhURCts2s24HoDS0thHnnRKVuGmoeGq/pojrsyP1pszcNV uZx9iFkCELtxrh31QJ68AAAAEXNhaWxANzZmZjY2ZDJlMmRkAQIDBA== -----END OPENSSH PRIVATE KEY----- ', ]); PrivateKey::create([ 'uuid' => 'github-key', 'team_id' => 0, 'name' => 'development-github-app', 'description' => 'This is the key for using the development GitHub app', 'private_key' => '-----BEGIN RSA PRIVATE KEY----- MIIEpAIBAAKCAQEAstJo/SfYh3tquc2BA29a1X3pdPpXazRgtKsb5fHOwQs1rE04 VyJYW6QCToSH4WS1oKt6iI4ma4uivn8rnkZFdw3mpcLp2ofcoeV3YPKX6pN/RiJC if+g8gCaFywOxy2pjXOLPZeFJSXFqc4UOymbhESUyDnMfk4/RvnubMiv3jINo4Ow 4Tv7tRzAdMlMrx3hEhi142oQuyl1kc4WQOM9cAV0bd+62ga3EYSnsWTnC9AaFtWk eGC5w/7knHJ5QZ9tKApkG3/29vJXY7WwCRUROEHqkvQhRDP0uqRPBdR48iG87Dwq ePa6TodkFaVfyHS/OUZzRiTn6MOSyQQFg0QIIwIDAQABAoIBAQCsmGebSJU2lwl4 0oAeZ6E9hG0LagFsSL66QpkHxO9w5bflWRbzCwRLVy6eyE46XzDrJfd7y/ALR1hK E4ZvGpY7heBDx7BdK1rprAggO6YjVD+42qJsfZ3DVo9jpDOTTWBkVcxkI1Xwd9ej wHNIcy1WabdM1nSoyC9M+ziEKOOOShXc5Q6e+zEzSBbwjc1fvvXZOH4VXZZ1DllE xGu0jFS23TLnXATxh8SdfYgnvfZgB5n72P9m/lj3FmkuJq57DLZhBwN3Zd4wom03 K7/J4K2Ssnjdv/HjVgrRgpMv7oMxfclN/Aiq878Ue4Mav6LjnLENyHbyR0WxQjY6 lZ7UMEeJAoGBAOCGepk3rCMFa3a6GagN6lYzAkLxB5y0PsefiDo6w+PeEj1tUvSd aQkiP7uvUC7a5GNp9yE8W79/O1jJXYJq15kMBpUshzfgdzyzDDCj+qvm6nbTWtP9 rP30h81R+NGdOStgs0OVZSjMWnIoii3Rv3UV4+iQXZd67+wd/kbTWtWVAoGBAMvj xv4wjt7OwtK/6oAhcNd2V9EUQp6PPpMkUyPicWdsLsoNOcuTpWvEc0AomdIGGjgI AIor1ggCxjEhbCDaZucOFUghciUup+PjyQyQT+3bjvCWuUmi0Vt51G7RE0jjZjQt 2+W9V4yDcJ5R5ow6veYvT0ZOjVTScDYowTBulgjXAoGBALFxVl7UotQiqmVwempY ZQSu13C0MIHl6V+2cuEiJEJn9R5a0h7EcIhpatkXmlUNZUY0Lr0ziIb1NJ/ctGwn qDAqUuF+CXddjJ6KGm4uiiNlIZO7QaMcbqVdph3cVLrEeLQRfltBLGtr5WcnJt1D UP5lyHK59V2MKSUAJz8uNjFpAoGAL5fR4Y/wKa5V5+AImzQzJPho81MpYd3KG4rF JYE8O4oTOfLwZMboPEm1JWrUzSPDhwTHK3mkEmajYOCOXvTcRF8TNK0p+ef0JMwN KDOflMRFj39/bOLmv9Wmct+3ArKiLtftlqkmAJTF+w7fJCiqH0s31A+OChi9PMcy oV2PBC0CgYAXOm08kFOQA+bPBdLAte8Ga89frh6asH/Z8ucfsz9/zMMG/hhq5nF3 7TItY9Pblc2Fp805J13G96zWLX4YGyLwXXkYs+Ae7QoqjonTw7/mUDARY1Zxs9m/ a1C8EDKapCw5hAhizEFOUQKOygL8Ipn+tmEUkORYdZ8Q8cWFCv9nIw== -----END RSA PRIVATE KEY-----', 'is_git_related' => true, ]); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/database/seeders/CaSslCertSeeder.php
database/seeders/CaSslCertSeeder.php
<?php namespace Database\Seeders; use App\Helpers\SslHelper; use App\Models\Server; use Illuminate\Database\Seeder; class CaSslCertSeeder extends Seeder { public function run() { Server::chunk(200, function ($servers) { foreach ($servers as $server) { $existingCaCert = $server->sslCertificates()->where('is_ca_certificate', true)->first(); if (! $existingCaCert) { $caCert = SslHelper::generateSslCertificate( commonName: 'Coolify CA Certificate', serverId: $server->id, isCaCertificate: true, validityDays: 10 * 365 ); } else { $caCert = $existingCaCert; } $caCertPath = config('constants.coolify.base_config_path').'/ssl/'; $commands = collect([ "mkdir -p $caCertPath", "chown -R 9999:root $caCertPath", "chmod -R 700 $caCertPath", "rm -rf $caCertPath/coolify-ca.crt", "echo '{$caCert->ssl_certificate}' > $caCertPath/coolify-ca.crt", "chmod 644 $caCertPath/coolify-ca.crt", ]); remote_process($commands, $server); } }); } }
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/auth/login.blade.php
resources/views/auth/login.blade.php
<x-layout-simple> <section class="bg-gray-50 dark:bg-base"> <div class="flex flex-col items-center justify-center px-6 py-8 mx-auto md:h-screen lg:py-0"> <div class="w-full max-w-md space-y-8"> <div class="text-center space-y-2"> <h1 class="!text-5xl font-extrabold tracking-tight text-gray-900 dark:text-white"> Coolify </h1> </div> <div class="space-y-6"> @if (session('status')) <div class="mb-6 p-4 bg-success/10 border border-success rounded-lg"> <p class="text-sm text-success">{{ session('status') }}</p> </div> @endif @if (session('error')) <div class="mb-6 p-4 bg-error/10 border border-error rounded-lg"> <p class="text-sm text-error">{{ session('error') }}</p> </div> @endif @if ($errors->any()) <div class="mb-6 p-4 bg-error/10 border border-error rounded-lg"> @foreach ($errors->all() as $error) <p class="text-sm text-error">{{ $error }}</p> @endforeach </div> @endif <form action="/login" method="POST" class="flex flex-col gap-4"> @csrf @env('local') <x-forms.input value="test@example.com" type="email" autocomplete="email" name="email" required label="{{ __('input.email') }}" /> <x-forms.input value="password" type="password" autocomplete="current-password" name="password" required label="{{ __('input.password') }}" /> @else <x-forms.input type="email" name="email" autocomplete="email" required label="{{ __('input.email') }}" /> <x-forms.input type="password" name="password" autocomplete="current-password" required label="{{ __('input.password') }}" /> @endenv <div class="flex items-center justify-between"> <a href="/forgot-password" class="text-sm dark:text-neutral-400 hover:text-coollabs dark:hover:text-warning hover:underline transition-colors"> {{ __('auth.forgot_password_link') }} </a> </div> <x-forms.button class="w-full justify-center py-3 box-boarding" type="submit" isHighlighted> {{ __('auth.login') }} </x-forms.button> </form> @if ($is_registration_enabled) <div class="relative my-6"> <div class="absolute inset-0 flex items-center"> <div class="w-full border-t border-neutral-300 dark:border-coolgray-400"></div> </div> <div class="relative flex justify-center text-sm"> <span class="px-2 bg-gray-50 dark:bg-base text-neutral-500 dark:text-neutral-400 "> Don't have an account? </span> </div> </div> <a href="/register" class="block w-full text-center py-3 px-4 rounded-lg border border-neutral-300 dark:border-coolgray-400 font-medium hover:border-coollabs dark:hover:border-warning transition-colors"> {{ __('auth.register_now') }} </a> @else <div class="mt-6 text-center text-sm text-neutral-500 dark:text-neutral-400"> {{ __('auth.registration_disabled') }} </div> @endif @if ($enabled_oauth_providers->isNotEmpty()) <div class="relative my-6"> <div class="absolute inset-0 flex items-center"> <div class="w-full border-t border-neutral-300 dark:border-coolgray-400"></div> </div> <div class="relative flex justify-center text-sm"> <span class="px-2 bg-gray-50 dark:bg-base text-neutral-500 dark:text-neutral-400">or continue with</span> </div> </div> <div class="flex flex-col gap-3"> @foreach ($enabled_oauth_providers as $provider_setting) <x-forms.button class="w-full justify-center" type="button" onclick="document.location.href='/auth/{{ $provider_setting->provider }}/redirect'"> {{ __("auth.login.$provider_setting->provider") }} </x-forms.button> @endforeach </div> @endif </div> </div> </div> </section> </x-layout-simple>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/auth/register.blade.php
resources/views/auth/register.blade.php
<?php function getOldOrLocal($key, $localValue) { return old($key) != '' ? old($key) : (app()->environment('local') ? $localValue : ''); } $name = getOldOrLocal('name', 'test3 normal user'); $email = getOldOrLocal('email', 'test3@example.com'); ?> <x-layout-simple> <section class="bg-gray-50 dark:bg-base"> <div class="flex flex-col items-center justify-center px-6 py-8 mx-auto md:h-screen lg:py-0"> <div class="w-full max-w-md space-y-8"> <div class="text-center space-y-2"> <h1 class="!text-5xl font-extrabold tracking-tight text-gray-900 dark:text-white"> Coolify </h1> <p class="text-lg dark:text-neutral-400"> Create your account </p> </div> <div class="space-y-6"> @if ($isFirstUser) <div class="mb-6 p-4 bg-warning/10 border border-warning rounded-lg"> <div class="flex gap-3"> <svg class="size-5 text-warning flex-shrink-0 mt-0.5" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 20 20" fill="currentColor"> <path fill-rule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-9.293a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z" clip-rule="evenodd" /> </svg> <div> <p class="font-bold text-warning">Root User Setup</p> <p class="text-sm dark:text-white text-black">This user will be the root user with full admin access.</p> </div> </div> </div> @endif @if ($errors->any()) <div class="mb-6 p-4 bg-error/10 border border-error rounded-lg"> @foreach ($errors->all() as $error) <p class="text-sm text-error">{{ $error }}</p> @endforeach </div> @endif <form action="/register" method="POST" class="flex flex-col gap-4"> @csrf <x-forms.input id="name" required type="text" name="name" value="{{ $name }}" label="{{ __('input.name') }}" /> <x-forms.input id="email" required type="email" name="email" value="{{ $email }}" label="{{ __('input.email') }}" /> <x-forms.input id="password" required type="password" name="password" label="{{ __('input.password') }}" /> <x-forms.input id="password_confirmation" required type="password" name="password_confirmation" label="{{ __('input.password.again') }}" /> <div class="p-4 bg-neutral-50 dark:bg-coolgray-200 rounded-lg border border-neutral-200 dark:border-coolgray-400"> <p class="text-xs dark:text-neutral-400"> Your password should be min 8 characters long and contain at least one uppercase letter, one lowercase letter, one number, and one symbol. </p> </div> <x-forms.button class="w-full justify-center py-3 box-boarding mt-2" type="submit" isHighlighted> Create Account </x-forms.button> </form> <div class="relative my-6"> <div class="absolute inset-0 flex items-center"> <div class="w-full border-t border-neutral-300 dark:border-coolgray-400"></div> </div> <div class="relative flex justify-center text-sm"> <span class="px-2 bg-gray-50 dark:bg-base text-neutral-500 dark:text-neutral-400"> Already have an account? </span> </div> </div> <a href="/login" class="block w-full text-center py-3 px-4 rounded-lg border border-neutral-300 dark:border-coolgray-400 font-medium hover:border-coollabs dark:hover:border-warning transition-colors"> {{ __('auth.already_registered') }} </a> </div> </div> </div> </section> </x-layout-simple>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/auth/two-factor-challenge.blade.php
resources/views/auth/two-factor-challenge.blade.php
<x-layout-simple> <section class="bg-gray-50 dark:bg-base" x-data="{ showRecovery: false, digits: ['', '', '', '', '', ''], code: '', focusNext(event) { const nextInput = event.target.nextElementSibling; if (nextInput && nextInput.tagName === 'INPUT') { nextInput.focus(); } }, focusPrevious(event) { if (event.key === 'Backspace' && !event.target.value) { const prevInput = event.target.previousElementSibling; if (prevInput && prevInput.tagName === 'INPUT') { prevInput.focus(); } } }, updateCode() { this.code = this.digits.join(''); if (this.digits.every(d => d !== '') && this.digits.length === 6) { this.$nextTick(() => { const form = document.querySelector('form[action=\'/two-factor-challenge\']'); if (form) form.submit(); }); } }, pasteCode(event) { event.preventDefault(); const paste = (event.clipboardData || window.clipboardData).getData('text'); const pasteDigits = paste.replace(/\D/g, '').slice(0, 6).split(''); const container = event.target.closest('.flex'); const inputs = container.querySelectorAll('input[type=text]'); pasteDigits.forEach((digit, index) => { if (index < 6 && inputs[index]) { this.digits[index] = digit; } }); this.updateCode(); if (pasteDigits.length > 0 && inputs.length > 0) { const lastIndex = Math.min(pasteDigits.length - 1, 5); inputs[lastIndex].focus(); } } }"> <div class="flex flex-col items-center justify-center px-6 py-8 mx-auto md:h-screen lg:py-0"> <div class="w-full max-w-md space-y-8"> <div class="text-center space-y-2"> <h1 class="!text-5xl font-extrabold tracking-tight text-gray-900 dark:text-white"> Coolify </h1> <p class="text-lg dark:text-neutral-400"> Two-Factor Authentication </p> </div> <div class="space-y-6"> @if (session('status')) <div class="p-4 bg-success/10 border border-success rounded-lg"> <p class="text-sm text-success">{{ session('status') }}</p> </div> @endif @if ($errors->any()) <div class="p-4 bg-error/10 border border-error rounded-lg"> @foreach ($errors->all() as $error) <p class="text-sm text-error">{{ $error }}</p> @endforeach </div> @endif <div x-show="!showRecovery" class="p-4 bg-neutral-50 dark:bg-coolgray-200 rounded-lg border border-neutral-200 dark:border-coolgray-400"> <div class="flex gap-3"> <svg class="size-5 flex-shrink-0 mt-0.5 text-coollabs dark:text-warning" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24" stroke-width="2" stroke="currentColor"> <path stroke-linecap="round" stroke-linejoin="round" d="M13 16h-1v-4h-1m1-4h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z" /> </svg> <p class="text-sm dark:text-neutral-400"> Enter the verification code from your authenticator app to continue. </p> </div> </div> <form action="/two-factor-challenge" method="POST" class="flex flex-col gap-4"> @csrf <div x-show="!showRecovery"> <input type="hidden" name="code" x-model="code"> <div class="flex gap-2 justify-center" @paste="pasteCode($event)"> <template x-for="(digit, index) in digits" :key="index"> <input type="text" inputmode="numeric" maxlength="1" x-model="digits[index]" @input="if ($event.target.value) { focusNext($event); updateCode(); }" @keydown="focusPrevious($event)" class="w-12 h-14 text-center text-2xl font-bold bg-white dark:bg-coolgray-100 border-2 border-neutral-200 dark:border-coolgray-300 rounded-lg focus:border-coollabs dark:focus:border-warning focus:outline-none focus:ring-0 transition-colors" autocomplete="off" /> </template> </div> <button type="button" x-on:click="showRecovery = !showRecovery" class="mt-4 text-sm dark:text-neutral-400 hover:text-black dark:hover:text-white hover:underline transition-colors cursor-pointer"> Use Recovery Code Instead </button> </div> <div x-show="showRecovery" x-cloak> <x-forms.input name="recovery_code" label="{{ __('input.recovery_code') }}" /> <button type="button" x-on:click="showRecovery = !showRecovery" class="mt-2 text-sm dark:text-neutral-400 hover:text-black dark:hover:text-white hover:underline transition-colors cursor-pointer"> Use Authenticator Code Instead </button> </div> <x-forms.button class="w-full justify-center py-3 box-boarding" type="submit" isHighlighted> {{ __('auth.login') }} </x-forms.button> </form> <div class="relative"> <div class="absolute inset-0 flex items-center"> <div class="w-full border-t border-neutral-300 dark:border-coolgray-400"></div> </div> <div class="relative flex justify-center text-sm"> <span class="px-2 bg-gray-50 dark:bg-base text-neutral-500 dark:text-neutral-400"> Need help? </span> </div> </div> <a href="/login" class="block w-full text-center py-3 px-4 rounded-lg border border-neutral-300 dark:border-coolgray-400 font-medium hover:border-coollabs dark:hover:border-warning transition-colors"> Back to Login </a> </div> </div> </div> </section> </x-layout-simple>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/auth/confirm-password.blade.php
resources/views/auth/confirm-password.blade.php
<x-layout-simple> <section class="bg-gray-50 dark:bg-base"> <div class="flex flex-col items-center justify-center px-6 py-8 mx-auto md:h-screen lg:py-0"> <div class="w-full max-w-md space-y-8"> <div class="text-center space-y-2"> <h1 class="!text-5xl font-extrabold tracking-tight text-gray-900 dark:text-white"> Coolify </h1> <p class="text-lg dark:text-neutral-400"> Confirm Your Password </p> </div> <div class="space-y-6"> @if (session('status')) <div class="p-4 bg-success/10 border border-success rounded-lg"> <p class="text-sm text-success">{{ session('status') }}</p> </div> @endif @if ($errors->any()) <div class="p-4 bg-error/10 border border-error rounded-lg"> @foreach ($errors->all() as $error) <p class="text-sm text-error">{{ $error }}</p> @endforeach </div> @endif <div class="p-4 bg-neutral-50 dark:bg-coolgray-200 rounded-lg border border-neutral-200 dark:border-coolgray-400"> <div class="flex gap-3"> <svg class="size-5 flex-shrink-0 mt-0.5 text-coollabs dark:text-warning" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24" stroke-width="2" stroke="currentColor"> <path stroke-linecap="round" stroke-linejoin="round" d="M13 16h-1v-4h-1m1-4h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z" /> </svg> <p class="text-sm dark:text-neutral-400"> This is a secure area. Please confirm your password before continuing. </p> </div> </div> <form action="/user/confirm-password" method="POST" class="flex flex-col gap-4"> @csrf <x-forms.input required type="password" name="password" label="{{ __('input.password') }}" /> <x-forms.button class="w-full justify-center py-3 box-boarding" type="submit" isHighlighted> {{ __('auth.confirm_password') }} </x-forms.button> </form> </div> </div> </div> </section> </x-layout-simple>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/auth/reset-password.blade.php
resources/views/auth/reset-password.blade.php
<x-layout-simple> <section class="bg-gray-50 dark:bg-base"> <div class="flex flex-col items-center justify-center px-6 py-8 mx-auto md:h-screen lg:py-0"> <div class="w-full max-w-md space-y-8"> <div class="text-center space-y-2"> <h1 class="!text-5xl font-extrabold tracking-tight text-gray-900 dark:text-white"> Coolify </h1> <p class="text-lg dark:text-neutral-400"> {{ __('auth.reset_password') }} </p> </div> <div class="space-y-6"> @if (session('status')) <div class="mb-6 p-4 bg-success/10 border border-success rounded-lg"> <div class="flex gap-3"> <svg class="size-5 text-success flex-shrink-0 mt-0.5" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 20 20" fill="currentColor"> <path fill-rule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-9.293a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z" clip-rule="evenodd" /> </svg> <p class="text-sm text-success">{{ session('status') }}</p> </div> </div> @endif @if ($errors->any()) <div class="mb-6 p-4 bg-error/10 border border-error rounded-lg"> @foreach ($errors->all() as $error) <p class="text-sm text-error">{{ $error }}</p> @endforeach </div> @endif <div class="mb-6"> <p class="text-sm dark:text-neutral-400"> Enter your new password below. Make sure it's strong and secure. </p> </div> <form action="/reset-password" method="POST" class="flex flex-col gap-4"> @csrf <input hidden id="token" name="token" value="{{ request()->route('token') }}"> <input hidden value="{{ request()->query('email') }}" type="email" name="email" label="{{ __('input.email') }}" /> <x-forms.input required type="password" id="password" name="password" label="{{ __('input.password') }}" /> <x-forms.input required type="password" id="password_confirmation" name="password_confirmation" label="{{ __('input.password.again') }}" /> <div class="p-4 bg-neutral-50 dark:bg-coolgray-200 rounded-lg border border-neutral-200 dark:border-coolgray-400"> <p class="text-xs dark:text-neutral-400"> Your password should be min 8 characters long and contain at least one uppercase letter, one lowercase letter, one number, and one symbol. </p> </div> <x-forms.button class="w-full justify-center py-3 box-boarding mt-2" type="submit" isHighlighted> {{ __('auth.reset_password') }} </x-forms.button> </form> <div class="relative my-6"> <div class="absolute inset-0 flex items-center"> <div class="w-full border-t border-neutral-300 dark:border-coolgray-400"></div> </div> <div class="relative flex justify-center text-sm"> <span class="px-2 bg-gray-50 dark:bg-base text-neutral-500 dark:text-neutral-400"> Remember your password? </span> </div> </div> <a href="/login" class="block w-full text-center py-3 px-4 rounded-lg border border-neutral-300 dark:border-coolgray-400 font-medium hover:border-coollabs dark:hover:border-warning transition-colors"> Back to Login </a> </div> </div> </div> </section> </x-layout-simple>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/auth/forgot-password.blade.php
resources/views/auth/forgot-password.blade.php
<x-layout-simple> <section class="bg-gray-50 dark:bg-base"> <div class="flex flex-col items-center justify-center px-6 py-8 mx-auto md:h-screen lg:py-0"> <div class="w-full max-w-md space-y-8"> <div class="text-center space-y-2"> <h1 class="!text-5xl font-extrabold tracking-tight text-gray-900 dark:text-white"> Coolify </h1> <p class="text-lg dark:text-neutral-400"> {{ __('auth.forgot_password_heading') }} </p> </div> <div class="space-y-6"> @if (session('status')) <div class="mb-6 p-4 bg-success/10 border border-success rounded-lg"> <div class="flex gap-3"> <svg class="size-5 text-success flex-shrink-0 mt-0.5" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 20 20" fill="currentColor"> <path fill-rule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-9.293a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z" clip-rule="evenodd" /> </svg> <p class="text-sm text-success">{{ session('status') }}</p> </div> </div> @endif @if ($errors->any()) <div class="mb-6 p-4 bg-error/10 border border-error rounded-lg"> @foreach ($errors->all() as $error) <p class="text-sm text-error">{{ $error }}</p> @endforeach </div> @endif @if (is_transactional_emails_enabled()) <form action="/forgot-password" method="POST" class="flex flex-col gap-4"> @csrf <x-forms.input required type="email" name="email" label="{{ __('input.email') }}" /> <x-forms.button class="w-full justify-center py-3 box-boarding" type="submit" isHighlighted> {{ __('auth.forgot_password_send_email') }} </x-forms.button> </form> @else <div class="p-4 bg-warning/10 border border-warning rounded-lg mb-6"> <div class="flex gap-3"> <svg class="size-5 text-warning flex-shrink-0 mt-0.5" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 20 20" fill="currentColor"> <path fill-rule="evenodd" d="M8.485 2.495c.673-1.167 2.357-1.167 3.03 0l6.28 10.875c.673 1.167-.17 2.625-1.516 2.625H3.72c-1.347 0-2.189-1.458-1.515-2.625L8.485 2.495zM10 5a.75.75 0 01.75.75v3.5a.75.75 0 01-1.5 0v-3.5A.75.75 0 0110 5zm0 9a1 1 0 100-2 1 1 0 000 2z" clip-rule="evenodd" /> </svg> <div> <p class="font-bold text-warning mb-2">Email Not Configured</p> <p class="text-sm dark:text-white text-black mb-2"> Transactional emails are not active on this instance. </p> <p class="text-sm dark:text-white text-black"> See how to set it in our <a class="font-bold underline hover:text-coollabs" target="_blank" href="{{ config('constants.urls.docs') }}">documentation</a>, or learn how to manually reset your password. </p> </div> </div> </div> @endif <div class="relative my-6"> <div class="absolute inset-0 flex items-center"> <div class="w-full border-t border-neutral-300 dark:border-coolgray-400"></div> </div> <div class="relative flex justify-center text-sm"> <span class="px-2 dark:bg-base text-neutral-500 dark:text-neutral-400"> Remember your password? </span> </div> </div> <a href="/login" class="block w-full text-center py-3 px-4 rounded-lg border border-neutral-300 dark:border-coolgray-400 font-medium hover:border-coollabs dark:hover:border-warning transition-colors"> Back to Login </a> </div> </div> </div> </section> </x-layout-simple>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/auth/verify-email.blade.php
resources/views/auth/verify-email.blade.php
<x-layout> <section class="flex flex-col h-full lg:items-center lg:justify-center"> <div class="flex flex-col items-center justify-center px-6 py-8 mx-auto max-w-7xl lg:py-0"> <h1> Verification Email Sent </h1> <div class="flex justify-center gap-2 text-center"> <br>To activate your account, please open the email and follow the instructions. </div> <livewire:verify-email /> </div> </section> </x-layout>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/html/table.blade.php
resources/views/vendor/mail/html/table.blade.php
<div class="table"> {{ Illuminate\Mail\Markdown::parse($slot) }} </div>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/html/layout.blade.php
resources/views/vendor/mail/html/layout.blade.php
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <title>{{ config('app.name') }}</title> <meta name="viewport" content="width=device-width, initial-scale=1.0" /> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" /> <meta name="color-scheme" content="light"> <meta name="supported-color-schemes" content="light"> <style> @media only screen and (max-width: 600px) { .inner-body { width: 100% !important; } .footer { width: 100% !important; } } @media only screen and (max-width: 500px) { .button { width: 100% !important; } } </style> </head> <body> <table class="wrapper" width="100%" cellpadding="0" cellspacing="0" role="presentation"> <tr> <td align="center"> <table class="content" width="100%" cellpadding="0" cellspacing="0" role="presentation"> {{ $header ?? '' }} <!-- Email Body --> <tr> <td class="body" width="100%" cellpadding="0" cellspacing="0" style="border: hidden !important;"> <table class="inner-body" align="center" width="570" cellpadding="0" cellspacing="0" role="presentation"> <!-- Body content --> <tr> <td class="content-cell"> {{ Illuminate\Mail\Markdown::parse($slot) }} {{ $subcopy ?? '' }} </td> </tr> </table> </td> </tr> {{ $footer ?? '' }} </table> </td> </tr> </table> </body> </html>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/html/message.blade.php
resources/views/vendor/mail/html/message.blade.php
<x-mail::layout> {{-- Header --}} <x-slot:header> <x-mail::header :url="config('app.url')"> {{ config('app.name') }} </x-mail::header> </x-slot:header> {{-- Body --}} {{ $slot }} {{-- Subcopy --}} @isset($subcopy) <x-slot:subcopy> <x-mail::subcopy> {{ $subcopy }} </x-mail::subcopy> </x-slot:subcopy> @endisset {{-- Footer --}} <x-slot:footer> <x-mail::footer> © {{ date('Y') }} {{ config('app.name') }}. @lang('All rights reserved.') </x-mail::footer> </x-slot:footer> </x-mail::layout>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/html/subcopy.blade.php
resources/views/vendor/mail/html/subcopy.blade.php
<table class="subcopy" width="100%" cellpadding="0" cellspacing="0" role="presentation"> <tr> <td> {{ Illuminate\Mail\Markdown::parse($slot) }} </td> </tr> </table>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/html/panel.blade.php
resources/views/vendor/mail/html/panel.blade.php
<table class="panel" width="100%" cellpadding="0" cellspacing="0" role="presentation"> <tr> <td class="panel-content"> <table width="100%" cellpadding="0" cellspacing="0" role="presentation"> <tr> <td class="panel-item"> {{ Illuminate\Mail\Markdown::parse($slot) }} </td> </tr> </table> </td> </tr> </table>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/html/button.blade.php
resources/views/vendor/mail/html/button.blade.php
@props(['url', 'color' => 'primary', 'align' => 'center']) <table class="action" align="{{ $align }}" width="100%" cellpadding="0" cellspacing="0" role="presentation"> <tr> <td align="{{ $align }}"> <table width="100%" border="0" cellpadding="0" cellspacing="0" role="presentation"> <tr> <td align="{{ $align }}"> <table border="0" cellpadding="0" cellspacing="0" role="presentation"> <tr> <td> <a href="{{ $url }}" class="button button-{{ $color }}" target="_blank" rel="noopener">{{ $slot }}</a> </td> </tr> </table> </td> </tr> </table> </td> </tr> </table>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/html/header.blade.php
resources/views/vendor/mail/html/header.blade.php
@props(['url']) <tr> <td class="header"> <a href="{{ $url }}" style="display: inline-block;"> @if (trim($slot) === 'Laravel') <img src="https://laravel.com/img/notification-logo.png" class="logo" alt="Laravel Logo"> @else {{ $slot }} @endif </a> </td> </tr>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/html/footer.blade.php
resources/views/vendor/mail/html/footer.blade.php
<tr> <td> <table class="footer" align="center" width="570" cellpadding="0" cellspacing="0" role="presentation"> <tr> <td class="content-cell" align="center"> {{ Illuminate\Mail\Markdown::parse($slot) }} </td> </tr> </table> </td> </tr>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/text/table.blade.php
resources/views/vendor/mail/text/table.blade.php
{{ $slot }}
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/text/layout.blade.php
resources/views/vendor/mail/text/layout.blade.php
{!! strip_tags($header) !!} {!! strip_tags($slot) !!} @isset($subcopy) {!! strip_tags($subcopy) !!} @endisset {!! strip_tags($footer) !!}
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/text/message.blade.php
resources/views/vendor/mail/text/message.blade.php
<x-mail::layout> {{-- Header --}} <x-slot:header> <x-mail::header :url="config('app.url')"> {{ config('app.name') }} </x-mail::header> </x-slot:header> {{-- Body --}} {{ $slot }} {{-- Subcopy --}} @isset($subcopy) <x-slot:subcopy> <x-mail::subcopy> {{ $subcopy }} </x-mail::subcopy> </x-slot:subcopy> @endisset {{-- Footer --}} <x-slot:footer> <x-mail::footer> © {{ date('Y') }} {{ config('app.name') }}. @lang('All rights reserved.') </x-mail::footer> </x-slot:footer> </x-mail::layout>
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/text/subcopy.blade.php
resources/views/vendor/mail/text/subcopy.blade.php
{{ $slot }}
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/text/panel.blade.php
resources/views/vendor/mail/text/panel.blade.php
{{ $slot }}
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/text/button.blade.php
resources/views/vendor/mail/text/button.blade.php
{{ $slot }}: {{ $url }}
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false
coollabsio/coolify
https://github.com/coollabsio/coolify/blob/f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53/resources/views/vendor/mail/text/header.blade.php
resources/views/vendor/mail/text/header.blade.php
[{{ $slot }}]({{ $url }})
php
Apache-2.0
f6a59fa2dce9a7cf92b59dbb9fc575c8612aaa53
2026-01-04T15:02:34.115123Z
false