在Eloquent的文档中,据说我可以将所需关系的键传递给 hasManyThrough 。
假设我有名为Country,User,Post的模型。国家/地区模型可能通过用户模型包含许多帖子。那说我可以打电话:
$this->hasManyThrough('Post', 'User', 'country_id', 'user_id');
到目前为止这很好! 但是,如何才能为ID为3的用户提供这些帖子?
有人可以帮忙吗?
答案 0 :(得分:3)
所以这就是:
模型:Country
有许多User
有很多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
是一种直接获得嵌套关系的方法,即。给定国家/地区的所有帖子,而不是搜索特定的through
模型。
答案 1 :(得分:3)
$user_id = 3;
$country = Country::find($country_id);
$country->posts()->where('users.id', '=', $user_id)->get();
答案 2 :(得分:0)
$this->hasManyThrough('Post', 'User', 'country_id', 'user_id')->where(column,x);
这里发生的事情是,您可以得到集合的回报,您可以在最后加上任何想要的条件。