如何使用laravel 5迁移在表中添加列而不会丢失其数据?

2022-08-30 21:54:54

我有一个现有的数据库表,我想在其上添加列。但是,当我运行该命令时,它不会说要迁移任何内容。但是我已经添加了一个用于添加表列的架构。我已经阅读了一些文章和链接,我应该在要添加的新列之前运行第一个。问题是,它会擦除表中的现有数据。有没有办法在不删除数据的情况下执行迁移并成功在表中添加列?请帮帮我。多谢。这是我的迁移代码。php artisan migratephp artisan migrate:refresh

public function up()
{
    //
    Schema::create('purchase_orders', function(Blueprint $table){

        $table->increments('id');
        $table->string('po_code');
        $table->text('purchase_orders');
        $table->float('freight_charge');
        $table->float('overall_total');
        $table->timestamps();

    });

    Schema::table('purchase_orders', function(Blueprint $table){
        $table->string('shipped_via');
        $table->string('terms');
    });
}

/**
 * Reverse the migrations.
 *
 * @return void
 */
public function down()
{
    //
    Schema::drop('purchase_orders');
}

我想在我的表中添加列和。shipped_viatermspurchase_orders


答案 1

使用以下命令修改现有表

php artisan make:migration add_shipped_via_and_terms_colums_to_purchase_orders_table --table=purchase_orders

用于创建新表和修改现有表。--create--table

现在将创建一个新的迁移文件。在此文件中的函数内部添加这些行up()

Schema::table('purchase_orders', function(Blueprint $table){
    $table->string('shipped_via');
    $table->string('terms');
});

然后运行php artisan migrate


答案 2

Laravel在您的数据库中有一个表,它可以跟踪已执行的所有迁移。因此,仅更改迁移文件,Laravel 不会自动为您重新运行该迁移。因为迁移已经由Laravel执行。

因此,最好的办法就是创建一个新的迁移,并将你已经拥有的代码段放入其中(你走在正确的轨道上!

public function up()
{
    //
    Schema::table('purchase_orders', function(Blueprint $table){
        $table->string('shipped_via');
        $table->string('terms');
    });
}

/**
 * Reverse the migrations.
 *
 * @return void
 */
public function down()
{
    //

}

您无需填充 down 函数情况,该表将被当前purchase_orders迁移删除。

要迁移新的迁移,只需运行:

php artisan migrate

推荐