如果您正在处理错误:“违反完整性约束:无法添加或更新子行:外键约束失败”,那么您阅读的是正确的文章。
通常,当您向表添加新列并将其声明为外键时,您会遇到此错误。
在 SQL 数据库中,外键是表中的一个字段,用于在另一个表中的数据之间建立链接。考虑下面的客户表。
CREATE TABLE customers ( id INT PRIMARY KEY, name VARCHAR(255), email VARCHAR(255) );
现在您想要将您的客户链接到一个群组。首先,您应该将新列添加到包含对组表的引用的客户表中:
# Create the new column "group_id" ALTER TABLE customers ADD COLUMN group_id INT NOT NULL;
您可以添加外键约束来激活与组表的关系:
# Add the FK constraints ALTER TABLE customers ADD CONSTRAINT fk_group_id FOREIGN KEY (group_id) REFERENCES customers(id);
当您在customers表上运行此更改操作时,数据库将验证group_id字段中的ID是否存在于groups表中。
在此检查期间,数据库将引发“完整性违规错误”,因为 group_id 列仍然为空,因此它不包含 groups 表中的任何有效引用。因此 SQL 引擎无法尝试应用外键约束。这是因为空值不是组表的有效外键。
最简单的操作是将新列声明为可为空。
您可以从alter查询中删除“NOT NULL”指令,以允许group_id列包含空值。
这个简单的更改将首先解决问题,因为现在外键也可以为空。您可以运行数据迁移以最终填充客户表中的新 group_id 列,并计划新版本以重新引入“NOT NULL”约束。
如果在您的应用程序中,如果没有特定的组,客户就不能存在,您应该记住,如果 group_id 可以为空,您的数据库将不知道此约束。
如果您在应用程序中创建实体时犯了错误,数据库不会提醒您。
另一种解决方案是在用于添加新列的alter查询和用于添加外键的alter查询之间添加数据迁移作业。
在客户表中获得新的 group_id 列后,您可以运行脚本,使用 groups 表中的有效 ID 填充现有行的此列。
这是执行此任务的查询示例:
UPDATE customers, groups SET customers.group_id = groups.id Where customers.user_id = groups.user_id;
在现代应用程序中,所有这些任务都是使用迁移工具执行的。它通常在大多数常见的应用程序开发框架中可用。
在下面的示例中,我将向您展示如何使用 Laravel 迁移来处理完整性约束违规问题。
创建迁移:
php artisan make:migration add_goup_id_fk_to_customers –table=customers
您可以将迁移分为两部分,如下所示:
use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Schema\Blueprint; use Illuminate\Support\Facades\DB; use Illuminate\Support\Facades\Schema; return new class extends Migration { /** * Run the migrations. */ public function up(): void { Schema::create('customers', function (Blueprint $table) { $table->unsignedBigInteger('group_id')->nullable(); }); // Insert default data into the new column DB::raw('UPDATE customers, groups SET customers.group_id = groups.id WHERE customers.user_id = groups.user_id'); Schema::table('customers', function (Blueprint $table) { // Add the FK constraint $table->foreign('group_id')->references('id')->on(groups)->onDelete('cascade'); // Remove the nullable condition eventually; $table->unsignedBigInteger('group_id')->change(); }); } /** * Reverse the migrations. */ public function down(): void { Schema::table('customers', function (Blueprint $table) { $table->dropForeign('group_id'); $table->dropColumn('group_id'); }); } };
如果您对提高数据库性能感兴趣,可以看看下面关于“智能数据库查询”的文章:
https://inspector.dev/how-to-accelerate-application-performance-with-smart-sql-queries/
Inspector是一款专为软件开发人员设计的代码执行监控工具。您不需要在服务器级别安装任何内容,只需安装 composer 包 就可以开始了。
与其他复杂的一体化平台不同,Inspector 非常简单,并且对 PHP 友好。您可以尝试我们的 Laravel 或 Symfony 包。
如果您正在寻找有效的自动化、深入的见解以及将警报和通知转发到消息传递环境的能力,请免费尝试 Inspector。注册您的帐户。
或在网站上了解更多信息:https://inspector.dev
以上是[已解决] 完整性约束违规 – 快速提示的详细内容。更多信息请关注PHP中文网其他相关文章!