在《雄辩》的文献中,有人说我可以把想要的关系的钥匙传递给哈斯曼·罗斯。
假设我有名为Country、User、Post的模型。一个国家/地区模型可能通过一个用户模型有许多帖子。也就是说,我可以打电话:
$this->hasManyThrough('Post', 'User', 'country_id', 'user_id');
到目前为止还不错!但是我怎样才能只为id为3的用户获得这些帖子呢?
有人能帮忙吗?
所以就这样:
型号:国家
有很多用户
有很多Post
这允许我们在您的问题中使用hasManyThrough
:
// Country model
public function posts()
{
return $this->hasManyThrough('Post', 'User', 'country_id', 'user_id');
}
您希望获取此关系的给定用户的帖子,因此:
$country = Country::first();
$country->load(['posts' => function ($q) {
$q->where('user_id', '=', 3);
}]);
// or
$country->load(['posts' => function ($q) {
$q->has('user', function ($q) {
$q->where('users.id', '=', 3);
});
})
$country->posts; // collection of posts related to user with id 3
但如果你改用这个,它会更容易、更可读、更雄辩:(因为当你寻找id为3的用户的帖子时,它与国家无关)
// User model
public function posts()
{
return $this->hasMany('Post');
}
// then
$user = User::find(3);
// lazy load
$user->load('posts');
// or use dynamic property
$user->posts; // it will load the posts automatically
// or eager load
$user = User::with('posts')->find(3);
$user->posts; // collection of posts for given user
总之:hasManyThrough
是一种直接获取嵌套关系的方法,即给定国家的所有帖子,而不是通过模型搜索特定的。
$user_id = 3;
$country = Country::find($country_id);
$country->posts()->where('users.id', '=', $user_id)->get();
$this-
这里发生的是你得到了收藏作为回报,你可以在最后放上你想要的任何条件。