防止 Laravel 集合中的重复查询和 N+1 问题

Prevent duplicate queries and N+1 problem in Laravel collection

我目前正在做一个简单的 Laravel 项目,我需要获取我关注的用户的 post。使用下面的代码,我可以获得 posts,但我还在经过身份验证的用户上添加了很多重复查询和 N+1 问题。所以它变得有点令人头疼。我在网上查看了其他类似的场景,但无法确定我做错了什么。也许有更好的方法。目前,我有用户模型:

public function usersImFollowing()
{
    return $this->belongsToMany(User::class, 'follow_user', 'user_id', 'following_id')
        ->withPivot('is_following', 'is_blocked')
        ->wherePivot('is_following', true)
        ->wherePivot('is_blocked', false)
        ->paginate(3);
}

public function userPosts()
{
    return $this->hasMany(Post::class, 'postable_id', 'id')
        ->where('postable_type', User::class);
}

如您所见,我使用两个布尔值来确定用户是关注还是被阻止。此外,Post 模型是一个多态模型。我尝试了几种方法,其中,我尝试了 hasManyThrough,但没有使用上面的 hasMany Posts 关系。它为每个用户获得了 posts 但由于我使用的是上面的布尔值,我无法在 hasManyThrough 中使用它们,它只是根据 following_id 获得了 posts ,用户是否关注或被阻止变得无关紧要。

然后在单独的服务 class 中,我尝试了以下方法(我使用单独的 class 来维护代码更容易)。他们都为每个用户获取 posts,但添加了一个 N+1 问题和 12 个重复查询,这些查询基于来自 2 个用户的 5 posts。我还需要根据某些条件过滤结果,因此它可能会添加更多查询。此外,我正在使用一个 Laravel 资源集合,它会为每个 post 提取其他项目,例如图像、评论等,因此查询量会增加更多。不确定,也许我做的太多了,有更简单的方法:

或者:

$following = $request->user()->usersImFollowing();
    $posts = $following->map(function($user){
        return $user->userPosts()->get();
    })->flatten(1);
    return $posts;

或者

$postsfromfollowing = [];
    $following = $request->user()->usersImFollowing()->each(function($user) use (&$postsfromfollowing){
        array_push($postsfromfollowing,$user->userPosts);
    });
    $posts = Arr::flatten($postsfromfollowing);
    return $posts;

也许您可以使用作用域对代码进行少量清理并生成 sql。

在用户模型中类似于

public function scopeIsFollowedBy(Builder $query, int $followerId) {
  return $query->where('following_id', '=', $followerId);
}

并且在 Post 模型中

public function scopeIsFollowedBy(Builder $query, int $followerId) {
  return $query->whereHas('user', function($q) use ($followerId) {
    $q->isFollowedBy($followerId);        
  });
}

然后您可以在 coltroller 中使用它,就像这样的任何其他条件:

Post::isFollowedBy($followerId)->...otherConditions...->get();

生成的SQL不会经过foreach只加一个IF EXISTSselect(由whereHas部分代码生成)

Laravel 中有关本地作用域的更多信息在此处 https://laravel.com/docs/8.x/eloquent#local-scopes