删除时的Laravel架构设置为空

vshtjzan  于 2023-02-17  发布在  其他
关注(0)|答案(8)|浏览(171)

不知道如何在Laravel的表上设置正确的onDelete约束。(我正在使用SqLite)

$table->...->onDelete('cascade'); // works
$table->...->onDelete('null || set null'); // neither of them work

我有3个迁移,创建图库表:

Schema::create('galleries', function($table)
{
    $table->increments('id');
    $table->string('name')->unique();
    $table->text('path')->unique();
    $table->text('description')->nullable();
    $table->timestamps();
    $table->engine = 'InnoDB';
});

创建图片表:

Schema::create('pictures', function($table)
{
    $table->increments('id');
    $table->text('path');
    $table->string('title')->nullable();
    $table->text('description')->nullable();
    $table->integer('gallery_id')->unsigned();
    $table->foreign('gallery_id')
        ->references('id')->on('galleries')
        ->onDelete('cascade');
    $table->timestamps();
    $table->engine = 'InnoDB';
});

将库表链接到图片:

Schema::table('galleries', function($table)
{
    // id of a picture that is used as cover for a gallery
    $table->integer('picture_id')->after('description')
        ->unsigned()->nullable();
    $table->foreign('picture_id')
        ->references('id')->on('pictures')
        ->onDelete('cascade || set null || null'); // neither of them works
});

我没有收到任何错误。而且,即使是“级联”选项不工作(仅在画廊表)。删除画廊删除所有图片。但删除封面图片,不会删除画廊(用于测试目的)。
由于连“级联”都没有触发,所以我“置空”不是问题。

编辑(解决方法):

阅读了这个article之后,我稍微修改了一下模式,现在,pictures表包含了一个“is_cover”单元格,表示这张图片是否是相册的封面。
对原始问题的解决方案仍然高度赞赏!

wnvonmuf

wnvonmuf1#

如果要在删除时设置null:

$table->...->onDelete('set null');

首先确保将外键字段设置为可空:

$table->integer('foreign_id')->unsigned()->nullable();
dgsult0t

dgsult0t2#

在laravel 7和8中,您可以用途:

$table->foreignId('foreign_id')->nullable()->constrained("table_name")->cascadeOnUpdate()->nullOnDelete();

参考文献
不同的选项在类Illuminate\Database\Schema\ForeignKeyDefinitionsee source)中声明。

r9f1avp5

r9f1avp53#

根据
http://dev.mysql.com/doc/refman/5.6/en/innodb-foreign-key-constraints.html
$table-〉onDelete('set null')应该可以工作,也许可以尝试

$table->...->onDelete(DB::raw('set null'));

如果有任何错误,也会很有帮助

iqxoj9l9

iqxoj9l94#

  • 这是Laravel中的已知问题。有关此here的详细信息。
  • SQLite中不支持此功能,请参见here
  • 也是一个对这个问题有详细摊牌的主题
pgccezyw

pgccezyw5#

在laravel 8里你可以这样做。

$table->foreignId('table_id')->nullable()->constrained()->onDelete('set null');

必须在constrained()和onDelete('set null')之前调用nullable()列修饰符

o4hqfura

o4hqfura6#

在MySQL 5.5上使用Laravel 4.2和InnoDB,onDelete('set null')可以正常工作。

w6mmgewl

w6mmgewl7#

您也可以使用nullOnDelete()方法。请参阅laravel 8.xhttps://laravel.com/docs/8.x/migrations#foreign-key-constraints

$table->foreignId('table_id')->nullable()->constrained()->nullOnDelete();

相关问题