我目前正在做一个简单的 Laravel 项目,我需要在其中获取我关注的用户的帖子。使用下面的代码,我可以获取帖子,但我还添加了很多重复的查询和一个 N+1 问题关于 Authenticated 用户。所以它变得有点让人头疼。我在网上查看了其他类似的场景,但我无法确定我做错了什么。也许有更好的方法。目前,我有用户模型:
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 关系。它为每个用户获取帖子,但由于我使用上面的布尔值,我无法在 hasManyThrough 中使用它们,它只是根据以下 ID 获取帖子,无论用户是否关注或被阻止变得无关紧要。
然后在一个单独的服务类中,我尝试了下面的方法(我使用一个单独的类来更容易地维护代码)。他们都获得了每个用户的帖子,但添加了一个 N+1 问题和基于 2 个用户的 5 个帖子的 12 个重复查询。我还需要根据某些条件过滤结果,因此它可能会添加更多查询。此外,我正在使用 Laravel 资源集合,它会为每个帖子提取其他项目,例如图像、评论等,因此查询量会增加更多。不确定,也许我做的太多了,有一个更简单的方法:
任何一个:
$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;