电子邮件作为 laravel 中的外键

email as a foreign key in larave

我可以将电子邮件作为外键吗? $table->foreignId('email')->constrained('users')->onDelete('CASCADE');。我写了一个播种器,用于 emai 的整数值。我需要使电子邮件独一无二

这是我的用户table

        Schema::create('users', function (Blueprint $table) {
        $table->id();
        $table->string('name');
        $table->string('email')->unique();
        $table->timestamp('email_verified_at')->nullable();
        $table->string('password');
        $table->rememberToken();
        $table->timestamps();
    });

要创建与 users table 的 email 列的外键关联,您不能使用 foreignId 方法,因为它会创建 unsignedBigInteger等价列。

您可以将外键关联创建为

//Some other table - for eg lets say posts
Schema::create('posts', function(Blueprint $table) {
    $table->id();
    $table->string('title');
    $table->text('body');
    $table->string('author_email');

    $table->foreign('author_email') // a column on posts table
        ->references('email') //name of the column on users (referenced) table
        ->on('users')    //name of the referenced table 
        ->onDelete('cascade'); //constrain
});

然后使用这个外键关联,您可以在 Post 模型中定义作者关系,将其链接到 User 模型

//Post.php - eloquent model class
public function author()
{
    return $this->belongsTo(User::class, 'author_email', 'email');
}

注意:要使其按预期工作,users table 上的 email 列必须包含唯一值,即具有 unique 索引(因为你在迁移用户中有table)

Laravel Docs - Migrations - Foreign Key Constraints