掉落唯一索引拉拉维尔

2022-08-30 11:34:19

我在跑步时一直得到这个php artisan migrate

SQLSTATE[42000]:语法错误或访问冲突:1091无法删除“电子邮件”;检查列/键是否存在

虽然我看到我的数据库中存在电子邮件。

enter image description here


我的迁移脚本。我试图放弃独特的约束。

<?php

use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;

class AlterGuestsTable3 extends Migration {

    /**
     * Run the migrations.
     *
     * @return void
     */
    public function up()
    {
        Schema::table('guests', function(Blueprint $table)
        {
            $table->dropUnique('email');

        });

    }

    /**
     * Reverse the migrations.
     *
     * @return void
     */
    public function down()
    {
        Schema::table('guests', function(Blueprint $table)
        {

            $table->dropUnique('email');

        });
    }

}

我是否忘记清除任何缓存?

有什么提示吗?


答案 1

通过官方文档,您可以看到以下内容:

如果将列数组传递到删除索引的方法中,则将根据表名、列和键类型生成常规索引名称:

Schema::table('geo', function ($table) {
    $table->dropIndex(['state']); // Drops index 'geo_state_index' 
});



您可以简单地使用字段名称来删除它:[]

Schema::table('guests', function(Blueprint $table)
{
    $table->dropUnique(['email']);
});

UPD:根据9.x的最新文档,它仍然相关。


答案 2

删除索引时,Laravel 会期望给出索引的全名。

您可以检查数据库的索引全名,但如果密钥是由以前的 Laravel 迁移生成的,则其名称应符合单个简单的命名约定。

以下是文档对其命名约定的看法(从 v5.2 开始):

默认情况下,Laravel 会自动为索引分配一个合理的名称。只需连接表名、索引列的名称和索引类型即可。

我的猜测是,这就是你收到错误的原因。没有索引,但可能有索引。emailguests_email_unique

试一试此迁移:

<?php

use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;

class AlterGuestsTable3 extends Migration {

    /**
     * Run the migrations.
     *
     * @return void
     */
    public function up()
    {
        Schema::table('guests', function(Blueprint $table)
        {
            $table->dropUnique('guests_email_unique');

        });

    }

    /**
     * Reverse the migrations.
     *
     * @return void
     */
    public function down()
    {
        Schema::table('guests', function(Blueprint $table)
        {
            //Put the index back when the migration is rolled back
            $table->unique('email');

        });
    }

}

我知道在创建索引时指定列名有点令人困惑,但是在以后删除索引时,您需要提供索引的全名。

请注意,我也调整了该方法,以便它通过添加回唯一索引来恢复删除唯一索引。down()


推荐