文章转发自专业的Laravel开发者社区,原始链接:https://learnku.com/laravel/t...
Eloquent 有一个鲜为人知的函数叫 withCount():它可以帮助获取包括远程一对多关系在内的对象关联的记录条数。接下来看示例。
在我们的示例小项目中,我们有三个模型:User,Post 以及 Comment。所有的关联关系都可以用这三个模型来举例描述,先看 app/User.php 模型:
public function posts()
{
return $this->hasMany(Post::class);
}
public function comments()
{
return $this->hasManyThrough(Comment::class, Post::class);
}
现在,我们来尝试在页面上显示如下的表格 - 用户及他们的文章和评论的统计列表:
实现很简单,下面是控制器 UserController 的代码:
public function index()
{
$users = User::withCount(['posts', 'comments'])->get();
return view('users', compact('users'));
}
传递到 withCount() 方法的每一个参数,最终都会在模型实例中创建一个参数名添加了 _count 后缀的属性。因此,在上面的例子中,可以通过访问 $user->posts_count** 和 **$user->comments_count 属性来获取统计数值。
然后,在我们的视图文件中,我们有:
<table class="table">
<thead>
<tr>
<th>User</th>
<th class="text-center">Posts</th>
<th class="text-center">Comments</th>
</tr>
</thead>
<tbody>
@foreach ($users as $user)
<tr>
<td>{{ $user->name }}</td>
<td class="text-center">{{ $user->posts_count }}</td>
<td class="text-center">{{ $user->comments_count }}</td>
</tr>
@endforeach
</tbody>
</table>
注意, withCount() 既可以处理 hasMany() 关系,也可以处理hasManyThrough().的第二级深度。
不仅如此,我们甚至可以在使用 withCount() 时指定关联模型的过滤条件。假设,我们有一个评论表(comments),包含一个审核状态(approved)的字段。下面的示例展示了如何对该字段进行过滤,甚至可以指定一个别名:
$users = User::withCount([
'posts',
'comments',
'comments as approved_comments_count' => function ($query) {
$query->where('approved', 1);
}])
->get();
如此,便可在试图中使用 $user->approved_comments_count 来展示统计数据。
若想了解更多关于 withCount() 方法的信息 – 可查看 Laravel 官方文档。
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。