在 Laravel 中,数据库迁移文件用于定义数据库表结构。要生成一个新的迁移文件,请按照以下步骤操作:
打开命令行或终端。
导航到 Laravel 项目的根目录。例如:
cd /path/to/your/laravel-project
make:migration
Artisan 命令生成一个新的迁移文件。你需要提供一个描述性的名称,例如 create_users_table
。此命令还允许你指定一个表名(可选)和一个包含列定义的数组(可选)。例如:php artisan make:migration create_users_table --create=users
这将生成一个名为 create_users_table
的迁移文件,并将其保存在 database/migrations
目录中。
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class CreateUsersTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
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->rememberToken();
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('users');
}
}
在 up()
方法中,你可以定义表结构,例如添加列、设置主键、设置唯一约束等。在 down()
方法中,你可以定义如何回滚此迁移,即删除表结构。
保存文件后,你可以运行 php artisan migrate
命令来应用迁移并创建表结构。
这就是在 Laravel 中生成和使用数据库迁移文件的方法。