php 拉瑞威5.1:启用SQLite外键约束

slhcrj9b  于 2022-12-02  发布在  PHP
关注(0)|答案(5)|浏览(137)

在SQLite中,默认情况下禁用外键约束。
配置Laravel 5.1的SQLite数据库连接以启用外键约束的最佳方法是什么?我在['connections']['sqlite']/config/database.php中看不到这样做的方法。

xoefb8l8

xoefb8l81#

下面是一个解决方案。在App\Providers\AppServiceProviderboot()方法中,添加:

if (DB::connection() instanceof \Illuminate\Database\SQLiteConnection) {
    DB::statement(DB::raw('PRAGMA foreign_keys=1'));
}

感谢@RobertTrzebinski为我们提供关于Laravel 4的this blog post信息。

jogvjijk

jogvjijk2#

我在Laravel 5.2中使用App\Providers\AppServiceProvider中的外观数据库时产生了错误。以下是我的解决方案:

if(config('database.default') == 'sqlite'){
    $db = app()->make('db');
    $db->connection()->getPdo()->exec("pragma foreign_keys=1");
}
66bbxpm5

66bbxpm53#

因为我只想在我的测试中使用它,但是在所有的测试中,我最终在Tests\TestCase类中得到了一个简单的实现,如下所示:

abstract class TestCase extends BaseTestCase
 {
        use CreatesApplication;

        protected function setUp()
        {
            parent::setUp();

            $this->enableForeignKeys();
        }

        /**
         * Enables foreign keys.
         *
         * @return void
         */
        public function enableForeignKeys()
        {
            $db = app()->make('db');
            $db->getSchemaBuilder()->enableForeignKeyConstraints();
        }
}

这就像一个魅力:-)

cdmah0mi

cdmah0mi4#

当测试实际上依赖于具有外键的表时,您还可以基于每个测试(文件)激活外键。
这里有一个特点:(例如tests/ForeignKeys.php

<?php

namespace Tests;

trait ForeignKeys
{
    /**
     * Enables foreign keys.
     *
     * @return void
     */
    public function enableForeignKeys()
    {
        $db = app()->make('db');
        $db->getSchemaBuilder()->enableForeignKeyConstraints();
    }
}

别忘了在你的测试设置链中的某个地方运行这个方法。(tests/TestCase.php

<?php

namespace Tests;

/**
 * Class TestCase
 * @package Tests
 * @mixin \PHPUnit\Framework\TestCase
 */
abstract class TestCase extends \Illuminate\Foundation\Testing\TestCase
{
    use CreatesApplication;

    ...

    /**
     * Boot the testing helper traits.
     *
     * @return array
     */
    protected function setUpTraits()
    {
        $uses = parent::setUpTraits();

        if (isset($uses[ForeignKeys::class])) {
            /* @var $this TestCase|ForeignKeys */
            $this->enableForeignKeys();
        }
    }

    ...

然后你可以像这样把它添加到你的测试中:

<?php

namespace Tests\Feature;

use Tests\ForeignKeys;
use Tests\TestCase;
use Illuminate\Foundation\Testing\DatabaseMigrations;

class ExampleFeatureTest extends TestCase
{
    use DatabaseMigrations;
    use ForeignKeys;

    ...
a1o7rhls

a1o7rhls5#

在较新版本的laravel中,特别是8.x和9.x,有一个配置选项可以打开SQLite数据库的外键约束。
config/database.php

<?php

use Illuminate\Support\Str;

return [
    // ...
    'connections' => [
        'testing' => [
            'driver' => 'sqlite',
            'database' => ':memory:',
            // here
            'foreign_key_constraints' => true,
        ],
    ],
    // ...
];

在我的例子中,我只是没有为测试数据库设置该选项。

相关问题