Member-only story
Laravel 11: Efficient Enum Creation (Command), Database Migrations, and Seeding Strategies
2 min readOct 15, 2024
Handling Empty Enum Creation with Artisan Commands
php artisan make:enum
Creating Enums: Organize in ‘Enums’ Folder for Better Management and Use Direct Commands
php artisan make:enum Enums/Role --string
Location: app/Enums/Role.php
<?php
namespace App\Enums;
enum Role: string
{
case ORGANIZER = 'organizer';
case ATTENDEE = 'attendee';
}
Use the make:enum
Artisan command with additional options, viewable by including the --help
flag for more details.
php artisan make:enum --help
php artisan make:enum --help
for Enum Creation in Laravel 11How to Handle Enum Migrations with Updated Syntax
$table->enum('role', array_column(Role::cases(), 'value'))->default(Role::ATTENDEE->value);
After Change like that
Schema::create('users', function (Blueprint $table) {
$table->id();
$table->string('name');
$table->string('email')->unique();
$table->timestamp('email_verified_at')->nullable();
$table->string('password');
$table->enum('role', array_column(Role::cases(), 'value'))->default(Role::ATTENDEE->value);
$table->rememberToken();
$table->timestamps();
});
Updating Enum Factories for Efficient Data Seeding
'role' => $this->faker->randomElement(array_column(Role::cases(), 'value')),
Change after like that
public function definition(): array
{
return [
'name' => fake()->name(),
'email' => fake()->unique()->safeEmail(),
'email_verified_at' => now(),
'password' => static::$password ??= Hash::make('password'),
'remember_token' => Str::random(10),
'role' => $this->faker->randomElement(array_column(Role::cases(), 'value')),
];
}
Updating Enum Values in Seeder Files for Efficient Data Seeding
User::factory()->create([
'name' => 'organizer'…