在Eloquent的文档中,据说我可以将所需关系的键传递给 hasManyThrough

可以说我有一个名为Country,User,Post的模型。国家(地区)模型可能通过用户(Users)模型有很多帖子。那就是我可以简单地调用:

$this->hasManyThrough('Post', 'User', 'country_id', 'user_id');

到目前为止还好! 但是,我如何只为ID为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模型。

关于php - Laravel/ Eloquent : hasManyThrough WHERE,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/24388688/

10-11 01:33