如何检查索引是否存在于Laravel迁移中?

ercv8c1e  于 2023-05-30  发布在  其他
关注(0)|答案(3)|浏览(157)

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

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

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

fdbelqdn

fdbelqdn1#

使用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");
});
20jt8wwn

20jt8wwn2#

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');
}
wgxvkvu9

wgxvkvu93#

在简单的形式中,您可以这样做

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

相关问题