跳到内容

Eloquent:关联关系

简介

数据库表通常彼此关联。例如,一篇博客文章可能有很多评论,或者一个订单可能与下订单的用户相关联。Eloquent 使管理和使用这些关系变得容易,并支持各种常见的关系

定义关联关系

Eloquent 关联关系在你的 Eloquent 模型类上定义为方法。由于关联关系也充当强大的查询构造器,因此将关联关系定义为方法提供了强大的方法链式调用和查询功能。例如,我们可以在此 posts 关联关系上链式调用额外的查询约束

1$user->posts()->where('active', 1)->get();

但是,在深入研究使用关联关系之前,让我们先学习如何定义 Eloquent 支持的每种关联关系类型。

一对一 / Has One

一对一关联关系是一种非常基本的数据库关联关系类型。例如,一个 User 模型可能与一个 Phone 模型关联。为了定义这种关联关系,我们将在 User 模型上放置一个 phone 方法。phone 方法应调用 hasOne 方法并返回其结果。hasOne 方法通过模型的 Illuminate\Database\Eloquent\Model 基类可用于你的模型

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\HasOne;
7 
8class User extends Model
9{
10 /**
11 * Get the phone associated with the user.
12 */
13 public function phone(): HasOne
14 {
15 return $this->hasOne(Phone::class);
16 }
17}

传递给 hasOne 方法的第一个参数是相关模型类的名称。一旦定义了关联关系,我们就可以使用 Eloquent 的动态属性检索相关记录。动态属性允许你像访问模型上定义的属性一样访问关联关系方法

1$phone = User::find(1)->phone;

Eloquent 基于父模型名称确定关联关系的外键。在本例中,自动假定 Phone 模型具有 user_id 外键。如果你希望覆盖此约定,你可以将第二个参数传递给 hasOne 方法

1return $this->hasOne(Phone::class, 'foreign_key');

此外,Eloquent 假设外键应具有与父主键列匹配的值。换句话说,Eloquent 将在 Phone 记录的 user_id 列中查找用户的 id 列的值。如果你希望关联关系使用除 id 或模型的 $primaryKey 属性之外的主键值,你可以将第三个参数传递给 hasOne 方法

1return $this->hasOne(Phone::class, 'foreign_key', 'local_key');

定义关联关系的反向

因此,我们可以从 User 模型访问 Phone 模型。接下来,让我们在 Phone 模型上定义一个关联关系,使我们能够访问拥有该电话的用户。我们可以使用 belongsTo 方法定义 hasOne 关联关系的反向

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\BelongsTo;
7 
8class Phone extends Model
9{
10 /**
11 * Get the user that owns the phone.
12 */
13 public function user(): BelongsTo
14 {
15 return $this->belongsTo(User::class);
16 }
17}

当调用 user 方法时,Eloquent 将尝试查找一个 User 模型,该模型的 idPhone 模型上的 user_id 列匹配。

Eloquent 通过检查关联关系方法的名称并在方法名称后附加 _id 来确定外键名称。因此,在本例中,Eloquent 假设 Phone 模型具有 user_id 列。但是,如果 Phone 模型上的外键不是 user_id,你可以将自定义键名作为第二个参数传递给 belongsTo 方法

1/**
2 * Get the user that owns the phone.
3 */
4public function user(): BelongsTo
5{
6 return $this->belongsTo(User::class, 'foreign_key');
7}

如果父模型不使用 id 作为其主键,或者你希望使用不同的列查找关联模型,你可以将第三个参数传递给 belongsTo 方法,指定父表的自定义键

1/**
2 * Get the user that owns the phone.
3 */
4public function user(): BelongsTo
5{
6 return $this->belongsTo(User::class, 'foreign_key', 'owner_key');
7}

一对多 / Has Many

一对多关联关系用于定义单个模型是一个或多个子模型的父模型的关联关系。例如,一篇博客文章可能有无限数量的评论。像所有其他 Eloquent 关联关系一样,一对多关联关系通过在你的 Eloquent 模型上定义一个方法来定义

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\HasMany;
7 
8class Post extends Model
9{
10 /**
11 * Get the comments for the blog post.
12 */
13 public function comments(): HasMany
14 {
15 return $this->hasMany(Comment::class);
16 }
17}

请记住,Eloquent 将自动确定 Comment 模型的正确外键列。按照惯例,Eloquent 将采用父模型的“蛇形命名”名称,并在其后附加 _id。因此,在本例中,Eloquent 将假定 Comment 模型上的外键列为 post_id

一旦定义了关联关系方法,我们就可以通过访问 comments 属性来访问相关评论的集合。请记住,由于 Eloquent 提供了“动态关联关系属性”,我们可以像访问模型上定义的属性一样访问关联关系方法

1use App\Models\Post;
2 
3$comments = Post::find(1)->comments;
4 
5foreach ($comments as $comment) {
6 // ...
7}

由于所有关联关系也充当查询构造器,你可以通过调用 comments 方法并继续将条件链接到查询来向关联关系查询添加进一步的约束

1$comment = Post::find(1)->comments()
2 ->where('title', 'foo')
3 ->first();

hasOne 方法类似,你还可以通过将其他参数传递给 hasMany 方法来覆盖外键和本地键

1return $this->hasMany(Comment::class, 'foreign_key');
2 
3return $this->hasMany(Comment::class, 'foreign_key', 'local_key');

自动在子模型上 hydration 父模型

即使在使用 Eloquent 预加载时,如果你尝试在循环访问子模型时从子模型访问父模型,也可能会出现“N + 1”查询问题

1$posts = Post::with('comments')->get();
2 
3foreach ($posts as $post) {
4 foreach ($post->comments as $comment) {
5 echo $comment->post->title;
6 }
7}

在上面的示例中,引入了“N + 1”查询问题,因为即使为每个 Post 模型预加载了评论,Eloquent 也不会自动在每个子 Comment 模型上 hydration 父 Post

如果你希望 Eloquent 自动将父模型 hydration 到其子模型上,你可以在定义 hasMany 关联关系时调用 chaperone 方法

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\HasMany;
7 
8class Post extends Model
9{
10 /**
11 * Get the comments for the blog post.
12 */
13 public function comments(): HasMany
14 {
15 return $this->hasMany(Comment::class)->chaperone();
16 }
17}

或者,如果你想在运行时选择加入自动父 hydration,你可以在预加载关联关系时调用 chaperone 模型

1use App\Models\Post;
2 
3$posts = Post::with([
4 'comments' => fn ($comments) => $comments->chaperone(),
5])->get();

一对多(反向)/ Belongs To

现在我们可以访问帖子的所有评论,让我们定义一个关联关系,以允许评论访问其父帖子。要定义 hasMany 关联关系的反向,请在调用 belongsTo 方法的子模型上定义关联关系方法

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\BelongsTo;
7 
8class Comment extends Model
9{
10 /**
11 * Get the post that owns the comment.
12 */
13 public function post(): BelongsTo
14 {
15 return $this->belongsTo(Post::class);
16 }
17}

一旦关系被定义,我们就可以通过访问 post “动态关系属性”来检索评论的父级帖子

1use App\Models\Comment;
2 
3$comment = Comment::find(1);
4 
5return $comment->post->title;

在上面的例子中,Eloquent 将尝试查找一个 Post 模型,该模型的 idComment 模型上的 post_id 列相匹配。

Eloquent 通过检查关系方法的名称并在方法名称后附加 _,然后再附加父模型的主键列的名称来确定默认的外键名称。因此,在本例中,Eloquent 将假定 Post 模型在 comments 表上的外键是 post_id

但是,如果您的关系的外键不遵循这些约定,您可以将自定义外键名称作为第二个参数传递给 belongsTo 方法

1/**
2 * Get the post that owns the comment.
3 */
4public function post(): BelongsTo
5{
6 return $this->belongsTo(Post::class, 'foreign_key');
7}

如果您的父模型不使用 id 作为其主键,或者您希望使用不同的列来查找关联的模型,您可以将第三个参数传递给 belongsTo 方法,指定您的父表的自定义键

1/**
2 * Get the post that owns the comment.
3 */
4public function post(): BelongsTo
5{
6 return $this->belongsTo(Post::class, 'foreign_key', 'owner_key');
7}

默认模型

belongsTohasOnehasOneThroughmorphOne 关系允许您定义一个默认模型,如果在给定的关系为 null 时将返回该模型。这种模式通常被称为 Null Object 模式,可以帮助您删除代码中的条件检查。在以下示例中,如果 Post 模型没有附加用户,则 user 关系将返回一个空的 App\Models\User 模型

1/**
2 * Get the author of the post.
3 */
4public function user(): BelongsTo
5{
6 return $this->belongsTo(User::class)->withDefault();
7}

要使用属性填充默认模型,您可以将数组或闭包传递给 withDefault 方法

1/**
2 * Get the author of the post.
3 */
4public function user(): BelongsTo
5{
6 return $this->belongsTo(User::class)->withDefault([
7 'name' => 'Guest Author',
8 ]);
9}
10 
11/**
12 * Get the author of the post.
13 */
14public function user(): BelongsTo
15{
16 return $this->belongsTo(User::class)->withDefault(function (User $user, Post $post) {
17 $user->name = 'Guest Author';
18 });
19}

查询 Belongs To 关系

当查询“belongs to”关系的子项时,您可以手动构建 where 子句来检索相应的 Eloquent 模型

1use App\Models\Post;
2 
3$posts = Post::where('user_id', $user->id)->get();

但是,您可能会发现使用 whereBelongsTo 方法更方便,该方法将自动确定给定模型的正确关系和外键

1$posts = Post::whereBelongsTo($user)->get();

您还可以向 whereBelongsTo 方法提供 集合 实例。这样做时,Laravel 将检索属于集合中任何父模型的模型

1$users = User::where('vip', true)->get();
2 
3$posts = Post::whereBelongsTo($users)->get();

默认情况下,Laravel 将根据模型的类名确定与给定模型关联的关系;但是,您可以通过将关系名称作为第二个参数提供给 whereBelongsTo 方法来手动指定关系名称

1$posts = Post::whereBelongsTo($user, 'author')->get();

Has One of Many

有时,一个模型可能有很多相关的模型,但您希望轻松检索关系的“最新”或“最旧”相关模型。例如,User 模型可能与许多 Order 模型相关,但您希望定义一种方便的方式来与用户下的最新订单进行交互。您可以使用 hasOne 关系类型与 ofMany 方法结合来实现这一点

1/**
2 * Get the user's most recent order.
3 */
4public function latestOrder(): HasOne
5{
6 return $this->hasOne(Order::class)->latestOfMany();
7}

同样,您可以定义一个方法来检索关系的“最旧”或第一个相关模型

1/**
2 * Get the user's oldest order.
3 */
4public function oldestOrder(): HasOne
5{
6 return $this->hasOne(Order::class)->oldestOfMany();
7}

默认情况下,latestOfManyoldestOfMany 方法将根据模型的主键(必须是可排序的)检索最新或最旧的相关模型。但是,有时您可能希望使用不同的排序标准从更大的关系中检索单个模型。

例如,使用 ofMany 方法,您可以检索用户最昂贵的订单。ofMany 方法接受可排序的列作为其第一个参数,以及在查询相关模型时应用哪个聚合函数(minmax

1/**
2 * Get the user's largest order.
3 */
4public function largestOrder(): HasOne
5{
6 return $this->hasOne(Order::class)->ofMany('price', 'max');
7}

由于 PostgreSQL 不支持对 UUID 列执行 MAX 函数,因此目前无法将一对多关系与 PostgreSQL UUID 列结合使用。

将“多”关系转换为 Has One 关系

通常,当使用 latestOfManyoldestOfManyofMany 方法检索单个模型时,您已经为同一模型定义了“has many”关系。为了方便起见,Laravel 允许您通过在关系上调用 one 方法轻松地将此关系转换为“has one”关系

1/**
2 * Get the user's orders.
3 */
4public function orders(): HasMany
5{
6 return $this->hasMany(Order::class);
7}
8 
9/**
10 * Get the user's largest order.
11 */
12public function largestOrder(): HasOne
13{
14 return $this->orders()->one()->ofMany('price', 'max');
15}

高级 Has One of Many 关系

可以构建更高级的“has one of many”关系。例如,Product 模型可能有很多关联的 Price 模型,即使在发布新定价后,这些模型也会保留在系统中。此外,产品的新定价数据可能会提前发布,以便在未来的 published_at 列生效。

因此,总而言之,我们需要检索最新的已发布定价,其中发布日期不在未来。此外,如果两个价格具有相同的发布日期,我们将优先选择 ID 最大的价格。为了实现这一点,我们必须将一个数组传递给 ofMany 方法,该数组包含确定最新价格的可排序列。此外,将提供一个闭包作为 ofMany 方法的第二个参数。此闭包将负责向关系查询添加额外的发布日期约束

1/**
2 * Get the current pricing for the product.
3 */
4public function currentPricing(): HasOne
5{
6 return $this->hasOne(Price::class)->ofMany([
7 'published_at' => 'max',
8 'id' => 'max',
9 ], function (Builder $query) {
10 $query->where('published_at', '<', now());
11 });
12}

Has One Through

“has-one-through”关系定义了与另一个模型的一对一关系。但是,这种关系表明声明模型可以通过第三个模型与另一个模型的一个实例匹配。

例如,在汽车修理店应用程序中,每个 Mechanic 模型可能与一个 Car 模型关联,并且每个 Car 模型可能与一个 Owner 模型关联。虽然技工和车主在数据库中没有直接关系,但技工可以通过 Car 模型访问车主。让我们看看定义此关系所需的表

1mechanics
2 id - integer
3 name - string
4
5cars
6 id - integer
7 model - string
8 mechanic_id - integer
9
10owners
11 id - integer
12 name - string
13 car_id - integer

现在我们已经检查了关系的表结构,让我们在 Mechanic 模型上定义关系

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\HasOneThrough;
7 
8class Mechanic extends Model
9{
10 /**
11 * Get the car's owner.
12 */
13 public function carOwner(): HasOneThrough
14 {
15 return $this->hasOneThrough(Owner::class, Car::class);
16 }
17}

传递给 hasOneThrough 方法的第一个参数是我们希望访问的最终模型的名称,而第二个参数是中间模型的名称。

或者,如果相关关系已经在关系中涉及的所有模型上定义,您可以流畅地定义“has-one-through”关系,方法是调用 through 方法并提供这些关系的名称。例如,如果 Mechanic 模型具有 cars 关系,而 Car 模型具有 owner 关系,您可以像这样定义连接技工和车主的“has-one-through”关系

1// String based syntax...
2return $this->through('cars')->has('owner');
3 
4// Dynamic syntax...
5return $this->throughCars()->hasOwner();

键约定

在执行关系查询时,将使用典型的 Eloquent 外键约定。如果您想自定义关系的键,您可以将它们作为第三个和第四个参数传递给 hasOneThrough 方法。第三个参数是中间模型上的外键名称。第四个参数是最终模型上的外键名称。第五个参数是本地键,而第六个参数是中间模型的本地键

1class Mechanic extends Model
2{
3 /**
4 * Get the car's owner.
5 */
6 public function carOwner(): HasOneThrough
7 {
8 return $this->hasOneThrough(
9 Owner::class,
10 Car::class,
11 'mechanic_id', // Foreign key on the cars table...
12 'car_id', // Foreign key on the owners table...
13 'id', // Local key on the mechanics table...
14 'id' // Local key on the cars table...
15 );
16 }
17}

或者,如前所述,如果相关关系已经在关系中涉及的所有模型上定义,您可以流畅地定义“has-one-through”关系,方法是调用 through 方法并提供这些关系的名称。这种方法提供了重用已在现有关系上定义的键约定的优势

1// String based syntax...
2return $this->through('cars')->has('owner');
3 
4// Dynamic syntax...
5return $this->throughCars()->hasOwner();

Has Many Through

“has-many-through”关系提供了一种通过中间关系访问远程关系的便捷方式。例如,假设我们正在构建一个像 Laravel Cloud 这样的部署平台。Application 模型可以通过中间 Environment 模型访问许多 Deployment 模型。使用此示例,您可以轻松收集给定应用程序的所有部署。让我们看看定义此关系所需的表

1applications
2 id - integer
3 name - string
4
5environments
6 id - integer
7 application_id - integer
8 name - string
9
10deployments
11 id - integer
12 environment_id - integer
13 commit_hash - string

现在我们已经检查了关系的表结构,让我们在 Application 模型上定义关系

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\HasManyThrough;
7 
8class Application extends Model
9{
10 /**
11 * Get all of the deployments for the application.
12 */
13 public function deployments(): HasManyThrough
14 {
15 return $this->hasManyThrough(Deployment::class, Environment::class);
16 }
17}

传递给 hasManyThrough 方法的第一个参数是我们希望访问的最终模型的名称,而第二个参数是中间模型的名称。

或者,如果相关关系已经在关系中涉及的所有模型上定义,您可以流畅地定义“has-many-through”关系,方法是调用 through 方法并提供这些关系的名称。例如,如果 Application 模型具有 environments 关系,而 Environment 模型具有 deployments 关系,您可以像这样定义连接应用程序和部署的“has-many-through”关系

1// String based syntax...
2return $this->through('environments')->has('deployments');
3 
4// Dynamic syntax...
5return $this->throughEnvironments()->hasDeployments();

虽然 Deployment 模型的表不包含 application_id 列,但 hasManyThrough 关系提供了通过 $application->deployments 访问应用程序部署的方法。为了检索这些模型,Eloquent 会检查中间 Environment 模型的表上的 application_id 列。在找到相关的环境 ID 后,它们将用于查询 Deployment 模型的表。

键约定

在执行关系查询时,将使用典型的 Eloquent 外键约定。如果您想自定义关系的键,您可以将它们作为第三个和第四个参数传递给 hasManyThrough 方法。第三个参数是中间模型上的外键名称。第四个参数是最终模型上的外键名称。第五个参数是本地键,而第六个参数是中间模型的本地键

1class Application extends Model
2{
3 public function deployments(): HasManyThrough
4 {
5 return $this->hasManyThrough(
6 Deployment::class,
7 Environment::class,
8 'application_id', // Foreign key on the environments table...
9 'environment_id', // Foreign key on the deployments table...
10 'id', // Local key on the applications table...
11 'id' // Local key on the environments table...
12 );
13 }
14}

或者,如前所述,如果相关关系已经在关系中涉及的所有模型上定义,您可以流畅地定义“has-many-through”关系,方法是调用 through 方法并提供这些关系的名称。这种方法提供了重用已在现有关系上定义的键约定的优势

1// String based syntax...
2return $this->through('environments')->has('deployments');
3 
4// Dynamic syntax...
5return $this->throughEnvironments()->hasDeployments();

作用域关联关系

通常,向模型添加约束关系的其他方法是很常见的。例如,您可以在 User 模型中添加一个 featuredPosts 方法,该方法使用额外的 where 约束来约束更广泛的 posts 关系

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\HasMany;
7 
8class User extends Model
9{
10 /**
11 * Get the user's posts.
12 */
13 public function posts(): HasMany
14 {
15 return $this->hasMany(Post::class)->latest();
16 }
17 
18 /**
19 * Get the user's featured posts.
20 */
21 public function featuredPosts(): HasMany
22 {
23 return $this->posts()->where('featured', true);
24 }
25}

但是,如果您尝试通过 featuredPosts 方法创建模型,则其 featured 属性将不会设置为 true。如果您想通过关系方法创建模型,并且还想指定应添加到通过该关系创建的所有模型的属性,则可以在构建关系查询时使用 withAttributes 方法

1/**
2 * Get the user's featured posts.
3 */
4public function featuredPosts(): HasMany
5{
6 return $this->posts()->withAttributes(['featured' => true]);
7}

withAttributes 方法将使用给定的属性向查询添加 where 子句约束,并且它还将给定的属性添加到通过关系方法创建的任何模型

1$post = $user->featuredPosts()->create(['title' => 'Featured Post']);
2 
3$post->featured; // true

多对多关联关系

多对多关系比 hasOnehasMany 关系稍微复杂一些。多对多关系的一个例子是用户有多个角色,并且这些角色也由应用程序中的其他用户共享。例如,用户可能被分配了“作者”和“编辑”的角色;但是,这些角色也可能分配给其他用户。因此,一个用户有多个角色,一个角色有多个用户。

表结构

要定义这种关系,需要三个数据库表:usersrolesrole_userrole_user 表是从相关模型名称的字母顺序派生的,包含 user_idrole_id 列。此表用作链接用户和角色的中间表。

请记住,由于一个角色可以属于多个用户,我们不能简单地在 roles 表上放置 user_id 列。这将意味着一个角色只能属于一个用户。为了提供对分配给多个用户的角色的支持,需要 role_user 表。我们可以总结关系的表结构,如下所示

1users
2 id - integer
3 name - string
4
5roles
6 id - integer
7 name - string
8
9role_user
10 user_id - integer
11 role_id - integer

模型结构

多对多关系是通过编写一个返回 belongsToMany 方法结果的方法来定义的。belongsToMany 方法由应用程序的所有 Eloquent 模型使用的 Illuminate\Database\Eloquent\Model 基类提供。例如,让我们在我们的 User 模型上定义一个 roles 方法。传递给此方法的第一个参数是相关模型类的名称

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\BelongsToMany;
7 
8class User extends Model
9{
10 /**
11 * The roles that belong to the user.
12 */
13 public function roles(): BelongsToMany
14 {
15 return $this->belongsToMany(Role::class);
16 }
17}

一旦关系被定义,您可以使用 roles 动态关系属性访问用户的角色

1use App\Models\User;
2 
3$user = User::find(1);
4 
5foreach ($user->roles as $role) {
6 // ...
7}

由于所有关系也充当查询构建器,您可以通过调用 roles 方法并继续将条件链接到查询来向关系查询添加更多约束

1$roles = User::find(1)->roles()->orderBy('name')->get();

为了确定关系中间表的表名,Eloquent 将按字母顺序连接两个相关的模型名称。但是,您可以自由地覆盖此约定。您可以通过将第二个参数传递给 belongsToMany 方法来做到这一点

1return $this->belongsToMany(Role::class, 'role_user');

除了自定义中间表的名称外,您还可以通过将额外的参数传递给 belongsToMany 方法来自定义表上键的列名。第三个参数是您正在定义关系的模型的外键名称,而第四个参数是您要加入的模型的外键名称

1return $this->belongsToMany(Role::class, 'role_user', 'user_id', 'role_id');

定义关联关系的反向

要定义多对多关系的“反向”,您应该在相关模型上定义一个方法,该方法也返回 belongsToMany 方法的结果。为了完成我们的用户/角色示例,让我们在 Role 模型上定义 users 方法

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\BelongsToMany;
7 
8class Role extends Model
9{
10 /**
11 * The users that belong to the role.
12 */
13 public function users(): BelongsToMany
14 {
15 return $this->belongsToMany(User::class);
16 }
17}

如您所见,该关系的定义与其 User 模型对应物完全相同,只是引用了 App\Models\User 模型。由于我们重用了 belongsToMany 方法,因此在定义多对多关系的“反向”时,所有常用的表和键自定义选项都可用。

检索中间表列

正如您已经了解到的,使用多对多关系需要中间表的存在。Eloquent 提供了一些非常有用的与此表交互的方式。例如,假设我们的 User 模型有很多与之相关的 Role 模型。在访问此关系后,我们可以使用模型上的 pivot 属性访问中间表

1use App\Models\User;
2 
3$user = User::find(1);
4 
5foreach ($user->roles as $role) {
6 echo $role->pivot->created_at;
7}

请注意,我们检索的每个 Role 模型都会自动分配一个 pivot 属性。此属性包含一个表示中间表的模型。

默认情况下,只有模型键会出现在 pivot 模型上。如果您的中间表包含额外的属性,您必须在定义关系时指定它们

1return $this->belongsToMany(Role::class)->withPivot('active', 'created_by');

如果您希望您的中间表具有由 Eloquent 自动维护的 created_atupdated_at 时间戳,请在定义关系时调用 withTimestamps 方法

1return $this->belongsToMany(Role::class)->withTimestamps();

利用 Eloquent 自动维护的时间戳的中间表需要同时具有 created_atupdated_at 时间戳列。

自定义 pivot 属性名称

如前所述,可以通过模型上的 pivot 属性访问中间表中的属性。但是,您可以自由自定义此属性的名称,以更好地反映其在应用程序中的用途。

例如,如果您的应用程序包含可能订阅播客的用户,您可能在用户和播客之间存在多对多关系。如果是这种情况,您可能希望将您的中间表属性重命名为 subscription 而不是 pivot。这可以使用定义关系时的 as 方法来完成

1return $this->belongsToMany(Podcast::class)
2 ->as('subscription')
3 ->withTimestamps();

一旦指定了自定义中间表属性,您可以使用自定义名称访问中间表数据

1$users = User::with('podcasts')->get();
2 
3foreach ($users->flatMap->podcasts as $podcast) {
4 echo $podcast->subscription->created_at;
5}

通过中间表列过滤查询

您还可以使用 wherePivotwherePivotInwherePivotNotInwherePivotBetweenwherePivotNotBetweenwherePivotNullwherePivotNotNull 方法,在定义关系时,过滤 belongsToMany 关系查询返回的结果。

1return $this->belongsToMany(Role::class)
2 ->wherePivot('approved', 1);
3 
4return $this->belongsToMany(Role::class)
5 ->wherePivotIn('priority', [1, 2]);
6 
7return $this->belongsToMany(Role::class)
8 ->wherePivotNotIn('priority', [1, 2]);
9 
10return $this->belongsToMany(Podcast::class)
11 ->as('subscriptions')
12 ->wherePivotBetween('created_at', ['2020-01-01 00:00:00', '2020-12-31 00:00:00']);
13 
14return $this->belongsToMany(Podcast::class)
15 ->as('subscriptions')
16 ->wherePivotNotBetween('created_at', ['2020-01-01 00:00:00', '2020-12-31 00:00:00']);
17 
18return $this->belongsToMany(Podcast::class)
19 ->as('subscriptions')
20 ->wherePivotNull('expired_at');
21 
22return $this->belongsToMany(Podcast::class)
23 ->as('subscriptions')
24 ->wherePivotNotNull('expired_at');

wherePivot 向查询添加 where 子句约束,但在通过定义的关系创建新模型时,不会添加指定的值。如果您需要查询和创建具有特定 pivot 值的关系,可以使用 withPivotValue 方法。

1return $this->belongsToMany(Role::class)
2 ->withPivotValue('approved', 1);

通过中间表列排序查询

您可以使用 orderByPivot 方法对 belongsToMany 关系查询返回的结果进行排序。在以下示例中,我们将检索用户的所有最新徽章。

1return $this->belongsToMany(Badge::class)
2 ->where('rank', 'gold')
3 ->orderByPivot('created_at', 'desc');

定义自定义中间表模型

如果您想定义一个自定义模型来表示多对多关系的中间表,您可以在定义关系时调用 using 方法。自定义 pivot 模型使您有机会在 pivot 模型上定义额外的行为,例如方法和类型转换。

自定义多对多 pivot 模型应扩展 Illuminate\Database\Eloquent\Relations\Pivot 类,而自定义多态多对多 pivot 模型应扩展 Illuminate\Database\Eloquent\Relations\MorphPivot 类。例如,我们可以定义一个 Role 模型,它使用自定义的 RoleUser pivot 模型。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\BelongsToMany;
7 
8class Role extends Model
9{
10 /**
11 * The users that belong to the role.
12 */
13 public function users(): BelongsToMany
14 {
15 return $this->belongsToMany(User::class)->using(RoleUser::class);
16 }
17}

在定义 RoleUser 模型时,您应该扩展 Illuminate\Database\Eloquent\Relations\Pivot 类。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Relations\Pivot;
6 
7class RoleUser extends Pivot
8{
9 // ...
10}

Pivot 模型可能不使用 SoftDeletes trait。如果您需要软删除 pivot 记录,请考虑将您的 pivot 模型转换为实际的 Eloquent 模型。

自定义 Pivot 模型和自增 ID

如果您定义了一个使用自定义 pivot 模型的多对多关系,并且该 pivot 模型具有自增主键,则应确保您的自定义 pivot 模型类定义了一个 incrementing 属性,并将其设置为 true

1/**
2 * Indicates if the IDs are auto-incrementing.
3 *
4 * @var bool
5 */
6public $incrementing = true;

多态关联关系

多态关系允许子模型使用单个关联属于多种类型的模型。例如,假设您正在构建一个允许用户分享博客文章和视频的应用程序。在这种应用程序中,Comment 模型可能同时属于 PostVideo 模型。

一对一(多态)

表结构

一对一多态关系类似于典型的一对一关系;但是,子模型可以使用单个关联属于多种类型的模型。例如,博客 PostUser 可能与 Image 模型共享多态关系。使用一对一多态关系允许您拥有一个唯一的图像表,该表可以与文章和用户关联。首先,让我们检查表结构。

1posts
2 id - integer
3 name - string
4
5users
6 id - integer
7 name - string
8
9images
10 id - integer
11 url - string
12 imageable_id - integer
13 imageable_type - string

请注意 images 表上的 imageable_idimageable_type 列。imageable_id 列将包含文章或用户的 ID 值,而 imageable_type 列将包含父模型的类名。imageable_type 列由 Eloquent 使用,以确定在访问 imageable 关系时返回哪种“类型”的父模型。在这种情况下,该列将包含 App\Models\PostApp\Models\User

模型结构

接下来,让我们检查构建此关系所需的模型定义。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\MorphTo;
7 
8class Image extends Model
9{
10 /**
11 * Get the parent imageable model (user or post).
12 */
13 public function imageable(): MorphTo
14 {
15 return $this->morphTo();
16 }
17}
18 
19use Illuminate\Database\Eloquent\Model;
20use Illuminate\Database\Eloquent\Relations\MorphOne;
21 
22class Post extends Model
23{
24 /**
25 * Get the post's image.
26 */
27 public function image(): MorphOne
28 {
29 return $this->morphOne(Image::class, 'imageable');
30 }
31}
32 
33use Illuminate\Database\Eloquent\Model;
34use Illuminate\Database\Eloquent\Relations\MorphOne;
35 
36class User extends Model
37{
38 /**
39 * Get the user's image.
40 */
41 public function image(): MorphOne
42 {
43 return $this->morphOne(Image::class, 'imageable');
44 }
45}

检索关系

一旦定义了数据库表和模型,您就可以通过模型访问关系。例如,要检索文章的图像,我们可以访问 image 动态关系属性。

1use App\Models\Post;
2 
3$post = Post::find(1);
4 
5$image = $post->image;

您可以通过访问执行 morphTo 调用的方法的名称来检索多态模型的父级。在本例中,它是 Image 模型上的 imageable 方法。因此,我们将访问该方法作为动态关系属性。

1use App\Models\Image;
2 
3$image = Image::find(1);
4 
5$imageable = $image->imageable;

Image 模型上的 imageable 关系将返回 PostUser 实例,具体取决于哪个类型的模型拥有该图像。

键约定

如果需要,您可以指定多态子模型使用的“id”和“type”列的名称。如果您这样做,请确保始终将关系名称作为 morphTo 方法的第一个参数传递。通常,此值应与方法名称匹配,因此您可以使用 PHP 的 __FUNCTION__ 常量。

1/**
2 * Get the model that the image belongs to.
3 */
4public function imageable(): MorphTo
5{
6 return $this->morphTo(__FUNCTION__, 'imageable_type', 'imageable_id');
7}

一对多(多态)

表结构

一对多多态关系类似于典型的一对多关系;但是,子模型可以使用单个关联属于多种类型的模型。例如,假设您的应用程序的用户可以“评论”文章和视频。使用多态关系,您可以使用单个 comments 表来包含文章和视频的评论。首先,让我们检查构建此关系所需的表结构。

1posts
2 id - integer
3 title - string
4 body - text
5
6videos
7 id - integer
8 title - string
9 url - string
10
11comments
12 id - integer
13 body - text
14 commentable_id - integer
15 commentable_type - string

模型结构

接下来,让我们检查构建此关系所需的模型定义。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\MorphTo;
7 
8class Comment extends Model
9{
10 /**
11 * Get the parent commentable model (post or video).
12 */
13 public function commentable(): MorphTo
14 {
15 return $this->morphTo();
16 }
17}
18 
19use Illuminate\Database\Eloquent\Model;
20use Illuminate\Database\Eloquent\Relations\MorphMany;
21 
22class Post extends Model
23{
24 /**
25 * Get all of the post's comments.
26 */
27 public function comments(): MorphMany
28 {
29 return $this->morphMany(Comment::class, 'commentable');
30 }
31}
32 
33use Illuminate\Database\Eloquent\Model;
34use Illuminate\Database\Eloquent\Relations\MorphMany;
35 
36class Video extends Model
37{
38 /**
39 * Get all of the video's comments.
40 */
41 public function comments(): MorphMany
42 {
43 return $this->morphMany(Comment::class, 'commentable');
44 }
45}

检索关系

一旦定义了数据库表和模型,您就可以通过模型的动态关系属性访问关系。例如,要访问文章的所有评论,我们可以使用 comments 动态属性。

1use App\Models\Post;
2 
3$post = Post::find(1);
4 
5foreach ($post->comments as $comment) {
6 // ...
7}

您还可以通过访问执行 morphTo 调用的方法的名称来检索多态子模型的父级。在本例中,它是 Comment 模型上的 commentable 方法。因此,我们将访问该方法作为动态关系属性,以便访问评论的父模型。

1use App\Models\Comment;
2 
3$comment = Comment::find(1);
4 
5$commentable = $comment->commentable;

Comment 模型上的 commentable 关系将返回 PostVideo 实例,具体取决于哪种类型的模型是评论的父级。

自动在子模型上 hydration 父模型

即使在使用 Eloquent 预加载时,如果你尝试在循环访问子模型时从子模型访问父模型,也可能会出现“N + 1”查询问题

1$posts = Post::with('comments')->get();
2 
3foreach ($posts as $post) {
4 foreach ($post->comments as $comment) {
5 echo $comment->commentable->title;
6 }
7}

在上面的示例中,引入了“N + 1”查询问题,因为即使为每个 Post 模型预加载了评论,Eloquent 也不会自动在每个子 Comment 模型上 hydration 父 Post

如果您希望 Eloquent 自动将父模型 hydration 到其子模型上,您可以在定义 morphMany 关系时调用 chaperone 方法。

1class Post extends Model
2{
3 /**
4 * Get all of the post's comments.
5 */
6 public function comments(): MorphMany
7 {
8 return $this->morphMany(Comment::class, 'commentable')->chaperone();
9 }
10}

或者,如果你想在运行时选择加入自动父 hydration,你可以在预加载关联关系时调用 chaperone 模型

1use App\Models\Post;
2 
3$posts = Post::with([
4 'comments' => fn ($comments) => $comments->chaperone(),
5])->get();

一对多之一(多态)

有时,一个模型可能有很多相关模型,但您希望轻松检索关系的“最新”或“最旧”相关模型。例如,User 模型可能与多个 Image 模型相关,但您希望定义一种方便的方法来与用户上传的最新图像进行交互。您可以使用 morphOne 关系类型与 ofMany 方法来实现此目的。

1/**
2 * Get the user's most recent image.
3 */
4public function latestImage(): MorphOne
5{
6 return $this->morphOne(Image::class, 'imageable')->latestOfMany();
7}

同样,您可以定义一个方法来检索关系的“最旧”或第一个相关模型

1/**
2 * Get the user's oldest image.
3 */
4public function oldestImage(): MorphOne
5{
6 return $this->morphOne(Image::class, 'imageable')->oldestOfMany();
7}

默认情况下,latestOfManyoldestOfMany 方法将根据模型的主键(必须是可排序的)检索最新或最旧的相关模型。但是,有时您可能希望使用不同的排序标准从更大的关系中检索单个模型。

例如,使用 ofMany 方法,您可以检索用户最“喜欢”的图像。ofMany 方法接受可排序的列作为其第一个参数,以及在查询相关模型时应用的聚合函数(minmax)。

1/**
2 * Get the user's most popular image.
3 */
4public function bestImage(): MorphOne
5{
6 return $this->morphOne(Image::class, 'imageable')->ofMany('likes', 'max');
7}

可以构建更高级的“一对多之一”关系。有关更多信息,请参阅 has one of many 文档

多对多(多态)

表结构

多对多多态关系比“morph one”和“morph many”关系稍微复杂一些。例如,Post 模型和 Video 模型可以与 Tag 模型共享多态关系。在这种情况下使用多对多多态关系将允许您的应用程序拥有一个唯一的标签表,该表可以与文章或视频关联。首先,让我们检查构建此关系所需的表结构。

1posts
2 id - integer
3 name - string
4
5videos
6 id - integer
7 name - string
8
9tags
10 id - integer
11 name - string
12
13taggables
14 tag_id - integer
15 taggable_id - integer
16 taggable_type - string

在深入了解多对多多态关系之前,您可能会从阅读有关典型 多对多关系 的文档中受益。

模型结构

接下来,我们准备定义模型上的关系。PostVideo 模型都将包含一个 tags 方法,该方法调用基础 Eloquent 模型类提供的 morphToMany 方法。

morphToMany 方法接受相关模型的名称以及“关系名称”。根据我们分配给中间表名称的名称及其包含的键,我们将关系称为“taggable”。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\MorphToMany;
7 
8class Post extends Model
9{
10 /**
11 * Get all of the tags for the post.
12 */
13 public function tags(): MorphToMany
14 {
15 return $this->morphToMany(Tag::class, 'taggable');
16 }
17}

定义关联关系的反向

接下来,在 Tag 模型上,您应该为其每个可能的父模型定义一个方法。因此,在本例中,我们将定义一个 posts 方法和一个 videos 方法。这两个方法都应返回 morphedByMany 方法的结果。

morphedByMany 方法接受相关模型的名称以及“关系名称”。根据我们分配给中间表名称的名称及其包含的键,我们将关系称为“taggable”。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\MorphToMany;
7 
8class Tag extends Model
9{
10 /**
11 * Get all of the posts that are assigned this tag.
12 */
13 public function posts(): MorphToMany
14 {
15 return $this->morphedByMany(Post::class, 'taggable');
16 }
17 
18 /**
19 * Get all of the videos that are assigned this tag.
20 */
21 public function videos(): MorphToMany
22 {
23 return $this->morphedByMany(Video::class, 'taggable');
24 }
25}

检索关系

一旦定义了数据库表和模型,您就可以通过模型访问关系。例如,要访问文章的所有标签,您可以使用 tags 动态关系属性。

1use App\Models\Post;
2 
3$post = Post::find(1);
4 
5foreach ($post->tags as $tag) {
6 // ...
7}

您可以从多态子模型中检索多态关系的父级,方法是访问执行 morphedByMany 调用的方法的名称。在本例中,它是 Tag 模型上的 postsvideos 方法。

1use App\Models\Tag;
2 
3$tag = Tag::find(1);
4 
5foreach ($tag->posts as $post) {
6 // ...
7}
8 
9foreach ($tag->videos as $video) {
10 // ...
11}

自定义多态类型

默认情况下,Laravel 将使用完全限定的类名来存储相关模型的“类型”。例如,给定上面的一对多关系示例,其中 Comment 模型可能属于 PostVideo 模型,默认的 commentable_type 将分别是 App\Models\PostApp\Models\Video。但是,您可能希望将这些值与应用程序的内部结构解耦。

例如,我们可以使用简单的字符串(例如 postvideo)而不是使用模型名称作为“类型”。通过这样做,即使模型被重命名,数据库中多态“类型”列的值仍将保持有效。

1use Illuminate\Database\Eloquent\Relations\Relation;
2 
3Relation::enforceMorphMap([
4 'post' => 'App\Models\Post',
5 'video' => 'App\Models\Video',
6]);

如果您愿意,可以在 App\Providers\AppServiceProvider 类的 boot 方法中调用 enforceMorphMap 方法,或者创建单独的服务提供者。

您可以使用模型的 getMorphClass 方法在运行时确定给定模型的 morph 别名。相反,您可以使用 Relation::getMorphedModel 方法确定与 morph 别名关联的完全限定的类名。

1use Illuminate\Database\Eloquent\Relations\Relation;
2 
3$alias = $post->getMorphClass();
4 
5$class = Relation::getMorphedModel($alias);

当向现有应用程序添加“morph map”时,数据库中每个仍然包含完全限定类的可 morph 的 *_type 列值都需要转换为其“map”名称。

动态关联关系

您可以使用 resolveRelationUsing 方法在运行时定义 Eloquent 模型之间的关系。虽然通常不建议用于正常的应用程序开发,但在开发 Laravel 包时,这有时可能很有用。

resolveRelationUsing 方法接受所需的 relationship name 作为其第一个参数。传递给该方法的第二个参数应该是一个闭包,该闭包接受模型实例并返回有效的 Eloquent 关系定义。通常,您应该在 服务提供者 的 boot 方法中配置动态关系。

1use App\Models\Order;
2use App\Models\Customer;
3 
4Order::resolveRelationUsing('customer', function (Order $orderModel) {
5 return $orderModel->belongsTo(Customer::class, 'customer_id');
6});

在定义动态关系时,始终为 Eloquent 关系方法提供显式的键名参数。

查询关联关系

由于所有 Eloquent 关系都是通过方法定义的,因此您可以调用这些方法来获取关系的实例,而无需实际执行查询来加载相关模型。此外,所有类型的 Eloquent 关系也充当 查询构建器,允许您在最终对数据库执行 SQL 查询之前,继续将约束链接到关系查询。

例如,假设一个博客应用程序,其中 User 模型有许多关联的 Post 模型。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\HasMany;
7 
8class User extends Model
9{
10 /**
11 * Get all of the posts for the user.
12 */
13 public function posts(): HasMany
14 {
15 return $this->hasMany(Post::class);
16 }
17}

您可以查询 posts 关系,并像这样向关系添加其他约束。

1use App\Models\User;
2 
3$user = User::find(1);
4 
5$user->posts()->where('active', 1)->get();

您可以在关系上使用任何 Laravel 查询构建器 的方法,因此请务必浏览查询构建器文档,以了解所有可用的方法。

在关系后链接 orWhere 子句

如上面的示例所示,您可以自由地在查询关系时向关系添加其他约束。但是,在将 orWhere 子句链接到关系时要小心,因为 orWhere 子句将在逻辑上与关系约束在同一级别进行分组。

1$user->posts()
2 ->where('active', 1)
3 ->orWhere('votes', '>=', 100)
4 ->get();

上面的示例将生成以下 SQL。如您所见,or 子句指示查询返回任何投票数大于 100 的文章。查询不再限制为特定用户。

1select *
2from posts
3where user_id = ? and active = 1 or votes >= 100

在大多数情况下,您应该使用 逻辑分组 来将条件检查分组在括号之间。

1use Illuminate\Database\Eloquent\Builder;
2 
3$user->posts()
4 ->where(function (Builder $query) {
5 return $query->where('active', 1)
6 ->orWhere('votes', '>=', 100);
7 })
8 ->get();

上面的示例将生成以下 SQL。请注意,逻辑分组已正确地对约束进行了分组,并且查询仍限制为特定用户。

1select *
2from posts
3where user_id = ? and (active = 1 or votes >= 100)

关联关系方法 vs. 动态属性

如果您不需要向 Eloquent 关系查询添加其他约束,则可以像访问属性一样访问关系。例如,继续使用我们的 UserPost 示例模型,我们可以像这样访问用户的所有文章。

1use App\Models\User;
2 
3$user = User::find(1);
4 
5foreach ($user->posts as $post) {
6 // ...
7}

动态关系属性执行“延迟加载”,这意味着它们仅在您实际访问它们时才加载其关系数据。因此,开发人员经常使用 预加载 来预加载他们知道在加载模型后将被访问的关系。预加载显著减少了加载模型的关系必须执行的 SQL 查询。

查询关联关系存在性

在检索模型记录时,您可能希望根据关系的存在来限制结果。例如,假设您要检索所有至少有一条评论的博客文章。为此,您可以将关系的名称传递给 hasorHas 方法。

1use App\Models\Post;
2 
3// Retrieve all posts that have at least one comment...
4$posts = Post::has('comments')->get();

您还可以指定运算符和计数器值以进一步自定义查询。

1// Retrieve all posts that have three or more comments...
2$posts = Post::has('comments', '>=', 3)->get();

可以使用“点”符号构建嵌套的 has 语句。例如,您可以检索所有至少有一条评论,且该评论至少有一张图片的文章。

1// Retrieve posts that have at least one comment with images...
2$posts = Post::has('comments.images')->get();

如果您需要更强大的功能,可以使用 whereHasorWhereHas 方法在您的 has 查询中定义额外的查询约束,例如检查评论的内容。

1use Illuminate\Database\Eloquent\Builder;
2 
3// Retrieve posts with at least one comment containing words like code%...
4$posts = Post::whereHas('comments', function (Builder $query) {
5 $query->where('content', 'like', 'code%');
6})->get();
7 
8// Retrieve posts with at least ten comments containing words like code%...
9$posts = Post::whereHas('comments', function (Builder $query) {
10 $query->where('content', 'like', 'code%');
11}, '>=', 10)->get();

Eloquent 目前不支持跨数据库查询关系的存在性。关系必须存在于同一个数据库中。

内联关系存在性查询

如果您想查询关系的存在性,并在关系查询上附加一个简单的 where 条件,您可能会觉得使用 whereRelationorWhereRelationwhereMorphRelationorWhereMorphRelation 方法更方便。例如,我们可以查询所有有未审核评论的文章。

1use App\Models\Post;
2 
3$posts = Post::whereRelation('comments', 'is_approved', false)->get();

当然,与调用查询构建器的 where 方法类似,您也可以指定运算符。

1$posts = Post::whereRelation(
2 'comments', 'created_at', '>=', now()->subHour()
3)->get();

查询关联关系不存在性

在检索模型记录时,您可能希望根据关系的缺失来限制结果。例如,假设您想检索所有没有任何评论的博客文章。为此,您可以将关系名称传递给 doesntHaveorDoesntHave 方法。

1use App\Models\Post;
2 
3$posts = Post::doesntHave('comments')->get();

如果您需要更强大的功能,可以使用 whereDoesntHaveorWhereDoesntHave 方法为您的 doesntHave 查询添加额外的查询约束,例如检查评论的内容。

1use Illuminate\Database\Eloquent\Builder;
2 
3$posts = Post::whereDoesntHave('comments', function (Builder $query) {
4 $query->where('content', 'like', 'code%');
5})->get();

您可以使用“点”符号对嵌套关系执行查询。例如,以下查询将检索所有没有评论的文章;但是,来自未被禁止作者的评论的文章将包含在结果中。

1use Illuminate\Database\Eloquent\Builder;
2 
3$posts = Post::whereDoesntHave('comments.author', function (Builder $query) {
4 $query->where('banned', 0);
5})->get();

查询 Morph To 关联关系

要查询“多态关联”关系的存在性,您可以使用 whereHasMorphwhereDoesntHaveMorph 方法。这些方法接受关系名称作为它们的第一个参数。接下来,这些方法接受您希望包含在查询中的相关模型的名称。最后,您可以提供一个闭包来自定义关系查询。

1use App\Models\Comment;
2use App\Models\Post;
3use App\Models\Video;
4use Illuminate\Database\Eloquent\Builder;
5 
6// Retrieve comments associated to posts or videos with a title like code%...
7$comments = Comment::whereHasMorph(
8 'commentable',
9 [Post::class, Video::class],
10 function (Builder $query) {
11 $query->where('title', 'like', 'code%');
12 }
13)->get();
14 
15// Retrieve comments associated to posts with a title not like code%...
16$comments = Comment::whereDoesntHaveMorph(
17 'commentable',
18 Post::class,
19 function (Builder $query) {
20 $query->where('title', 'like', 'code%');
21 }
22)->get();

您有时可能需要根据相关多态模型的“类型”添加查询约束。传递给 whereHasMorph 方法的闭包可以接收一个 $type 值作为其第二个参数。此参数允许您检查正在构建的查询的“类型”。

1use Illuminate\Database\Eloquent\Builder;
2 
3$comments = Comment::whereHasMorph(
4 'commentable',
5 [Post::class, Video::class],
6 function (Builder $query, string $type) {
7 $column = $type === Post::class ? 'content' : 'title';
8 
9 $query->where($column, 'like', 'code%');
10 }
11)->get();

有时您可能想查询“多态关联”关系的父级的子项。您可以使用 whereMorphedTowhereNotMorphedTo 方法来实现此目的,这些方法将自动确定给定模型的正确多态类型映射。这些方法接受 morphTo 关系的名称作为它们的第一个参数,以及相关的父模型作为它们的第二个参数。

1$comments = Comment::whereMorphedTo('commentable', $post)
2 ->orWhereMorphedTo('commentable', $video)
3 ->get();

您可以提供 * 作为通配符值,而不是传递可能的多态模型数组。这将指示 Laravel 从数据库中检索所有可能的多态类型。Laravel 将执行额外的查询来执行此操作。

1use Illuminate\Database\Eloquent\Builder;
2 
3$comments = Comment::whereHasMorph('commentable', '*', function (Builder $query) {
4 $query->where('title', 'like', 'foo%');
5})->get();

有时您可能想计算给定关系的关联模型数量,而无需实际加载模型。为了实现这一点,您可以使用 withCount 方法。withCount 方法将在结果模型上放置一个 {relation}_count 属性。

1use App\Models\Post;
2 
3$posts = Post::withCount('comments')->get();
4 
5foreach ($posts as $post) {
6 echo $post->comments_count;
7}

通过将数组传递给 withCount 方法,您可以为多个关系添加“计数”,并为查询添加额外的约束。

1use Illuminate\Database\Eloquent\Builder;
2 
3$posts = Post::withCount(['votes', 'comments' => function (Builder $query) {
4 $query->where('content', 'like', 'code%');
5}])->get();
6 
7echo $posts[0]->votes_count;
8echo $posts[0]->comments_count;

您还可以为关系计数结果设置别名,从而允许对同一关系进行多次计数。

1use Illuminate\Database\Eloquent\Builder;
2 
3$posts = Post::withCount([
4 'comments',
5 'comments as pending_comments_count' => function (Builder $query) {
6 $query->where('approved', false);
7 },
8])->get();
9 
10echo $posts[0]->comments_count;
11echo $posts[0]->pending_comments_count;

延迟计数加载

使用 loadCount 方法,您可以在父模型已经被检索后加载关系计数。

1$book = Book::first();
2 
3$book->loadCount('genres');

如果您需要在计数查询上设置额外的查询约束,您可以传递一个以您希望计数的关系为键的数组。数组值应该是接收查询构建器实例的闭包。

1$book->loadCount(['reviews' => function (Builder $query) {
2 $query->where('rating', 5);
3}])

关系计数和自定义 Select 语句

如果您将 withCountselect 语句结合使用,请确保在 select 方法之后调用 withCount

1$posts = Post::select(['title', 'body'])
2 ->withCount('comments')
3 ->get();

其他聚合函数

除了 withCount 方法之外,Eloquent 还提供了 withMinwithMaxwithAvgwithSumwithExists 方法。这些方法将在您的结果模型上放置一个 {relation}_{function}_{column} 属性。

1use App\Models\Post;
2 
3$posts = Post::withSum('comments', 'votes')->get();
4 
5foreach ($posts as $post) {
6 echo $post->comments_sum_votes;
7}

如果您希望使用另一个名称访问聚合函数的结果,您可以指定自己的别名。

1$posts = Post::withSum('comments as total_comments', 'votes')->get();
2 
3foreach ($posts as $post) {
4 echo $post->total_comments;
5}

loadCount 方法类似,这些方法的延迟版本也可用。这些额外的聚合操作可以在已经检索到的 Eloquent 模型上执行。

1$post = Post::first();
2 
3$post->loadSum('comments', 'votes');

如果您将这些聚合方法与 select 语句结合使用,请确保在 select 方法之后调用聚合方法。

1$posts = Post::select(['title', 'body'])
2 ->withExists('comments')
3 ->get();

如果您想预加载“多态关联”关系,以及该关系可能返回的各种实体的相关模型计数,您可以结合使用 with 方法和 morphTo 关系的 morphWithCount 方法。

在此示例中,我们假设 PhotoPost 模型可以创建 ActivityFeed 模型。我们假设 ActivityFeed 模型定义了一个名为 parentable 的“多态关联”关系,这允许我们检索给定 ActivityFeed 实例的父 PhotoPost 模型。此外,假设 Photo 模型“has many” Tag 模型,而 Post 模型“has many” Comment 模型。

现在,假设我们想要检索 ActivityFeed 实例,并预加载每个 ActivityFeed 实例的 parentable 父模型。此外,我们想要检索与每个父照片关联的标签数量,以及与每个父文章关联的评论数量。

1use Illuminate\Database\Eloquent\Relations\MorphTo;
2 
3$activities = ActivityFeed::with([
4 'parentable' => function (MorphTo $morphTo) {
5 $morphTo->morphWithCount([
6 Photo::class => ['tags'],
7 Post::class => ['comments'],
8 ]);
9 }])->get();

延迟计数加载

假设我们已经检索了一组 ActivityFeed 模型,现在我们想要为与活动流关联的各种 parentable 模型加载嵌套关系计数。您可以使用 loadMorphCount 方法来实现此目的。

1$activities = ActivityFeed::with('parentable')->get();
2 
3$activities->loadMorphCount('parentable', [
4 Photo::class => ['tags'],
5 Post::class => ['comments'],
6]);

预加载

当将 Eloquent 关系作为属性访问时,相关模型是“延迟加载”的。这意味着关系数据实际上直到您第一次访问该属性时才会被加载。但是,Eloquent 可以在您查询父模型时“预加载”关系。预加载缓解了“N + 1”查询问题。为了说明 N + 1 查询问题,请考虑一个“属于” Author 模型的 Book 模型。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\BelongsTo;
7 
8class Book extends Model
9{
10 /**
11 * Get the author that wrote the book.
12 */
13 public function author(): BelongsTo
14 {
15 return $this->belongsTo(Author::class);
16 }
17}

现在,让我们检索所有书籍及其作者。

1use App\Models\Book;
2 
3$books = Book::all();
4 
5foreach ($books as $book) {
6 echo $book->author->name;
7}

此循环将执行一个查询来检索数据库表中的所有书籍,然后为每本书执行另一个查询以检索该书的作者。因此,如果我们有 25 本书,上面的代码将运行 26 个查询:一个用于原始书籍,另外 25 个查询用于检索每本书的作者。

幸运的是,我们可以使用预加载将此操作减少到仅两个查询。在构建查询时,您可以使用 with 方法指定应预加载哪些关系。

1$books = Book::with('author')->get();
2 
3foreach ($books as $book) {
4 echo $book->author->name;
5}

对于此操作,将只执行两个查询 - 一个查询检索所有书籍,另一个查询检索所有书籍的所有作者。

1select * from books
2 
3select * from authors where id in (1, 2, 3, 4, 5, ...)

预加载多个关系

有时您可能需要预加载几个不同的关系。为此,只需将关系数组传递给 with 方法。

1$books = Book::with(['author', 'publisher'])->get();

嵌套预加载

要预加载关系的 relationships,您可以使用“点”语法。例如,让我们预加载所有书籍的作者以及所有作者的个人联系方式。

1$books = Book::with('author.contacts')->get();

或者,您可以通过向 with 方法提供嵌套数组来指定嵌套的预加载关系,这在预加载多个嵌套关系时可能很方便。

1$books = Book::with([
2 'author' => [
3 'contacts',
4 'publisher',
5 ],
6])->get();

嵌套预加载 morphTo 关系

如果您想预加载 morphTo 关系,以及该关系可能返回的各种实体的嵌套关系,您可以结合使用 with 方法和 morphTo 关系的 morphWith 方法。为了帮助说明此方法,让我们考虑以下模型。

1<?php
2 
3use Illuminate\Database\Eloquent\Model;
4use Illuminate\Database\Eloquent\Relations\MorphTo;
5 
6class ActivityFeed extends Model
7{
8 /**
9 * Get the parent of the activity feed record.
10 */
11 public function parentable(): MorphTo
12 {
13 return $this->morphTo();
14 }
15}

在此示例中,假设 EventPhotoPost 模型可以创建 ActivityFeed 模型。此外,假设 Event 模型属于 Calendar 模型,Photo 模型与 Tag 模型关联,而 Post 模型属于 Author 模型。

使用这些模型定义和关系,我们可以检索 ActivityFeed 模型实例,并预加载所有 parentable 模型及其各自的嵌套关系。

1use Illuminate\Database\Eloquent\Relations\MorphTo;
2 
3$activities = ActivityFeed::query()
4 ->with(['parentable' => function (MorphTo $morphTo) {
5 $morphTo->morphWith([
6 Event::class => ['calendar'],
7 Photo::class => ['tags'],
8 Post::class => ['author'],
9 ]);
10 }])->get();

预加载特定列

您可能并不总是需要从您正在检索的关系中获取每一列。因此,Eloquent 允许您指定您想要检索的关系的列。

1$books = Book::with('author:id,name,book_id')->get();

当使用此功能时,您应始终在您希望检索的列列表中包含 id 列和任何相关的外键列。

默认预加载

有时您可能希望在检索模型时始终加载某些关系。为了实现这一点,您可以在模型上定义一个 $with 属性。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\BelongsTo;
7 
8class Book extends Model
9{
10 /**
11 * The relationships that should always be loaded.
12 *
13 * @var array
14 */
15 protected $with = ['author'];
16 
17 /**
18 * Get the author that wrote the book.
19 */
20 public function author(): BelongsTo
21 {
22 return $this->belongsTo(Author::class);
23 }
24 
25 /**
26 * Get the genre of the book.
27 */
28 public function genre(): BelongsTo
29 {
30 return $this->belongsTo(Genre::class);
31 }
32}

如果您想为单个查询从 $with 属性中删除一个项目,您可以使用 without 方法。

1$books = Book::without('author')->get();

如果您想为单个查询覆盖 $with 属性中的所有项目,您可以使用 withOnly 方法。

1$books = Book::withOnly('genre')->get();

约束预加载

有时您可能希望预加载关系,但也为预加载查询指定额外的查询条件。您可以通过将关系数组传递给 with 方法来实现此目的,其中数组键是关系名称,数组值是一个闭包,该闭包为预加载查询添加额外的约束。

1use App\Models\User;
2use Illuminate\Contracts\Database\Eloquent\Builder;
3 
4$users = User::with(['posts' => function (Builder $query) {
5 $query->where('title', 'like', '%code%');
6}])->get();

在此示例中,Eloquent 将仅预加载文章的 title 列包含单词 code 的文章。您可以调用其他 查询构建器 方法来进一步自定义预加载操作。

1$users = User::with(['posts' => function (Builder $query) {
2 $query->orderBy('created_at', 'desc');
3}])->get();

约束 morphTo 关系的预加载

如果您正在预加载 morphTo 关系,Eloquent 将运行多个查询来获取每种类型的相关模型。您可以使用 MorphTo 关系的 constrain 方法为这些查询中的每一个添加额外的约束。

1use Illuminate\Database\Eloquent\Relations\MorphTo;
2 
3$comments = Comment::with(['commentable' => function (MorphTo $morphTo) {
4 $morphTo->constrain([
5 Post::class => function ($query) {
6 $query->whereNull('hidden_at');
7 },
8 Video::class => function ($query) {
9 $query->where('type', 'educational');
10 },
11 ]);
12}])->get();

在此示例中,Eloquent 将仅预加载尚未隐藏的文章以及 type 值为“educational”的视频。

使用关系存在性约束预加载

您有时可能会发现自己需要在检查关系存在性的同时,根据相同的条件加载关系。例如,您可能希望仅检索具有与给定查询条件匹配的子 Post 模型的 User 模型,同时还预加载匹配的文章。您可以使用 withWhereHas 方法来实现此目的。

1use App\Models\User;
2 
3$users = User::withWhereHas('posts', function ($query) {
4 $query->where('featured', true);
5})->get();

惰性预加载

有时您可能需要在父模型已经被检索后预加载关系。例如,如果您需要动态决定是否加载相关模型,这可能很有用。

1use App\Models\Book;
2 
3$books = Book::all();
4 
5if ($someCondition) {
6 $books->load('author', 'publisher');
7}

如果您需要在预加载查询上设置额外的查询约束,您可以传递一个以您希望加载的关系为键的数组。数组值应该是接收查询实例的闭包实例。

1$author->load(['books' => function (Builder $query) {
2 $query->orderBy('published_date', 'asc');
3}]);

要仅在关系尚未加载时加载关系,请使用 loadMissing 方法。

1$book->loadMissing('author');

嵌套延迟预加载和 morphTo

如果您想预加载 morphTo 关系,以及该关系可能返回的各种实体的嵌套关系,您可以使用 loadMorph 方法。

此方法接受 morphTo 关系的名称作为其第一个参数,以及模型/关系对的数组作为其第二个参数。为了帮助说明此方法,让我们考虑以下模型。

1<?php
2 
3use Illuminate\Database\Eloquent\Model;
4use Illuminate\Database\Eloquent\Relations\MorphTo;
5 
6class ActivityFeed extends Model
7{
8 /**
9 * Get the parent of the activity feed record.
10 */
11 public function parentable(): MorphTo
12 {
13 return $this->morphTo();
14 }
15}

在此示例中,假设 EventPhotoPost 模型可以创建 ActivityFeed 模型。此外,假设 Event 模型属于 Calendar 模型,Photo 模型与 Tag 模型关联,而 Post 模型属于 Author 模型。

使用这些模型定义和关系,我们可以检索 ActivityFeed 模型实例,并预加载所有 parentable 模型及其各自的嵌套关系。

1$activities = ActivityFeed::with('parentable')
2 ->get()
3 ->loadMorph('parentable', [
4 Event::class => ['calendar'],
5 Photo::class => ['tags'],
6 Post::class => ['author'],
7 ]);

防止惰性加载

如前所述,预加载关系通常可以为您的应用程序提供显着的性能优势。因此,如果您愿意,您可以指示 Laravel 始终阻止关系的延迟加载。为了实现这一点,您可以调用基本 Eloquent 模型类提供的 preventLazyLoading 方法。通常,您应该在应用程序的 AppServiceProvider 类的 boot 方法中调用此方法。

preventLazyLoading 方法接受一个可选的布尔参数,指示是否应阻止延迟加载。例如,您可能希望仅在非生产环境中禁用延迟加载,以便即使生产代码中意外存在延迟加载的关系,您的生产环境也能继续正常运行。

1use Illuminate\Database\Eloquent\Model;
2 
3/**
4 * Bootstrap any application services.
5 */
6public function boot(): void
7{
8 Model::preventLazyLoading(! $this->app->isProduction());
9}

阻止延迟加载后,当您的应用程序尝试延迟加载任何 Eloquent 关系时,Eloquent 将抛出一个 Illuminate\Database\LazyLoadingViolationException 异常。

您可以使用 handleLazyLoadingViolationsUsing 方法自定义延迟加载违规行为。例如,使用此方法,您可以指示延迟加载违规仅被记录,而不是通过异常中断应用程序的执行。

1Model::handleLazyLoadingViolationUsing(function (Model $model, string $relation) {
2 $class = $model::class;
3 
4 info("Attempted to lazy load [{$relation}] on model [{$class}].");
5});

save 方法

Eloquent 提供了方便的方法来向关系添加新模型。例如,也许您需要向文章添加新评论。您可以不手动设置 Comment 模型上的 post_id 属性,而是使用关系的 save 方法插入评论。

1use App\Models\Comment;
2use App\Models\Post;
3 
4$comment = new Comment(['message' => 'A new comment.']);
5 
6$post = Post::find(1);
7 
8$post->comments()->save($comment);

请注意,我们没有将 comments 关系作为动态属性访问。相反,我们调用了 comments 方法来获取关系的实例。save 方法将自动将适当的 post_id 值添加到新的 Comment 模型。

如果您需要保存多个相关模型,可以使用 saveMany 方法。

1$post = Post::find(1);
2 
3$post->comments()->saveMany([
4 new Comment(['message' => 'A new comment.']),
5 new Comment(['message' => 'Another new comment.']),
6]);

savesaveMany 方法将持久化给定的模型实例,但不会将新持久化的模型添加到已加载到父模型上的任何内存关系中。如果您计划在使用 savesaveMany 方法后访问关系,您可能希望使用 refresh 方法重新加载模型及其关系。

1$post->comments()->save($comment);
2 
3$post->refresh();
4 
5// All comments, including the newly saved comment...
6$post->comments;

递归保存模型和关系

如果您想保存您的模型及其所有关联关系,您可以使用push方法。 在此示例中,Post模型以及其评论和评论的作者都将被保存。

1$post = Post::find(1);
2 
3$post->comments[0]->message = 'Message';
4$post->comments[0]->author->name = 'Author Name';
5 
6$post->push();

pushQuietly方法可用于保存模型及其关联关系,而不会引发任何事件。

1$post->pushQuietly();

create 方法

除了savesaveMany方法之外,您还可以使用create方法,该方法接受属性数组,创建模型并将其插入数据库。 savecreate之间的区别在于save接受完整的Eloquent模型实例,而create接受纯PHP array。 新创建的模型将由create方法返回。

1use App\Models\Post;
2 
3$post = Post::find(1);
4 
5$comment = $post->comments()->create([
6 'message' => 'A new comment.',
7]);

您可以使用createMany方法创建多个相关模型。

1$post = Post::find(1);
2 
3$post->comments()->createMany([
4 ['message' => 'A new comment.'],
5 ['message' => 'Another new comment.'],
6]);

createQuietlycreateManyQuietly方法可用于创建模型,而无需触发任何事件。

1$user = User::find(1);
2 
3$user->posts()->createQuietly([
4 'title' => 'Post title.',
5]);
6 
7$user->posts()->createManyQuietly([
8 ['title' => 'First post.'],
9 ['title' => 'Second post.'],
10]);

您还可以使用findOrNewfirstOrNewfirstOrCreateupdateOrCreate方法来在关系上创建和更新模型

在使用create方法之前,请务必查看批量赋值文档。

Belongs To 关联关系

如果您想将子模型分配给新的父模型,则可以使用associate方法。 在此示例中,User模型定义了与Account模型的belongsTo关系。 此associate方法将在子模型上设置外键。

1use App\Models\Account;
2 
3$account = Account::find(10);
4 
5$user->account()->associate($account);
6 
7$user->save();

要从子模型中移除父模型,可以使用dissociate方法。 此方法会将关系的外键设置为null

1$user->account()->dissociate();
2 
3$user->save();

多对多关联关系

附加 / 分离

Eloquent还提供了使处理多对多关系更方便的方法。 例如,假设一个用户可以有多个角色,而一个角色可以有多个用户。 您可以使用attach方法通过在关系的中间表中插入记录来将角色附加到用户。

1use App\Models\User;
2 
3$user = User::find(1);
4 
5$user->roles()->attach($roleId);

将关系附加到模型时,您还可以传递要插入到中间表中的其他数据数组。

1$user->roles()->attach($roleId, ['expires' => $expires]);

有时可能需要从用户中删除角色。 要删除多对多关系记录,请使用detach方法。 detach方法将从中间表中删除相应的记录;但是,这两个模型都将保留在数据库中。

1// Detach a single role from the user...
2$user->roles()->detach($roleId);
3 
4// Detach all roles from the user...
5$user->roles()->detach();

为了方便起见,attachdetach也接受ID数组作为输入。

1$user = User::find(1);
2 
3$user->roles()->detach([1, 2, 3]);
4 
5$user->roles()->attach([
6 1 => ['expires' => $expires],
7 2 => ['expires' => $expires],
8]);

同步关联

您还可以使用sync方法来构建多对多关联。 sync方法接受一个ID数组,用于放置在中间表中。 给定数组中不存在的任何ID都将从中间表中删除。 因此,在此操作完成后,只有给定数组中的ID才会存在于中间表中。

1$user->roles()->sync([1, 2, 3]);

您还可以将其他中间表值与ID一起传递。

1$user->roles()->sync([1 => ['expires' => true], 2, 3]);

如果您想为每个同步的模型ID插入相同的中间表值,则可以使用syncWithPivotValues方法。

1$user->roles()->syncWithPivotValues([1, 2, 3], ['active' => true]);

如果您不想分离给定数组中缺少的现有ID,则可以使用syncWithoutDetaching方法。

1$user->roles()->syncWithoutDetaching([1, 2, 3]);

切换关联

多对多关系还提供了一个toggle方法,该方法“切换”给定相关模型ID的附加状态。 如果给定的ID当前已附加,则它将被分离。 同样,如果当前已分离,则它将被附加。

1$user->roles()->toggle([1, 2, 3]);

您还可以将其他中间表值与ID一起传递。

1$user->roles()->toggle([
2 1 => ['expires' => true],
3 2 => ['expires' => true],
4]);

更新中间表中的记录

如果您需要更新关系中间表中的现有行,则可以使用updateExistingPivot方法。 此方法接受中间记录外键和一个要更新的属性数组。

1$user = User::find(1);
2 
3$user->roles()->updateExistingPivot($roleId, [
4 'active' => false,
5]);

触摸父时间戳

当模型定义与另一个模型的belongsTobelongsToMany关系时,例如属于PostComment,有时在子模型更新时更新父模型的时间戳会很有帮助。

例如,当Comment模型更新时,您可能希望自动“触摸”拥有Postupdated_at时间戳,以便将其设置为当前日期和时间。 为此,您可以将touches属性添加到您的子模型中,其中包含当子模型更新时应更新其updated_at时间戳的关系名称。

1<?php
2 
3namespace App\Models;
4 
5use Illuminate\Database\Eloquent\Model;
6use Illuminate\Database\Eloquent\Relations\BelongsTo;
7 
8class Comment extends Model
9{
10 /**
11 * All of the relationships to be touched.
12 *
13 * @var array
14 */
15 protected $touches = ['post'];
16 
17 /**
18 * Get the post that the comment belongs to.
19 */
20 public function post(): BelongsTo
21 {
22 return $this->belongsTo(Post::class);
23 }
24}

仅当使用Eloquent的save方法更新子模型时,父模型时间戳才会被更新。

Laravel是最高效的
构建、部署和监控软件的方式。