如果索引存在于 Laravel 迁移中,如何检查索引?

2022-08-30 16:17:13

在准备迁移时,尝试检查表上是否存在唯一索引,如何实现?

Schema::table('persons', function (Blueprint $table) {
    if ($table->hasIndex('persons_body_unique')) {
        $table->dropUnique('persons_body_unique');
    }
})

看起来像上面的东西。(显然,hasIndex() 不存在)


答案 1

使用Laravel使用的“doctrine-dbal”是更好的解决方案:

Schema::table('persons', function (Blueprint $table) {
    $sm = Schema::getConnection()->getDoctrineSchemaManager();
    $indexesFound = $sm->listTableIndexes('persons');

    if(array_key_exists("persons_body_unique", $indexesFound))
        $table->dropUnique("persons_body_unique");
});

答案 2

mysql 查询

SHOW INDEXES FROM persons

将为您提供表上的所有索引,但是它包括除名称之外的其他信息。在我的设置中,调用包含名称的列,因此让我们获取键名称的集合Key_name

collect(DB::select("SHOW INDEXES FROM persons"))->pluck('Key_name')

由于这是一个您可以使用的集合,因此最终我们有:contains

if (collect(DB::select("SHOW INDEXES FROM persons"))->pluck('Key_name')->contains('persons_body_unique')) {
        $table->dropUnique('persons_body_unique');
}

推荐